diff --git a/acf.php b/acf.php
index 056a686..0572ea2 100644
--- a/acf.php
+++ b/acf.php
@@ -9,10 +9,10 @@
* Plugin Name: Advanced Custom Fields PRO
* Plugin URI: https://www.advancedcustomfields.com
* Description: Customize WordPress with powerful, professional and intuitive fields.
- * Version: 6.3.12
+ * Version: 6.4.0-RC1
* Author: WP Engine
* Author URI: https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields
- * Update URI: false
+ * Update URI: https://www.advancedcustomfields.com/pro
* Text Domain: acf
* Domain Path: /lang
* Requires PHP: 7.4
@@ -36,7 +36,7 @@ if ( ! class_exists( 'ACF' ) ) {
*
* @var string
*/
- public $version = '6.3.12';
+ public $version = '6.4.0-RC1';
/**
* The plugin settings array.
@@ -130,9 +130,11 @@ if ( ! class_exists( 'ACF' ) ) {
'enable_shortcode' => true,
'enable_bidirection' => true,
'enable_block_bindings' => true,
- 'enable_meta_box_cb_edit' => true,
);
+ // Include autoloader.
+ include_once __DIR__ . '/vendor/autoload.php';
+
// Include utility functions.
include_once ACF_PATH . 'includes/acf-utility-functions.php';
@@ -144,13 +146,21 @@ if ( ! class_exists( 'ACF' ) ) {
// Include classes.
acf_include( 'includes/class-acf-data.php' );
acf_include( 'includes/class-acf-internal-post-type.php' );
- acf_include( 'includes/class-acf-site-health.php' );
acf_include( 'includes/fields/class-acf-field.php' );
acf_include( 'includes/locations/abstract-acf-legacy-location.php' );
acf_include( 'includes/locations/abstract-acf-location.php' );
+ // Initialise autoloaded classes.
+ new ACF\Site_Health\Site_Health();
+
// Include functions.
acf_include( 'includes/acf-helper-functions.php' );
+
+ acf_new_instance( 'ACF\Meta\Comment' );
+ acf_new_instance( 'ACF\Meta\Post' );
+ acf_new_instance( 'ACF\Meta\Term' );
+ acf_new_instance( 'ACF\Meta\User' );
+
acf_include( 'includes/acf-hook-functions.php' );
acf_include( 'includes/acf-field-functions.php' );
acf_include( 'includes/acf-bidirectional-functions.php' );
@@ -232,7 +242,9 @@ if ( ! class_exists( 'ACF' ) ) {
acf_include( 'includes/Updater/init.php' );
// Include PRO if included with this build.
- acf_include( 'pro/acf-pro.php' );
+ if ( ! defined( 'ACF_PREVENT_PRO_LOAD' ) || ( defined( 'ACF_PREVENT_PRO_LOAD' ) && ! ACF_PREVENT_PRO_LOAD ) ) {
+ acf_include( 'pro/acf-pro.php' );
+ }
if ( is_admin() && function_exists( 'acf_is_pro' ) && ! acf_is_pro() ) {
acf_include( 'includes/admin/admin-options-pages-preview.php' );
@@ -395,9 +407,8 @@ if ( ! class_exists( 'ACF' ) ) {
*/
do_action( 'acf/include_taxonomies', ACF_MAJOR_VERSION );
- // If we're on 6.5 or newer, load block bindings. This will move to an autoloader in 6.4.
- if ( version_compare( get_bloginfo( 'version' ), '6.5-beta1', '>=' ) ) {
- acf_include( 'includes/Blocks/Bindings.php' );
+ // If we're on 6.5 or newer, load block bindings.
+ if ( version_compare( get_bloginfo( 'version' ), '6.5', '>=' ) ) {
new ACF\Blocks\Bindings();
}
diff --git a/includes/acf-meta-functions.php b/includes/acf-meta-functions.php
index 5ee37b9..7a64a38 100644
--- a/includes/acf-meta-functions.php
+++ b/includes/acf-meta-functions.php
@@ -11,44 +11,21 @@
* @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.
- $decoded = acf_decode_post_id( $post_id );
+ // Decode the $post_id for $type and $id.
+ $decoded = acf_decode_post_id( $post_id );
+ $instance = acf_get_meta_instance( $decoded['type'] );
+ $meta = array();
- /**
- * Determine CRUD function.
- *
- * - Relies on decoded post_id result to identify option or meta types.
- * - Uses xxx_metadata(type) instead of xxx_type_meta() to bypass additional logic that could alter the ID.
- */
- if ( $decoded['type'] === 'option' ) {
- $allmeta = acf_get_option_meta( $decoded['id'] );
- } else {
- $allmeta = get_metadata( $decoded['type'], $decoded['id'], '' );
+ if ( $instance ) {
+ $meta = $instance->get_meta( $decoded['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( 'acf_maybe_unserialize', $meta );
-
/**
* Filters the $meta array after it has been loaded.
*
@@ -74,7 +51,6 @@ function acf_get_meta( $post_id = 0 ) {
* @return array
*/
function acf_get_option_meta( $prefix = '' ) {
-
// Globals.
global $wpdb;
@@ -241,32 +217,23 @@ function acf_delete_metadata( $post_id = 0, $name = '', $hidden = false ) {
}
/**
- * 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
+ * @param integer|string $from_post_id The post id to copy from.
+ * @param integer|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.
+ // Get all metadata.
$meta = acf_get_meta( $from_post_id );
- // Check meta.
- if ( $meta ) {
+ $decoded = acf_decode_post_id( $to_post_id );
+ $instance = acf_get_meta_instance( $decoded['type'] );
- // 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 );
- }
+ if ( $meta && $instance ) {
+ $instance->update_meta( $decoded['id'], $meta );
}
}
@@ -382,3 +349,155 @@ function acf_update_metaref( $post_id = 0, $type = 'fields', $references = array
// Update metadata.
return acf_update_metadata( $post_id, "_acf_$type", $references );
}
+
+/**
+ * Retrieves an ACF meta instance for the provided meta type.
+ *
+ * @since 6.4
+ *
+ * @param string $type The meta type as decoded from the post ID.
+ * @return object|null
+ */
+function acf_get_meta_instance( string $type ): ?object {
+ $instance = null;
+ $meta_locations = acf_get_store( 'acf-meta-locations' );
+
+ if ( $meta_locations && $meta_locations->has( $type ) ) {
+ $instance = acf_get_instance( $meta_locations->get( $type ) );
+ }
+
+ return $instance;
+}
+
+/**
+ * Gets metadata from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $post_id The post id.
+ * @param array $field The field array.
+ * @param boolean $hidden True if we should return the reference key.
+ * @return mixed
+ */
+function acf_get_metadata_by_field( $post_id = 0, $field = array(), bool $hidden = false ) {
+ if ( empty( $field['name'] ) ) {
+ return null;
+ }
+
+ // Allow filter to short-circuit logic.
+ $null = apply_filters( 'acf/pre_load_metadata', null, $post_id, $field['name'], $hidden );
+ if ( $null !== null ) {
+ return ( $null === '__return_null' ) ? null : $null;
+ }
+
+ // Decode the $post_id for $type and $id.
+ $decoded = acf_decode_post_id( $post_id );
+ $id = $decoded['id'];
+ $type = $decoded['type'];
+
+ // Bail early if no $id (possible during new acf_form).
+ if ( ! $id ) {
+ return null;
+ }
+
+ $meta_instance = acf_get_meta_instance( $type );
+
+ if ( ! $meta_instance ) {
+ return false;
+ }
+
+ if ( $hidden ) {
+ return $meta_instance->get_reference( $id, $field['name'] );
+ }
+
+ return $meta_instance->get_value( $id, $field );
+}
+
+/**
+ * Updates metadata in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $post_id The post id.
+ * @param array $field The field array.
+ * @param mixed $value The meta value.
+ * @param boolean $hidden True if we should update the reference key.
+ * @return integer|boolean Meta ID if the key didn't exist, true on successful update, false on failure.
+ */
+function acf_update_metadata_by_field( $post_id = 0, $field = array(), $value = '', bool $hidden = false ) {
+ if ( empty( $field['name'] ) ) {
+ return null;
+ }
+
+ // Allow filter to short-circuit logic.
+ $pre = apply_filters( 'acf/pre_update_metadata', null, $post_id, $field['name'], $value, $hidden );
+ if ( $pre !== null ) {
+ return $pre;
+ }
+
+ // Decode the $post_id for $type and $id.
+ $decoded = acf_decode_post_id( $post_id );
+ $id = $decoded['id'];
+ $type = $decoded['type'];
+
+ // Bail early if no $id (possible during new acf_form).
+ if ( ! $id ) {
+ return false;
+ }
+
+ $meta_instance = acf_get_meta_instance( $type );
+
+ if ( ! $meta_instance ) {
+ return false;
+ }
+
+ if ( $hidden ) {
+ return $meta_instance->update_reference( $id, $field['name'], $field['key'] );
+ }
+
+ return $meta_instance->update_value( $id, $field, $value );
+}
+
+/**
+ * Deletes metadata from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $post_id The post id.
+ * @param array $field The field array.
+ * @param boolean $hidden True if we should update the reference key.
+ * @return boolean
+ */
+function acf_delete_metadata_by_field( $post_id = 0, $field = array(), bool $hidden = false ) {
+ if ( empty( $field['name'] ) ) {
+ return null;
+ }
+
+ // Allow filter to short-circuit logic.
+ $pre = apply_filters( 'acf/pre_delete_metadata', null, $post_id, $field['name'], $hidden );
+ if ( $pre !== null ) {
+ return $pre;
+ }
+
+ // Decode the $post_id for $type and $id.
+ $decoded = acf_decode_post_id( $post_id );
+ $id = $decoded['id'];
+ $type = $decoded['type'];
+
+ // Bail early if no $id (possible during new acf_form).
+ if ( ! $id ) {
+ return false;
+ }
+
+ $meta_instance = acf_get_meta_instance( $type );
+
+ if ( ! $meta_instance ) {
+ return false;
+ }
+
+ if ( $hidden ) {
+ return $meta_instance->delete_reference( $id, $field['name'] );
+ }
+
+ return $meta_instance->delete_value( $id, $field );
+}
diff --git a/includes/acf-value-functions.php b/includes/acf-value-functions.php
index 99c3e07..3e57b80 100644
--- a/includes/acf-value-functions.php
+++ b/includes/acf-value-functions.php
@@ -13,18 +13,35 @@ acf_register_store( 'values' )->prop( 'multisite', true );
*
* @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.
+ * @return string|null The field key, or null on failure.
*/
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;
}
+ // Back-compat.
+ $reference = apply_filters( 'acf/pre_load_metadata', null, $post_id, $field_name, true );
+ if ( $reference !== null ) {
+ return ( $reference === '__return_null' ) ? null : $reference;
+ }
+
+ $decoded = acf_decode_post_id( $post_id );
+
+ // Bail if no ID or type.
+ if ( empty( $decoded['id'] ) || empty( $decoded['type'] ) ) {
+ return null;
+ }
+
+ $meta_instance = acf_get_meta_instance( $decoded['type'] );
+ if ( ! $meta_instance ) {
+ return null;
+ }
+
// Get hidden meta for this field name.
- $reference = acf_get_metadata( $post_id, $field_name, true );
+ $reference = $meta_instance->get_reference( $decoded['id'], $field_name );
/**
* Filters the reference value.
@@ -78,7 +95,9 @@ function acf_get_value( $post_id, $field ) {
// If we're using a non options_ option key, ensure we have a valid reference key.
if ( 'option' === $decoded['type'] && 'options' !== $decoded['id'] ) {
- $meta = acf_get_metadata( $post_id, $field_name, true );
+ // TODO: Move this into options meta class? i.e. return false
+ $meta = acf_get_metadata_by_field( $post_id, $field, true );
+
if ( ! $meta ) {
$allow_load = false;
} elseif ( $meta !== $field['key'] ) {
@@ -97,7 +116,7 @@ function acf_get_value( $post_id, $field ) {
return $store->get( "$post_id:$field_name" );
}
- $value = acf_get_metadata( $post_id, $field_name );
+ $value = acf_get_metadata_by_field( $post_id, $field );
}
// Use field's default_value if no meta was found.
@@ -220,11 +239,9 @@ function acf_update_value( $value, $post_id, $field ) {
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 );
+ // Update value and reference key.
+ $return = acf_update_metadata_by_field( $post_id, $field, $value );
+ acf_update_metadata_by_field( $post_id, $field, $field['key'], true );
// Delete stored data.
acf_flush_value_cache( $post_id, $field['name'] );
@@ -310,11 +327,9 @@ function acf_delete_value( $post_id, $field ) {
*/
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 value and reference key.
+ $return = acf_delete_metadata_by_field( $post_id, $field );
+ acf_delete_metadata_by_field( $post_id, $field, true );
// Delete stored data.
acf_flush_value_cache( $post_id, $field['name'] );
diff --git a/includes/acf-wp-functions.php b/includes/acf-wp-functions.php
index d85a463..c8e360b 100644
--- a/includes/acf-wp-functions.php
+++ b/includes/acf-wp-functions.php
@@ -195,6 +195,10 @@ function acf_decode_post_id( $post_id = 0 ) {
$type = taxonomy_exists( $type ) ? 'term' : 'blog';
$id = absint( $id );
break;
+ case 'woo_order_%d':
+ $type = 'woo_order';
+ $id = absint( $id );
+ break;
default:
// Check for taxonomy name.
if ( taxonomy_exists( $type ) && is_numeric( $id ) ) {
diff --git a/includes/class-acf-site-health.php b/includes/class-acf-site-health.php
deleted file mode 100644
index 121b5ed..0000000
--- a/includes/class-acf-site-health.php
+++ /dev/null
@@ -1,719 +0,0 @@
-option_name, '' );
-
- if ( is_string( $site_health ) ) {
- $site_health = json_decode( $site_health, true );
- }
-
- return is_array( $site_health ) ? $site_health : array();
- }
-
- /**
- * Updates the site health information.
- *
- * @since 6.3
- *
- * @param array $data An array of site health information to update.
- * @return boolean
- */
- public function update_site_health( array $data = array() ): bool {
- return update_option( $this->option_name, wp_json_encode( $data ), false );
- }
-
- /**
- * Stores debug data in the ACF site health option.
- *
- * @since 6.3
- *
- * @param array $data Data to update with (optional).
- * @return boolean
- */
- public function update_site_health_data( array $data = array() ): bool {
- if ( wp_doing_cron() ) {
- // Bootstrap wp-admin, as WP_Cron doesn't do this for us.
- require_once trailingslashit( ABSPATH ) . 'wp-admin/includes/admin.php';
- }
-
- $site_health = $this->get_site_health();
- $values = ! empty( $data ) ? $data : $this->get_site_health_values();
- $updated = array();
-
- if ( ! empty( $values ) ) {
- foreach ( $values as $key => $value ) {
- $updated[ $key ] = $value['debug'] ?? $value['value'];
- }
- }
-
- foreach ( $site_health as $key => $value ) {
- if ( 'event_' === substr( $key, 0, 6 ) ) {
- $updated[ $key ] = $value;
- }
- }
-
- $updated['last_updated'] = time();
-
- return $this->update_site_health( $updated );
- }
-
- /**
- * Pushes an event to the ACF site health option.
- *
- * @since 6.3
- *
- * @param string $event_name The name of the event to push.
- * @return boolean
- */
- public function add_site_health_event( string $event_name = '' ): bool {
- $site_health = $this->get_site_health();
-
- // Allow using action/filter hooks to set events.
- if ( empty( $event_name ) ) {
- $current_filter = current_filter();
-
- if ( strpos( $current_filter, 'acf/' ) !== false ) {
- $event_name = str_replace( 'acf/', '', $current_filter );
- }
- }
-
- // Bail if this event was already stored.
- if ( empty( $event_name ) || ! empty( $site_health[ 'event_' . $event_name ] ) ) {
- return false;
- }
-
- $time = time();
-
- $site_health[ 'event_' . $event_name ] = $time;
- $site_health['last_updated'] = $time;
-
- return $this->update_site_health( $site_health );
- }
-
- /**
- * Logs activation events for free/pro.
- *
- * @since 6.3
- *
- * @return boolean
- */
- public function add_activation_event() {
- $event_name = 'first_activated';
-
- if ( acf_is_pro() ) {
- $event_name = 'first_activated_pro';
-
- if ( 'acf/first_activated' !== current_filter() ) {
- $site_health = $this->get_site_health();
-
- /**
- * We already have an event for when pro was first activated,
- * so we don't need to log an additional event here.
- */
- if ( ! empty( $site_health[ 'event_' . $event_name ] ) ) {
- return false;
- }
-
- $event_name = 'activated_pro';
- }
- }
-
- return $this->add_site_health_event( $event_name );
- }
-
- /**
- * Adds events when ACF internal post types are created.
- *
- * @since 6.3
- *
- * @param array $post The post about to be updated.
- * @return array
- */
- public function pre_update_acf_internal_cpt( array $post = array() ): array {
- if ( empty( $post['key'] ) ) {
- return $post;
- }
-
- $post_type = acf_determine_internal_post_type( $post['key'] );
-
- if ( $post_type ) {
- $posts = acf_get_internal_post_type_posts( $post_type );
-
- if ( empty( $posts ) ) {
- $post_type = str_replace(
- array(
- 'acf-',
- '-',
- ),
- array(
- '',
- '_',
- ),
- $post_type
- );
- $this->add_site_health_event( 'first_created_' . $post_type );
- }
- }
-
- return $post;
- }
-
- /**
- * Appends the ACF section to the "Info" tab of the WordPress Site Health screen.
- *
- * @since 6.3
- *
- * @param array $debug_info The current debug info for site health.
- * @return array The debug info appended with the ACF section.
- */
- public function render_tab_content( array $debug_info ): array {
- $data = $this->get_site_health_values();
-
- $this->update_site_health_data( $data );
-
- // Unset values we don't want to display yet.
- $fields_to_unset = array(
- 'wp_version',
- 'mysql_version',
- 'is_multisite',
- 'active_theme',
- 'parent_theme',
- 'active_plugins',
- 'number_of_fields_by_type',
- 'number_of_third_party_fields_by_type',
- );
-
- foreach ( $fields_to_unset as $field ) {
- if ( isset( $data[ $field ] ) ) {
- unset( $data[ $field ] );
- }
- }
-
- foreach ( $data as $key => $value ) {
- if ( 'event_' === substr( $key, 0, 6 ) ) {
- unset( $data[ $key ] );
- }
- }
-
- $debug_info['acf'] = array(
- 'label' => __( 'ACF', 'acf' ),
- 'description' => __( 'This section contains debug information about your ACF configuration which can be useful to provide to support.', 'acf' ),
- 'fields' => $data,
- );
-
- return $debug_info;
- }
-
- /**
- * Gets the values for all data in the ACF site health section.
- *
- * @since 6.3
- *
- * @return array
- */
- public function get_site_health_values(): array {
- global $wpdb;
-
- $fields = array();
- $is_pro = acf_is_pro();
- $license = $is_pro ? acf_pro_get_license() : array();
- $license_status = $is_pro ? acf_pro_get_license_status() : array();
- $field_groups = acf_get_field_groups();
- $post_types = acf_get_post_types();
- $taxonomies = acf_get_taxonomies();
-
- $yes = __( 'Yes', 'acf' );
- $no = __( 'No', 'acf' );
-
- $fields['version'] = array(
- 'label' => __( 'Plugin Version', 'acf' ),
- 'value' => defined( 'ACF_VERSION' ) ? ACF_VERSION : '',
- );
-
- $fields['plugin_type'] = array(
- 'label' => __( 'Plugin Type', 'acf' ),
- 'value' => $is_pro ? __( 'PRO', 'acf' ) : __( 'Free', 'acf' ),
- 'debug' => $is_pro ? 'PRO' : 'Free',
- );
-
- $fields['update_source'] = array(
- 'label' => __( 'Update Source', 'acf' ),
- 'value' => apply_filters( 'acf/site_health/update_source', __( 'wordpress.org', 'acf' ) ),
- );
-
- if ( $is_pro ) {
- $fields['activated'] = array(
- 'label' => __( 'License Activated', 'acf' ),
- 'value' => ! empty( $license ) ? $yes : $no,
- 'debug' => ! empty( $license ),
- );
-
- $fields['activated_url'] = array(
- 'label' => __( 'Licensed URL', 'acf' ),
- 'value' => ! empty( $license['url'] ) ? $license['url'] : '',
- );
-
- $fields['license_type'] = array(
- 'label' => __( 'License Type', 'acf' ),
- 'value' => $license_status['name'],
- );
-
- $fields['license_status'] = array(
- 'label' => __( 'License Status', 'acf' ),
- 'value' => $license_status['status'],
- );
-
- $expiry = ! empty( $license_status['expiry'] ) ? $license_status['expiry'] : '';
- $format = get_option( 'date_format', 'F j, Y' );
-
- $fields['subscription_expires'] = array(
- 'label' => __( 'Subscription Expiry Date', 'acf' ),
- 'value' => is_numeric( $expiry ) ? date_i18n( $format, $expiry ) : '',
- 'debug' => $expiry,
- );
- }
-
- $fields['wp_version'] = array(
- 'label' => __( 'WordPress Version', 'acf' ),
- 'value' => get_bloginfo( 'version' ),
- );
-
- $fields['mysql_version'] = array(
- 'label' => __( 'MySQL Version', 'acf' ),
- 'value' => $wpdb->db_server_info(),
- );
-
- $fields['is_multisite'] = array(
- 'label' => __( 'Is Multisite', 'acf' ),
- 'value' => is_multisite() ? __( 'Yes', 'acf' ) : __( 'No', 'acf' ),
- 'debug' => is_multisite(),
- );
-
- $active_theme = wp_get_theme();
- $parent_theme = $active_theme->parent();
-
- $fields['active_theme'] = array(
- 'label' => __( 'Active Theme', 'acf' ),
- 'value' => array(
- 'name' => $active_theme->get( 'Name' ),
- 'version' => $active_theme->get( 'Version' ),
- 'theme_uri' => $active_theme->get( 'ThemeURI' ),
- 'stylesheet' => $active_theme->get( 'Stylesheet' ),
- ),
- );
-
- if ( $parent_theme ) {
- $fields['parent_theme'] = array(
- 'label' => __( 'Parent Theme', 'acf' ),
- 'value' => array(
- 'name' => $parent_theme->get( 'Name' ),
- 'version' => $parent_theme->get( 'Version' ),
- 'theme_uri' => $parent_theme->get( 'ThemeURI' ),
- 'stylesheet' => $parent_theme->get( 'Stylesheet' ),
- ),
- );
- }
-
- $active_plugins = array();
- $plugins = get_plugins();
-
- foreach ( $plugins as $plugin_path => $plugin ) {
- if ( ! is_plugin_active( $plugin_path ) ) {
- continue;
- }
-
- $active_plugins[ $plugin_path ] = array(
- 'name' => $plugin['Name'],
- 'version' => $plugin['Version'],
- 'plugin_uri' => empty( $plugin['PluginURI'] ) ? '' : $plugin['PluginURI'],
- );
- }
-
- $fields['active_plugins'] = array(
- 'label' => __( 'Active Plugins', 'acf' ),
- 'value' => $active_plugins,
- );
-
- $ui_field_groups = array_filter(
- $field_groups,
- function ( $field_group ) {
- return empty( $field_group['local'] );
- }
- );
-
- $fields['ui_field_groups'] = array(
- 'label' => __( 'Registered Field Groups (UI)', 'acf' ),
- 'value' => number_format_i18n( count( $ui_field_groups ) ),
- );
-
- $php_field_groups = array_filter(
- $field_groups,
- function ( $field_group ) {
- return ! empty( $field_group['local'] ) && 'PHP' === $field_group['local'];
- }
- );
-
- $fields['php_field_groups'] = array(
- 'label' => __( 'Registered Field Groups (PHP)', 'acf' ),
- 'value' => number_format_i18n( count( $php_field_groups ) ),
- );
-
- $json_field_groups = array_filter(
- $field_groups,
- function ( $field_group ) {
- return ! empty( $field_group['local'] ) && 'json' === $field_group['local'];
- }
- );
-
- $fields['json_field_groups'] = array(
- 'label' => __( 'Registered Field Groups (JSON)', 'acf' ),
- 'value' => number_format_i18n( count( $json_field_groups ) ),
- );
-
- $rest_field_groups = array_filter(
- $field_groups,
- function ( $field_group ) {
- return ! empty( $field_group['show_in_rest'] );
- }
- );
-
- $fields['rest_field_groups'] = array(
- 'label' => __( 'Field Groups Enabled for REST API', 'acf' ),
- 'value' => number_format_i18n( count( $rest_field_groups ) ),
- );
-
- $graphql_field_groups = array_filter(
- $field_groups,
- function ( $field_group ) {
- return ! empty( $field_group['show_in_graphql'] );
- }
- );
-
- if ( is_plugin_active( 'wpgraphql-acf/wpgraphql-acf.php' ) ) {
- $fields['graphql_field_groups'] = array(
- 'label' => __( 'Field Groups Enabled for GraphQL', 'acf' ),
- 'value' => number_format_i18n( count( $graphql_field_groups ) ),
- );
- }
-
- $all_fields = array();
- foreach ( $field_groups as $field_group ) {
- $all_fields = array_merge( $all_fields, acf_get_fields( $field_group ) );
- }
-
- $fields_by_type = array();
- $third_party_fields_by_type = array();
- $core_field_types = array_keys( acf_get_field_types() );
-
- foreach ( $all_fields as $field ) {
- if ( in_array( $field['type'], $core_field_types, true ) ) {
- if ( ! isset( $fields_by_type[ $field['type'] ] ) ) {
- $fields_by_type[ $field['type'] ] = 0;
- }
-
- ++$fields_by_type[ $field['type'] ];
-
- continue;
- }
-
- if ( ! isset( $third_party_fields_by_type[ $field['type'] ] ) ) {
- $third_party_fields_by_type[ $field['type'] ] = 0;
- }
-
- ++$third_party_fields_by_type[ $field['type'] ];
- }
-
- $fields['number_of_fields_by_type'] = array(
- 'label' => __( 'Number of Fields by Field Type', 'acf' ),
- 'value' => $fields_by_type,
- );
-
- $fields['number_of_third_party_fields_by_type'] = array(
- 'label' => __( 'Number of Third Party Fields by Field Type', 'acf' ),
- 'value' => $third_party_fields_by_type,
- );
-
- $enable_post_types = acf_get_setting( 'enable_post_types' );
-
- $fields['post_types_enabled'] = array(
- 'label' => __( 'Post Types and Taxonomies Enabled', 'acf' ),
- 'value' => $enable_post_types ? $yes : $no,
- 'debug' => $enable_post_types,
- );
-
- $ui_post_types = array_filter(
- $post_types,
- function ( $post_type ) {
- return empty( $post_type['local'] );
- }
- );
-
- $fields['ui_post_types'] = array(
- 'label' => __( 'Registered Post Types (UI)', 'acf' ),
- 'value' => number_format_i18n( count( $ui_post_types ) ),
- );
-
- $json_post_types = array_filter(
- $post_types,
- function ( $post_type ) {
- return ! empty( $post_type['local'] ) && 'json' === $post_type['local'];
- }
- );
-
- $fields['json_post_types'] = array(
- 'label' => __( 'Registered Post Types (JSON)', 'acf' ),
- 'value' => number_format_i18n( count( $json_post_types ) ),
- );
-
- $ui_taxonomies = array_filter(
- $taxonomies,
- function ( $taxonomy ) {
- return empty( $taxonomy['local'] );
- }
- );
-
- $fields['ui_taxonomies'] = array(
- 'label' => __( 'Registered Taxonomies (UI)', 'acf' ),
- 'value' => number_format_i18n( count( $ui_taxonomies ) ),
- );
-
- $json_taxonomies = array_filter(
- $taxonomies,
- function ( $taxonomy ) {
- return ! empty( $taxonomy['local'] ) && 'json' === $taxonomy['local'];
- }
- );
-
- $fields['json_taxonomies'] = array(
- 'label' => __( 'Registered Taxonomies (JSON)', 'acf' ),
- 'value' => number_format_i18n( count( $json_taxonomies ) ),
- );
-
- if ( $is_pro ) {
- $enable_options_pages_ui = acf_get_setting( 'enable_options_pages_ui' );
-
- $fields['ui_options_pages_enabled'] = array(
- 'label' => __( 'Options Pages UI Enabled', 'acf' ),
- 'value' => $enable_options_pages_ui ? $yes : $no,
- 'debug' => $enable_options_pages_ui,
- );
-
- $options_pages = acf_get_options_pages();
- $ui_options_pages = array();
-
- if ( empty( $options_pages ) || ! is_array( $options_pages ) ) {
- $options_pages = array();
- }
-
- if ( $enable_options_pages_ui ) {
- $ui_options_pages = acf_get_ui_options_pages();
-
- $ui_options_pages_in_ui = array_filter(
- $ui_options_pages,
- function ( $ui_options_page ) {
- return empty( $ui_options_page['local'] );
- }
- );
-
- $json_options_pages = array_filter(
- $ui_options_pages,
- function ( $ui_options_page ) {
- return ! empty( $ui_options_page['local'] );
- }
- );
-
- $fields['ui_options_pages'] = array(
- 'label' => __( 'Registered Options Pages (UI)', 'acf' ),
- 'value' => number_format_i18n( count( $ui_options_pages_in_ui ) ),
- );
-
- $fields['json_options_pages'] = array(
- 'label' => __( 'Registered Options Pages (JSON)', 'acf' ),
- 'value' => number_format_i18n( count( $json_options_pages ) ),
- );
- }
-
- $ui_options_page_slugs = array_column( $ui_options_pages, 'menu_slug' );
- $php_options_pages = array_filter(
- $options_pages,
- function ( $options_page ) use ( $ui_options_page_slugs ) {
- return ! in_array( $options_page['menu_slug'], $ui_options_page_slugs, true );
- }
- );
-
- $fields['php_options_pages'] = array(
- 'label' => __( 'Registered Options Pages (PHP)', 'acf' ),
- 'value' => number_format_i18n( count( $php_options_pages ) ),
- );
- }
-
- $rest_api_format = acf_get_setting( 'rest_api_format' );
-
- $fields['rest_api_format'] = array(
- 'label' => __( 'REST API Format', 'acf' ),
- 'value' => 'standard' === $rest_api_format ? __( 'Standard', 'acf' ) : __( 'Light', 'acf' ),
- 'debug' => $rest_api_format,
- );
-
- if ( $is_pro ) {
- $fields['registered_acf_blocks'] = array(
- 'label' => __( 'Registered ACF Blocks', 'acf' ),
- 'value' => number_format_i18n( acf_pro_get_registered_block_count() ),
- );
-
- $blocks = acf_get_block_types();
- $block_api_versions = array();
- $acf_block_versions = array();
- $blocks_using_post_meta = 0;
-
- foreach ( $blocks as $block ) {
- if ( ! isset( $block_api_versions[ 'v' . $block['api_version'] ] ) ) {
- $block_api_versions[ 'v' . $block['api_version'] ] = 0;
- }
-
- if ( ! isset( $acf_block_versions[ 'v' . $block['acf_block_version'] ] ) ) {
- $acf_block_versions[ 'v' . $block['acf_block_version'] ] = 0;
- }
-
- if ( ! empty( $block['use_post_meta'] ) ) {
- ++$blocks_using_post_meta;
- }
-
- ++$block_api_versions[ 'v' . $block['api_version'] ];
- ++$acf_block_versions[ 'v' . $block['acf_block_version'] ];
- }
-
- $fields['blocks_per_api_version'] = array(
- 'label' => __( 'Blocks Per API Version', 'acf' ),
- 'value' => $block_api_versions,
- );
-
- $fields['blocks_per_acf_block_version'] = array(
- 'label' => __( 'Blocks Per ACF Block Version', 'acf' ),
- 'value' => $acf_block_versions,
- );
-
- $fields['blocks_using_post_meta'] = array(
- 'label' => __( 'Blocks Using Post Meta', 'acf' ),
- 'value' => number_format_i18n( $blocks_using_post_meta ),
- );
-
- $preload_blocks = acf_get_setting( 'preload_blocks' );
-
- $fields['preload_blocks'] = array(
- 'label' => __( 'Block Preloading Enabled', 'acf' ),
- 'value' => ! empty( $preload_blocks ) ? $yes : $no,
- 'debug' => $preload_blocks,
- );
- }
-
- $show_admin = acf_get_setting( 'show_admin' );
-
- $fields['admin_ui_enabled'] = array(
- 'label' => __( 'Admin UI Enabled', 'acf' ),
- 'value' => $show_admin ? $yes : $no,
- 'debug' => $show_admin,
- );
-
- $field_type_modal_enabled = apply_filters( 'acf/field_group/enable_field_browser', true );
-
- $fields['field_type-modal_enabled'] = array(
- 'label' => __( 'Field Type Modal Enabled', 'acf' ),
- 'value' => ! empty( $field_type_modal_enabled ) ? $yes : $no,
- 'debug' => $field_type_modal_enabled,
- );
-
- $field_settings_tabs_enabled = apply_filters( 'acf/field_group/disable_field_settings_tabs', false );
-
- $fields['field_settings_tabs_enabled'] = array(
- 'label' => __( 'Field Settings Tabs Enabled', 'acf' ),
- 'value' => empty( $field_settings_tabs_enabled ) ? $yes : $no,
- 'debug' => $field_settings_tabs_enabled,
- );
-
- $shortcode_enabled = acf_get_setting( 'enable_shortcode' );
-
- $fields['shortcode_enabled'] = array(
- 'label' => __( 'Shortcode Enabled', 'acf' ),
- 'value' => ! empty( $shortcode_enabled ) ? $yes : $no,
- 'debug' => $shortcode_enabled,
- );
-
- $fields['registered_acf_forms'] = array(
- 'label' => __( 'Registered ACF Forms', 'acf' ),
- 'value' => number_format_i18n( count( acf_get_forms() ) ),
- );
-
- $local_json = acf_get_instance( 'ACF_Local_JSON' );
- $save_paths = $local_json->get_save_paths();
- $load_paths = $local_json->get_load_paths();
-
- $fields['json_save_paths'] = array(
- 'label' => __( 'JSON Save Paths', 'acf' ),
- 'value' => number_format_i18n( count( $save_paths ) ),
- 'debug' => count( $save_paths ),
- );
-
- $fields['json_load_paths'] = array(
- 'label' => __( 'JSON Load Paths', 'acf' ),
- 'value' => number_format_i18n( count( $load_paths ) ),
- 'debug' => count( $load_paths ),
- );
-
- return $fields;
- }
- }
-
- acf_new_instance( 'ACF_Site_Health' );
-}
diff --git a/lang/acf-ar.l10n.php b/lang/acf-ar.l10n.php
index adb9e72..8e92614 100644
--- a/lang/acf-ar.l10n.php
+++ b/lang/acf-ar.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'ar','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'الحقول المخصصة المتقدمة للمحترفين','Block type name is required.'=>'اسم نوع الكتلة مطلوب.','Block type "%s" is already registered.'=>'نوع الكتلة "%s" مسجل بالفعل.','Switch to Edit'=>'قم بالتبديل للتحرير','Switch to Preview'=>'قم بالتبديل للمعاينة','%s settings'=>'%s الإعدادات','Options'=>'خيارات','Update'=>'تحديث','Options Updated'=>'تم تحديث الإعدادات','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك على صفحة التحديثات . إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على التفاصيل والتسعير.','ACF Activation Error. An error occurred when connecting to activation server'=>'خطأ. تعذر الاتصال بخادم التحديث','Check Again'=>'تحقق مرة اخرى','ACF Activation Error. Could not connect to activation server'=>'خطأ. تعذر الاتصال بخادم التحديث','Publish'=>'نشر','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'لم يتم العثور على أية "مجموعات حقول مخصصة لصفحة الخيارات هذة. أنشئ مجموعة حقول مخصصة','Edit field group'=>'تحرير مجموعة الحقول','Error. Could not connect to update server'=>'خطأ. تعذر الاتصال بخادم التحديث','Updates'=>'تحديثات','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>' خطأ b>. تعذرت مصادقة حزمة التحديث. يرجى التحقق مرة أخرى أو إلغاء تنشيط وإعادة تنشيط ترخيص ACF PRO الخاص بك.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>' خطأ b>. تعذرت مصادقة حزمة التحديث. يرجى التحقق مرة أخرى أو إلغاء تنشيط وإعادة تنشيط ترخيص ACF PRO الخاص بك.','nounClone'=>'تكرار','Fields'=>'حقول','Select one or more fields you wish to clone'=>'حدد حقل واحد أو أكثر ترغب في تكراره','Display'=>'عرض','Specify the style used to render the clone field'=>'حدد النمط المستخدم لعرض حقل التكرار','Group (displays selected fields in a group within this field)'=>'المجموعة (تعرض الحقول المحددة في مجموعة ضمن هذا الحقل)','Seamless (replaces this field with selected fields)'=>'سلس (يستبدل هذا الحقل بالحقول المحددة)','Layout'=>'المخطط','Specify the style used to render the selected fields'=>'حدد النمط المستخدم لعرض الحقول المحددة','Block'=>'كتلة','Table'=>'جدول','Row'=>'صف','Labels will be displayed as %s'=>'سيتم عرض التسمية كـ %s','Prefix Field Labels'=>'بادئة تسمية الحقول','Values will be saved as %s'=>'سيتم حفظ القيم كـ %s','Prefix Field Names'=>'بادئة أسماء الحقول','Unknown field'=>'حقل غير معروف','(no title)'=>'(بدون عنوان)','Unknown field group'=>'مجموعة حقول غير معروفة','All fields from %s field group'=>'جميع الحقول من مجموعة الحقول %s','Flexible Content'=>'المحتوى المرن','Add Row'=>'إضافة صف','layout'=>'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط','layouts'=>'التخطيطات','This field requires at least {min} {label} {identifier}'=>'يتطلب هذا الحقل على الأقل {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'يحتوي هذا الحقل حد {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} متاح (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} مطلوب (min {min})','Flexible Content requires at least 1 layout'=>'يتطلب المحتوى المرن تخطيط واحد على الأقل','Click the "%s" button below to start creating your layout'=>'انقر فوق الزر "%s" أدناه لبدء إنشاء التخطيط الخاص بك','Drag to reorder'=>'اسحب لإعادة الترتيب','Add layout'=>'إضافة مخطط جديد','Duplicate layout'=>'تكرار التخطيط','Remove layout'=>'إزالة المخطط','Click to toggle'=>'انقر للتبديل','Delete Layout'=>'حذف المخطط','Duplicate Layout'=>'تكرار التخطيط','Add New Layout'=>'إضافة مخطط جديد','Add Layout'=>'إضافة مخطط جديد','Label'=>'تسمية','Name'=>'الاسم','Min'=>'الحد الأدنى','Max'=>'الحد أقصى','Minimum Layouts'=>'الحد الأدنى للتخطيطات','Maximum Layouts'=>'الحد الأقصى للتخطيطات','Button Label'=>'تسمية الزر','Gallery'=>'الالبوم','Add Image to Gallery'=>'اضافة صورة للمعرض','Maximum selection reached'=>'وصلت للحد الأقصى','Length'=>'الطول','Edit'=>'تحرير','Remove'=>'ازالة','Title'=>'العنوان','Caption'=>'كلمات توضيحية','Alt Text'=>'النص البديل','Description'=>'الوصف','Add to gallery'=>'اضافة الى المعرض','Bulk actions'=>'اجراءات جماعية','Sort by date uploaded'=>'ترتيب حسب تاريخ الرفع','Sort by date modified'=>'ترتيب حسب تاريخ التعديل','Sort by title'=>'ترتيب حسب العنوان','Reverse current order'=>'عكس الترتيب الحالي','Close'=>'إغلاق','Return Format'=>'التنسيق المسترجع','Image Array'=>'مصفوفة الصور','Image URL'=>'رابط الصورة','Image ID'=>'معرف الصورة','Library'=>'المكتبة','Limit the media library choice'=>'الحد من اختيار مكتبة الوسائط','All'=>'الكل','Uploaded to post'=>'مرفوع الى المقالة','Minimum Selection'=>'الحد الأدنى للاختيار','Maximum Selection'=>'الحد الأقصى للاختيار','Minimum'=>'الحد الأدنى','Restrict which images can be uploaded'=>'تقييد الصور التي يمكن رفعها','Width'=>'العرض','Height'=>'الإرتفاع','File size'=>'حجم الملف','Maximum'=>'الحد الأقصى','Allowed file types'=>'أنواع الملفات المسموح بها','Comma separated list. Leave blank for all types'=>'قائمة مفصولة بفواصل. اترك المساحة فارغة للسماح بالكل','Insert'=>'إدراج','Specify where new attachments are added'=>'حدد مكان إضافة المرفقات الجديدة','Append to the end'=>'إلحاق بالنهاية','Prepend to the beginning'=>'إلحاق بالبداية','Preview Size'=>'حجم المعاينة','%1$s requires at least %2$s selection'=>'%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديدان' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد','Repeater'=>'المكرر','Minimum rows not reached ({min} rows)'=>'وصلت للحد الأدنى من الصفوف ({min} صف)','Maximum rows reached ({max} rows)'=>'بلغت الحد الأقصى من الصفوف ({max} صف)','Error loading page'=>'خطأ في تحميل الحقل.','Sub Fields'=>'الحقول الفرعية','Pagination'=>'الموضع','Rows Per Page'=>'صفحة المقالات','Set the number of rows to be displayed on a page.'=>'حدد التصنيف الذي سيتم عرضه','Minimum Rows'=>'الحد الأدنى من الصفوف','Maximum Rows'=>'الحد الأقصى من الصفوف','Collapsed'=>'طي','Select a sub field to show when row is collapsed'=>'حدد حقل فرعي للإظهار عند طي الصف','Invalid nonce.'=>'غير صالح','Invalid field key or name.'=>'غير صالح','Click to reorder'=>'اسحب لإعادة الترتيب','Add row'=>'إضافة صف','Duplicate row'=>'تكرار','Remove row'=>'إزالة صف','Current Page'=>'المستخدم الحالي','First Page'=>'الصفحة الرئسية','Previous Page'=>'صفحة المقالات','Next Page'=>'الصفحة الرئسية','Last Page'=>'صفحة المقالات','No block types exist'=>'لا توجد صفحة خيارات','Options Page'=>'خيارات الصفحة','No options pages exist'=>'لا توجد صفحة خيارات','Deactivate License'=>'تعطيل الترخيص','Activate License'=>'تفعيل الترخيص','License Information'=>'معلومات الترخيص','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك أدناه. إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على التفاصيل والتسعير.','License Key'=>'مفتاح الترخيص','Retry Activation'=>'تحقق افضل','Update Information'=>'معلومات التحديث','Current Version'=>'النسخة الحالية','Latest Version'=>'آخر نسخة','Update Available'=>'هنالك تحديث متاح','No'=>'لا','Yes'=>'نعم','Upgrade Notice'=>'إشعار الترقية','Enter your license key to unlock updates'=>'يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثات','Update Plugin'=>'تحديث الاضافة','Please reactivate your license to unlock updates'=>'يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثات']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'الحقول المخصصة المتقدمة للمحترفين','Block type name is required.'=>'اسم نوع الكتلة مطلوب.','Block type "%s" is already registered.'=>'نوع الكتلة "%s" مسجل بالفعل.','Switch to Edit'=>'قم بالتبديل للتحرير','Switch to Preview'=>'قم بالتبديل للمعاينة','Change content alignment'=>'','%s settings'=>'%s الإعدادات','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'خيارات','Update'=>'تحديث','Options Updated'=>'تم تحديث الإعدادات','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك على صفحة التحديثات . إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على التفاصيل والتسعير.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'خطأ. تعذر الاتصال بخادم التحديث','Check Again'=>'تحقق مرة اخرى','ACF Activation Error. Could not connect to activation server'=>'خطأ. تعذر الاتصال بخادم التحديث','Publish'=>'نشر','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'لم يتم العثور على أية "مجموعات حقول مخصصة لصفحة الخيارات هذة. أنشئ مجموعة حقول مخصصة','Edit field group'=>'تحرير مجموعة الحقول','Error. Could not connect to update server'=>'خطأ. تعذر الاتصال بخادم التحديث','Updates'=>'تحديثات','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>' خطأ b>. تعذرت مصادقة حزمة التحديث. يرجى التحقق مرة أخرى أو إلغاء تنشيط وإعادة تنشيط ترخيص ACF PRO الخاص بك.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>' خطأ b>. تعذرت مصادقة حزمة التحديث. يرجى التحقق مرة أخرى أو إلغاء تنشيط وإعادة تنشيط ترخيص ACF PRO الخاص بك.','nounClone'=>'تكرار','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'حقول','Select one or more fields you wish to clone'=>'حدد حقل واحد أو أكثر ترغب في تكراره','Display'=>'عرض','Specify the style used to render the clone field'=>'حدد النمط المستخدم لعرض حقل التكرار','Group (displays selected fields in a group within this field)'=>'المجموعة (تعرض الحقول المحددة في مجموعة ضمن هذا الحقل)','Seamless (replaces this field with selected fields)'=>'سلس (يستبدل هذا الحقل بالحقول المحددة)','Layout'=>'المخطط','Specify the style used to render the selected fields'=>'حدد النمط المستخدم لعرض الحقول المحددة','Block'=>'كتلة','Table'=>'جدول','Row'=>'صف','Labels will be displayed as %s'=>'سيتم عرض التسمية كـ %s','Prefix Field Labels'=>'بادئة تسمية الحقول','Values will be saved as %s'=>'سيتم حفظ القيم كـ %s','Prefix Field Names'=>'بادئة أسماء الحقول','Unknown field'=>'حقل غير معروف','(no title)'=>'(بدون عنوان)','Unknown field group'=>'مجموعة حقول غير معروفة','All fields from %s field group'=>'جميع الحقول من مجموعة الحقول %s','Flexible Content'=>'المحتوى المرن','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'إضافة صف','layout'=>'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط' . "\0" . 'التخطيط','layouts'=>'التخطيطات','This field requires at least {min} {label} {identifier}'=>'يتطلب هذا الحقل على الأقل {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'يحتوي هذا الحقل حد {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} متاح (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} مطلوب (min {min})','Flexible Content requires at least 1 layout'=>'يتطلب المحتوى المرن تخطيط واحد على الأقل','Click the "%s" button below to start creating your layout'=>'انقر فوق الزر "%s" أدناه لبدء إنشاء التخطيط الخاص بك','Drag to reorder'=>'اسحب لإعادة الترتيب','Add layout'=>'إضافة مخطط جديد','Duplicate layout'=>'تكرار التخطيط','Remove layout'=>'إزالة المخطط','Click to toggle'=>'انقر للتبديل','Delete Layout'=>'حذف المخطط','Duplicate Layout'=>'تكرار التخطيط','Add New Layout'=>'إضافة مخطط جديد','Add Layout'=>'إضافة مخطط جديد','Label'=>'تسمية','Name'=>'الاسم','Min'=>'الحد الأدنى','Max'=>'الحد أقصى','Minimum Layouts'=>'الحد الأدنى للتخطيطات','Maximum Layouts'=>'الحد الأقصى للتخطيطات','Button Label'=>'تسمية الزر','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '' . "\0" . '' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '' . "\0" . '' . "\0" . '' . "\0" . '','Gallery'=>'الالبوم','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'اضافة صورة للمعرض','Maximum selection reached'=>'وصلت للحد الأقصى','Length'=>'الطول','Edit'=>'تحرير','Remove'=>'ازالة','Title'=>'العنوان','Caption'=>'كلمات توضيحية','Alt Text'=>'النص البديل','Description'=>'الوصف','Add to gallery'=>'اضافة الى المعرض','Bulk actions'=>'اجراءات جماعية','Sort by date uploaded'=>'ترتيب حسب تاريخ الرفع','Sort by date modified'=>'ترتيب حسب تاريخ التعديل','Sort by title'=>'ترتيب حسب العنوان','Reverse current order'=>'عكس الترتيب الحالي','Close'=>'إغلاق','Return Format'=>'التنسيق المسترجع','Image Array'=>'مصفوفة الصور','Image URL'=>'رابط الصورة','Image ID'=>'معرف الصورة','Library'=>'المكتبة','Limit the media library choice'=>'الحد من اختيار مكتبة الوسائط','All'=>'الكل','Uploaded to post'=>'مرفوع الى المقالة','Minimum Selection'=>'الحد الأدنى للاختيار','Maximum Selection'=>'الحد الأقصى للاختيار','Minimum'=>'الحد الأدنى','Restrict which images can be uploaded'=>'تقييد الصور التي يمكن رفعها','Width'=>'العرض','Height'=>'الإرتفاع','File size'=>'حجم الملف','Maximum'=>'الحد الأقصى','Allowed file types'=>'أنواع الملفات المسموح بها','Comma separated list. Leave blank for all types'=>'قائمة مفصولة بفواصل. اترك المساحة فارغة للسماح بالكل','Insert'=>'إدراج','Specify where new attachments are added'=>'حدد مكان إضافة المرفقات الجديدة','Append to the end'=>'إلحاق بالنهاية','Prepend to the beginning'=>'إلحاق بالبداية','Preview Size'=>'حجم المعاينة','%1$s requires at least %2$s selection'=>'%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديدان' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد' . "\0" . '%s يتطلب على الأقل %s تحديد','Repeater'=>'المكرر','Minimum rows not reached ({min} rows)'=>'وصلت للحد الأدنى من الصفوف ({min} صف)','Maximum rows reached ({max} rows)'=>'بلغت الحد الأقصى من الصفوف ({max} صف)','Error loading page'=>'خطأ في تحميل الحقل.','Order will be assigned upon save'=>'','Sub Fields'=>'الحقول الفرعية','Pagination'=>'الموضع','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'صفحة المقالات','Set the number of rows to be displayed on a page.'=>'حدد التصنيف الذي سيتم عرضه','Minimum Rows'=>'الحد الأدنى من الصفوف','Maximum Rows'=>'الحد الأقصى من الصفوف','Collapsed'=>'طي','Select a sub field to show when row is collapsed'=>'حدد حقل فرعي للإظهار عند طي الصف','Invalid nonce.'=>'غير صالح','Invalid field key or name.'=>'غير صالح','There was an error retrieving the field.'=>'','Click to reorder'=>'اسحب لإعادة الترتيب','Add row'=>'إضافة صف','Duplicate row'=>'تكرار','Remove row'=>'إزالة صف','Current Page'=>'المستخدم الحالي','First Page'=>'الصفحة الرئسية','Previous Page'=>'صفحة المقالات','paging%1$s of %2$s'=>'','Next Page'=>'الصفحة الرئسية','Last Page'=>'صفحة المقالات','No block types exist'=>'لا توجد صفحة خيارات','Options Page'=>'خيارات الصفحة','No options pages exist'=>'لا توجد صفحة خيارات','Deactivate License'=>'تعطيل الترخيص','Activate License'=>'تفعيل الترخيص','License Information'=>'معلومات الترخيص','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك أدناه. إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على التفاصيل والتسعير.','License Key'=>'مفتاح الترخيص','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'تحقق افضل','Update Information'=>'معلومات التحديث','Current Version'=>'النسخة الحالية','Latest Version'=>'آخر نسخة','Update Available'=>'هنالك تحديث متاح','No'=>'لا','Yes'=>'نعم','Upgrade Notice'=>'إشعار الترقية','Check For Updates'=>'','Enter your license key to unlock updates'=>'يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثات','Update Plugin'=>'تحديث الاضافة','Please reactivate your license to unlock updates'=>'يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثات'],'language'=>'ar','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ar.mo b/lang/acf-ar.mo
index f77a786..5d28b98 100644
Binary files a/lang/acf-ar.mo and b/lang/acf-ar.mo differ
diff --git a/lang/acf-ar.po b/lang/acf-ar.po
index c27b3f8..e9c5082 100644
--- a/lang/acf-ar.po
+++ b/lang/acf-ar.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-bg_BG.l10n.php b/lang/acf-bg_BG.l10n.php
index 0037159..2818bf1 100644
--- a/lang/acf-bg_BG.l10n.php
+++ b/lang/acf-bg_BG.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'bg_BG','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Името за типа блок е задължително.','Block type "%s" is already registered.'=>'Типа блок "%s" е вече регистриран.','Switch to Edit'=>'Отидете на Редакция','Switch to Preview'=>'Отидете на Преглед','Change content alignment'=>'Промяна подравняването на съдържанието.','%s settings'=>'%s настройки','This block contains no editable fields.'=>'Този блок не съдържа полета, които могат да се променят.','Assign a field group to add fields to this block.'=>'Задайте група от полета за да добавите полета към този блок.','Options'=>'Опции','Update'=>'Обновяване','Options Updated'=>'Опциите бяха актуализирани','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'За да включите обновяванията, моля въведете вашия ключ за лиценз на страницата за Актуализации. Ако нямате ключ за лиценз, моля посетете детайли и цени','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Грешка при активацията на ACF. Вашият ключ е променен, но има грешка при деактивирането на вашия стар лиценз.','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Грешка при активацията на ACF. Вашият ключ е променен, но има грешка при свързването със сървъра.','ACF Activation Error'=>'Грешка при активацията на ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Грешка при активацията на ACF. Грешка при свързането със сървъра','Check Again'=>'Проверка','ACF Activation Error. Could not connect to activation server'=>'Грешка при активацията на ACF. Не може да се свърже със сървъра','Publish'=>'Публикуване','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Няма намерени групи полета за тази страница с опции. Създаване на група полета','Edit field group'=>'Редактиране на група полета','Error. Could not connect to update server'=>'Грешка. Неуспешно свързване със сървъра','Updates'=>'Актуализации','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Грешка. Не може да се удостовери ъпдейт пакета. Моля проверете отново или активирайте наново вашия ACF PRO лиценз.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Грешка. Вашият лиценз за този сайт е изтекъл или е бил деактивиран. Моля активирайте наново вашият ACF PRO лиценз.','nounClone'=>'Клонирай','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Позволява ви да избирате и показвате съществуващи полета. Не дублира полета в базата с данни, но зарежда и показва избраните полета по време на изпълнение. "Клонирай" полето може да замени себе си със избраните полета или да покаже избраните полета като група от подполета.','Fields'=>'Полета','Select one or more fields you wish to clone'=>'Изберете едно или повече полета, които искате да клонирате','Display'=>'Покажи','Specify the style used to render the clone field'=>'Посочете стила, който да се използва при показването на клонираното поле','Group (displays selected fields in a group within this field)'=>'Група (показва избраните полета в група в това поле)','Seamless (replaces this field with selected fields)'=>'Безпроблемно (заменя това поле с избраните полета)','Layout'=>'Шаблон','Specify the style used to render the selected fields'=>'Посочете стила, който да се използва при показването на клонираните полета','Block'=>'Блок','Table'=>'Таблица','Row'=>'Ред','Labels will be displayed as %s'=>'Етикетите ще бъдат показани като %s','Prefix Field Labels'=>'Добавете в началото етикет на полето','Values will be saved as %s'=>'Стойностите ще бъдат запазени като %s','Prefix Field Names'=>'Добавете в началото име на полето','Unknown field'=>'Непознато поле','(no title)'=>'(без заглавие)','Unknown field group'=>'Непозната групата полета','All fields from %s field group'=>'Всички полета от %s група','Flexible Content'=>'Гъвкаво съдържание','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Позволява ви да дефинирате, създавате и управлявате съдържание като създавате шаблони, които съдържат допълнителни подполета, от които редакторите на съдържанието могат да избират.','We do not recommend using this field in ACF Blocks.'=>'Ние не препоръчваме използването на това поле в ACF Blocks.','Add Row'=>'Добавяне на ред','layout'=>'шаблон' . "\0" . 'шаблони','layouts'=>'шаблони','This field requires at least {min} {label} {identifier}'=>'Това поле изисква поне {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Това поле има лимит от {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} налични (максимум {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} задължителни (минимум {min})','Flexible Content requires at least 1 layout'=>'Полето за гъвкаво съдържание изисква поне 1 шаблон полета','Click the "%s" button below to start creating your layout'=>'Натиснете бутона "%s" за да започнете да създавате вашия шаблон','Drag to reorder'=>'Плъзнете, за да пренаредите','Add layout'=>'Създаване на шаблон','Duplicate layout'=>'Дублиране на шаблон','Remove layout'=>'Премахване на шаблон','Click to toggle'=>'Кликнете за да превключите','Delete Layout'=>'Изтриване на шаблон','Duplicate Layout'=>'Дублиране на шаблон','Add New Layout'=>'Добавяне на нов шаблон','Add Layout'=>'Създаване на шаблон','Label'=>'Етикет','Name'=>'Име','Min'=>'Минимум','Max'=>'Максимум','Minimum Layouts'=>'Минимален брой шаблони','Maximum Layouts'=>'Максимален брой шаблони','Button Label'=>'Етикет на бутона','%s must be of type array or null.'=>'%s трябва да бъдат от тип array или null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s трябва да съдържа не повече от %2$s %3$s шаблон.' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'%1$s трябва да съдържа не повече от %2$s %3$s шаблона.' . "\0" . '%1$s трябва да съдържа не повече от %2$s %3$s шаблонa.','Gallery'=>'Галерия','An interactive interface for managing a collection of attachments, such as images.'=>'Интерактивен интерфейс за управление на колекция от прикачени файлове, като изображения.','Add Image to Gallery'=>'Добавяне на изображение към галерия','Maximum selection reached'=>'Максималния брой избори бе достигнат','Length'=>'Размер','Edit'=>'Редактиране','Remove'=>'Премахване','Title'=>'Заглавие','Caption'=>'Описание','Alt Text'=>'Допълнителен Текст','Description'=>'Описание','Add to gallery'=>'Добавяне към галерия','Bulk actions'=>'Групови действия','Sort by date uploaded'=>'Сортиране по дата на качване','Sort by date modified'=>'Сортиране по дата на последна промяна','Sort by title'=>'Сортиране по заглавие','Reverse current order'=>'Обръщане на текущия ред','Close'=>'Затваряне','Return Format'=>'Формат на върнатите данни','Image Array'=>'Масив от изображения','Image URL'=>'URL на изображението','Image ID'=>'ID на изображението','Library'=>'Библиотека','Limit the media library choice'=>'Ограничаване на избора на файлове','All'=>'Всички','Uploaded to post'=>'Прикачени към публикация','Minimum Selection'=>'Минимална селекция','Maximum Selection'=>'Максимална селекция','Minimum'=>'Минимум','Restrict which images can be uploaded'=>'Ограничаване какви изображения могат да бъдат качени','Width'=>'Ширина','Height'=>'Височина','File size'=>'Размер на файла','Maximum'=>'Максимум','Allowed file types'=>'Позволени файлови типове','Comma separated list. Leave blank for all types'=>'Списък, разделен със запетаи. Оставете празно за всички типове','Insert'=>'Вмъкнете','Specify where new attachments are added'=>'Посочете къде да се добавят прикачените файлове','Append to the end'=>'Добави в края','Prepend to the beginning'=>'Добави в началото','Preview Size'=>'Размер на визуализация','%1$s requires at least %2$s selection'=>'%s изисква поне %s избор' . "\0" . '%s изисква поне %s избора','Repeater'=>'Повторител','Minimum rows not reached ({min} rows)'=>'Минималния брой редове не е достигнат ({min} реда)','Maximum rows reached ({max} rows)'=>'Максималния брой редове бе достигнат ({max} реда)','Error loading page'=>'Грешка при зареждането на страницата','Order will be assigned upon save'=>'Реда на подреждане ще бъде създаден при запазване.','Sub Fields'=>'Вложени полета','Pagination'=>'Страници','Useful for fields with a large number of rows.'=>'Полезно за полета с голям брой редове.','Rows Per Page'=>'Редове На Страница','Set the number of rows to be displayed on a page.'=>'Задайте номер редове, които да се показват на страница','Minimum Rows'=>'Минимален брой редове','Maximum Rows'=>'Максимален брой редове','Collapsed'=>'Свит','Select a sub field to show when row is collapsed'=>'Изберете вложено поле, което да се показва когато реда е свит','Invalid field key or name.'=>'Невалиден ключ или име.','There was an error retrieving the field.'=>'Има грешка при взимането на полето.','Click to reorder'=>'Плъзнете за да пренаредите','Add row'=>'Добавяне на ред','Duplicate row'=>'Дублиране на ред','Remove row'=>'Премахване на ред','Current Page'=>'Текуща страница','First Page'=>'Първа страница','Previous Page'=>'Предишна страница','paging%1$s of %2$s'=>'%1$s от %2$s','Next Page'=>'Следваща страница','Last Page'=>'Последна страница','No block types exist'=>'Не съществуват блокове от този тип','Options Page'=>'Страница с опции','No options pages exist'=>'Няма създадени страници с опции','Deactivate License'=>'Деактивиране на лиценз','Activate License'=>'Активиране на лиценз','License Information'=>'Информация за лиценза','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'За да включите обновяванията, моля въведете вашия ключ за лиценз долу. Ако нямате ключ за лиценз, моля посетете детайли и цени','License Key'=>'Лицензионен ключ','Your license key is defined in wp-config.php.'=>'Вашият ключ за лиценза е дефиниран в wp-config.php.','Retry Activation'=>'Активация наново','Update Information'=>'Информация за обновяването','Current Version'=>'Текуща версия','Latest Version'=>'Последна версия','Update Available'=>'Налице е обновяване','No'=>'Не','Yes'=>'Да','Upgrade Notice'=>'Забележки за обновяването','Check For Updates'=>'Проверка за обновявания.','Enter your license key to unlock updates'=>'Моля въведете вашия ключ за лиценза за да отключите обновяванията','Update Plugin'=>'Обновяване','Please reactivate your license to unlock updates'=>'Моля активирайте наново вашия лиценз за да отключите обновяванията']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Името за типа блок е задължително.','Block type "%s" is already registered.'=>'Типа блок "%s" е вече регистриран.','Switch to Edit'=>'Отидете на Редакция','Switch to Preview'=>'Отидете на Преглед','Change content alignment'=>'Промяна подравняването на съдържанието.','%s settings'=>'%s настройки','This block contains no editable fields.'=>'Този блок не съдържа полета, които могат да се променят.','Assign a field group to add fields to this block.'=>'Задайте група от полета за да добавите полета към този блок.','Options'=>'Опции','Update'=>'Обновяване','Options Updated'=>'Опциите бяха актуализирани','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'За да включите обновяванията, моля въведете вашия ключ за лиценз на страницата за Актуализации. Ако нямате ключ за лиценз, моля посетете детайли и цени','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Грешка при активацията на ACF. Вашият ключ е променен, но има грешка при деактивирането на вашия стар лиценз.','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Грешка при активацията на ACF. Вашият ключ е променен, но има грешка при свързването със сървъра.','ACF Activation Error'=>'Грешка при активацията на ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Грешка при активацията на ACF. Грешка при свързането със сървъра','Check Again'=>'Проверка','ACF Activation Error. Could not connect to activation server'=>'Грешка при активацията на ACF. Не може да се свърже със сървъра','Publish'=>'Публикуване','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Няма намерени групи полета за тази страница с опции. Създаване на група полета','Edit field group'=>'Редактиране на група полета','Error. Could not connect to update server'=>'Грешка. Неуспешно свързване със сървъра','Updates'=>'Актуализации','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Грешка. Не може да се удостовери ъпдейт пакета. Моля проверете отново или активирайте наново вашия ACF PRO лиценз.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Грешка. Вашият лиценз за този сайт е изтекъл или е бил деактивиран. Моля активирайте наново вашият ACF PRO лиценз.','nounClone'=>'Клонирай','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Позволява ви да избирате и показвате съществуващи полета. Не дублира полета в базата с данни, но зарежда и показва избраните полета по време на изпълнение. "Клонирай" полето може да замени себе си със избраните полета или да покаже избраните полета като група от подполета.','Fields'=>'Полета','Select one or more fields you wish to clone'=>'Изберете едно или повече полета, които искате да клонирате','Display'=>'Покажи','Specify the style used to render the clone field'=>'Посочете стила, който да се използва при показването на клонираното поле','Group (displays selected fields in a group within this field)'=>'Група (показва избраните полета в група в това поле)','Seamless (replaces this field with selected fields)'=>'Безпроблемно (заменя това поле с избраните полета)','Layout'=>'Шаблон','Specify the style used to render the selected fields'=>'Посочете стила, който да се използва при показването на клонираните полета','Block'=>'Блок','Table'=>'Таблица','Row'=>'Ред','Labels will be displayed as %s'=>'Етикетите ще бъдат показани като %s','Prefix Field Labels'=>'Добавете в началото етикет на полето','Values will be saved as %s'=>'Стойностите ще бъдат запазени като %s','Prefix Field Names'=>'Добавете в началото име на полето','Unknown field'=>'Непознато поле','(no title)'=>'(без заглавие)','Unknown field group'=>'Непозната групата полета','All fields from %s field group'=>'Всички полета от %s група','Flexible Content'=>'Гъвкаво съдържание','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Позволява ви да дефинирате, създавате и управлявате съдържание като създавате шаблони, които съдържат допълнителни подполета, от които редакторите на съдържанието могат да избират.','We do not recommend using this field in ACF Blocks.'=>'Ние не препоръчваме използването на това поле в ACF Blocks.','Add Row'=>'Добавяне на ред','layout'=>'шаблон' . "\0" . 'шаблони','layouts'=>'шаблони','This field requires at least {min} {label} {identifier}'=>'Това поле изисква поне {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Това поле има лимит от {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} налични (максимум {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} задължителни (минимум {min})','Flexible Content requires at least 1 layout'=>'Полето за гъвкаво съдържание изисква поне 1 шаблон полета','Click the "%s" button below to start creating your layout'=>'Натиснете бутона "%s" за да започнете да създавате вашия шаблон','Drag to reorder'=>'Плъзнете, за да пренаредите','Add layout'=>'Създаване на шаблон','Duplicate layout'=>'Дублиране на шаблон','Remove layout'=>'Премахване на шаблон','Click to toggle'=>'Кликнете за да превключите','Delete Layout'=>'Изтриване на шаблон','Duplicate Layout'=>'Дублиране на шаблон','Add New Layout'=>'Добавяне на нов шаблон','Add Layout'=>'Създаване на шаблон','Label'=>'Етикет','Name'=>'Име','Min'=>'Минимум','Max'=>'Максимум','Minimum Layouts'=>'Минимален брой шаблони','Maximum Layouts'=>'Максимален брой шаблони','Button Label'=>'Етикет на бутона','%s must be of type array or null.'=>'%s трябва да бъдат от тип array или null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s трябва да съдържа не повече от %2$s %3$s шаблон.' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'%1$s трябва да съдържа не повече от %2$s %3$s шаблона.' . "\0" . '%1$s трябва да съдържа не повече от %2$s %3$s шаблонa.','Gallery'=>'Галерия','An interactive interface for managing a collection of attachments, such as images.'=>'Интерактивен интерфейс за управление на колекция от прикачени файлове, като изображения.','Add Image to Gallery'=>'Добавяне на изображение към галерия','Maximum selection reached'=>'Максималния брой избори бе достигнат','Length'=>'Размер','Edit'=>'Редактиране','Remove'=>'Премахване','Title'=>'Заглавие','Caption'=>'Описание','Alt Text'=>'Допълнителен Текст','Description'=>'Описание','Add to gallery'=>'Добавяне към галерия','Bulk actions'=>'Групови действия','Sort by date uploaded'=>'Сортиране по дата на качване','Sort by date modified'=>'Сортиране по дата на последна промяна','Sort by title'=>'Сортиране по заглавие','Reverse current order'=>'Обръщане на текущия ред','Close'=>'Затваряне','Return Format'=>'Формат на върнатите данни','Image Array'=>'Масив от изображения','Image URL'=>'URL на изображението','Image ID'=>'ID на изображението','Library'=>'Библиотека','Limit the media library choice'=>'Ограничаване на избора на файлове','All'=>'Всички','Uploaded to post'=>'Прикачени към публикация','Minimum Selection'=>'Минимална селекция','Maximum Selection'=>'Максимална селекция','Minimum'=>'Минимум','Restrict which images can be uploaded'=>'Ограничаване какви изображения могат да бъдат качени','Width'=>'Ширина','Height'=>'Височина','File size'=>'Размер на файла','Maximum'=>'Максимум','Allowed file types'=>'Позволени файлови типове','Comma separated list. Leave blank for all types'=>'Списък, разделен със запетаи. Оставете празно за всички типове','Insert'=>'Вмъкнете','Specify where new attachments are added'=>'Посочете къде да се добавят прикачените файлове','Append to the end'=>'Добави в края','Prepend to the beginning'=>'Добави в началото','Preview Size'=>'Размер на визуализация','%1$s requires at least %2$s selection'=>'%s изисква поне %s избор' . "\0" . '%s изисква поне %s избора','Repeater'=>'Повторител','Minimum rows not reached ({min} rows)'=>'Минималния брой редове не е достигнат ({min} реда)','Maximum rows reached ({max} rows)'=>'Максималния брой редове бе достигнат ({max} реда)','Error loading page'=>'Грешка при зареждането на страницата','Order will be assigned upon save'=>'Реда на подреждане ще бъде създаден при запазване.','Sub Fields'=>'Вложени полета','Pagination'=>'Страници','Useful for fields with a large number of rows.'=>'Полезно за полета с голям брой редове.','Rows Per Page'=>'Редове На Страница','Set the number of rows to be displayed on a page.'=>'Задайте номер редове, които да се показват на страница','Minimum Rows'=>'Минимален брой редове','Maximum Rows'=>'Максимален брой редове','Collapsed'=>'Свит','Select a sub field to show when row is collapsed'=>'Изберете вложено поле, което да се показва когато реда е свит','Invalid nonce.'=>'','Invalid field key or name.'=>'Невалиден ключ или име.','There was an error retrieving the field.'=>'Има грешка при взимането на полето.','Click to reorder'=>'Плъзнете за да пренаредите','Add row'=>'Добавяне на ред','Duplicate row'=>'Дублиране на ред','Remove row'=>'Премахване на ред','Current Page'=>'Текуща страница','First Page'=>'Първа страница','Previous Page'=>'Предишна страница','paging%1$s of %2$s'=>'%1$s от %2$s','Next Page'=>'Следваща страница','Last Page'=>'Последна страница','No block types exist'=>'Не съществуват блокове от този тип','Options Page'=>'Страница с опции','No options pages exist'=>'Няма създадени страници с опции','Deactivate License'=>'Деактивиране на лиценз','Activate License'=>'Активиране на лиценз','License Information'=>'Информация за лиценза','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'За да включите обновяванията, моля въведете вашия ключ за лиценз долу. Ако нямате ключ за лиценз, моля посетете детайли и цени','License Key'=>'Лицензионен ключ','Your license key is defined in wp-config.php.'=>'Вашият ключ за лиценза е дефиниран в wp-config.php.','Retry Activation'=>'Активация наново','Update Information'=>'Информация за обновяването','Current Version'=>'Текуща версия','Latest Version'=>'Последна версия','Update Available'=>'Налице е обновяване','No'=>'Не','Yes'=>'Да','Upgrade Notice'=>'Забележки за обновяването','Check For Updates'=>'Проверка за обновявания.','Enter your license key to unlock updates'=>'Моля въведете вашия ключ за лиценза за да отключите обновяванията','Update Plugin'=>'Обновяване','Please reactivate your license to unlock updates'=>'Моля активирайте наново вашия лиценз за да отключите обновяванията'],'language'=>'bg_BG','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-bg_BG.mo b/lang/acf-bg_BG.mo
index ce71ae0..4a07e16 100644
Binary files a/lang/acf-bg_BG.mo and b/lang/acf-bg_BG.mo differ
diff --git a/lang/acf-bg_BG.po b/lang/acf-bg_BG.po
index df747a8..5f787bb 100644
--- a/lang/acf-bg_BG.po
+++ b/lang/acf-bg_BG.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: bg_BG\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-ca.l10n.php b/lang/acf-ca.l10n.php
index 7c3081c..53a0461 100644
--- a/lang/acf-ca.l10n.php
+++ b/lang/acf-ca.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'ca','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['The core ACF block binding source name for fields on the current pageACF Fields'=>'Camps de l\'ACF','ACF PRO Feature'=>'Característiques de l\'ACF PRO','Renew PRO to Unlock'=>'Renoveu a PRO per desbloquejar','Renew PRO License'=>'Renova la llicència PRO','PRO fields cannot be edited without an active license.'=>'Els camps PRO no es poden editar sense una llicència activa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeu la llicència ACF PRO per a editar els grups de camps assignats a un bloc ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activeu la llicència ACF PRO per editar aquesta pàgina d\'opcions.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Retornar els valors HTML escapats només és possible quan format_value també és true. Els valors del camp no s\'han retornat per seguretat.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Retornar un valor HTML escapat només és possible quan format_value també és true. El valor del camp no s\'ha retornat per seguretat.','Please contact your site administrator or developer for more details.'=>'Contacteu amb l\'administrador o el desenvolupador del vostre lloc per a més detalls.','Hide details'=>'Amaga detalls','Show details'=>'Mostra detalls','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderitzat via %3$s','Renew ACF PRO License'=>'Renova la llicència ACF PRO','Renew License'=>'Renova la llicència','Manage License'=>'Gestiona la llicència','\'High\' position not supported in the Block Editor'=>'No s\'admet la posició "Alta" a l\'editor de blocs.','Upgrade to ACF PRO'=>'Actualitza a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Les pàgines d\'opcions d\'ACF són pàgines d\'administració personalitzades per a gestionar la configuració global mitjançant camps. Podeu crear diverses pàgines i subpàgines.','Add Options Page'=>'Afegeix una pàgina d\'opcions','In the editor used as the placeholder of the title.'=>'A l\'editor s\'utilitza com a marcador de posició del títol.','Title Placeholder'=>'Marcador de posició del títol','4 Months Free'=>'4 mesos gratuïts','(Duplicated from %s)'=>'(Duplicat de %s)','Select Options Pages'=>'Selecciona les pàgines d\'opcions','Duplicate taxonomy'=>'Duplica la taxonomia','Create taxonomy'=>'Crea una taxonomia','Duplicate post type'=>'Duplica el tipus d\'entrada','Create post type'=>'Crea un tipus de contingut','Link field groups'=>'Enllaça grups de camps','Add fields'=>'Afegeix camps','This Field'=>'Aquest camp','ACF PRO'=>'ACF PRO','Feedback'=>'Opinions','Support'=>'Suport','is developed and maintained by'=>'és desenvolupat i mantingut per','Add this %s to the location rules of the selected field groups.'=>'Afegeix %s a les regles d\'ubicació dels grups de camps seleccionats.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Activar el paràmetre bidireccional permet actualitzar un valor als camps de destinació per cada valor seleccionat per aquest camp, afegint o suprimint l\'ID d\'entrada, l\'ID de taxonomia o l\'ID d\'usuari de l\'element que s\'està actualitzant. Per a més informació, llegeix la documentació.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona els camps per emmagatzemar la referència a l\'element que s\'està actualitzant. Podeu seleccionar aquest camp. Els camps de destinació han de ser compatibles amb el lloc on s\'està mostrant aquest camp. Per exemple, si aquest camp es mostra a una taxonomia, el camp de destinació ha de ser del tipus taxonomia','Target Field'=>'Camp de destinació','Update a field on the selected values, referencing back to this ID'=>'Actualitza un camp amb els valors seleccionats, fent referència a aquest identificador','Bidirectional'=>'Bidireccional','%s Field'=>'Camp %s','Select Multiple'=>'Selecciona múltiples','WP Engine logo'=>'Logotip de WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Només minúscules, subratllats i guions, màxim 32 caràcters.','The capability name for assigning terms of this taxonomy.'=>'El nom de la capacitat per assignar termes d\'aquesta taxonomia.','Assign Terms Capability'=>'Capacitat d\'assignar termes','The capability name for deleting terms of this taxonomy.'=>'El nom de la capacitat per suprimir termes d\'aquesta taxonomia.','Delete Terms Capability'=>'Capacitat de suprimir termes','The capability name for editing terms of this taxonomy.'=>'El nom de la capacitat per editar termes d\'aquesta taxonomia.','Edit Terms Capability'=>'Capacitat d\'editar termes','The capability name for managing terms of this taxonomy.'=>'El nom de la capacitat per gestionar termes d\'aquesta taxonomia.','Manage Terms Capability'=>'Gestiona la capacitat dels termes','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Estableix si les entrades s\'han d\'excloure dels resultats de la cerca i de les pàgines d\'arxiu de taxonomia.','More Tools from WP Engine'=>'Més eines de WP Engine','Built for those that build with WordPress, by the team at %s'=>'S\'ha fet per als que construeixen amb el WordPress, per l\'equip a %s','View Pricing & Upgrade'=>'Mostra els preus i actualitzacions','Learn More'=>'Més informació','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accelera el flux de treball i desenvolupa millors llocs web amb funcions com ara blocs ACF i pàgines d\'opcions, i tipus de camps sofisticats com repetidor, contingut flexible, clonar i galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloqueja característiques avançades i construeix encara més amb ACF PRO','%s fields'=>'%s camps','No terms'=>'No hi ha termes','No post types'=>'No existeixen tipus d\'entrada','No posts'=>'Sense entrades','No taxonomies'=>'No hi ha taxonomies','No field groups'=>'No hi ha grups de camp','No fields'=>'No hi ha camps','No description'=>'No hi ha descripció','Any post status'=>'Qualsevol estat d\'entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Aquesta clau de taxonomia ja l\'està utilitzant una altra taxonomia registrada fora d\'ACF i no es pot utilitzar.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Aquesta clau de taxonomia ja l\'està utilitzant una altra taxonomia a ACF i no es pot fer servir.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clau de taxonomia només ha de contenir caràcters alfanumèrics en minúscules, guions baixos o guions.','The taxonomy key must be under 32 characters.'=>'La clau de taxonomia hauria de tenir menys de 20 caràcters','No Taxonomies found in Trash'=>'No s\'ha trobat cap taxonomia a la paperera.','No Taxonomies found'=>'No s\'ha trobat cap taxonomia','Search Taxonomies'=>'Cerca taxonomies','View Taxonomy'=>'Visualitza la taxonomia','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Edita la taxonomia','Add New Taxonomy'=>'Afegeix una nova taxonomia','No Post Types found in Trash'=>'No s\'ha trobat cap tipus de contingut a la paperera.','No Post Types found'=>'No s\'ha trobat cap tipus de contingut','Search Post Types'=>'Cerca tipus de contingut','View Post Type'=>'Visualitza el tipus de contingut','New Post Type'=>'Nou tipus de contingut','Edit Post Type'=>'Edita el tipus de contingut','Add New Post Type'=>'Afegeix un nou tipus de contingut','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Aquesta clau de tipus de contingut ja s\'està utilitzant per un altre tipus de contingut registrat fora d\'ACF i no es pot utilitzar.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Aquesta clau de tipus de contingut ja s\'està utilitzant en un atre tipus de contingut d\'ACF i no es pot utilitzar.','This field must not be a WordPress reserved term.'=>'Aquest camp no ha de ser un terme reservat de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clau de tipus d\'entrada només ha de contenir caràcters alfanumèrics en minúscules, guions baixos o guions.','The post type key must be under 20 characters.'=>'La clau de tipus de contingut hauria de tenir menys de 20 caràcters.','We do not recommend using this field in ACF Blocks.'=>'No recomanem fer servir aquest camp en el block d\'ACF','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Mostra l\'editor WYSIWYG de WordPress tal com es veu a publicacions i pàgines que permet una experiència d\'edició de text rica i que també permet contingut multimèdia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permet la selecció d\'un o més usuaris que es poden utilitzar per crear relacions entre objectes de dades.','A text input specifically designed for storing web addresses.'=>'Un camp de text dissenyat especificament per emmagatzemar adreces web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un commutador que us permet triar un valor d\'1 o 0 (activat o desactivat, cert o fals, etc.). Es pot presentar com un interruptor estilitzat o una casella de selecció.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una hora. El format de l\'hora es pot personalitzar mitjançant la configuració de camp.','A basic textarea input for storing paragraphs of text.'=>'Un camp d\'àrea de text bàsic per emmagatzemar paràgrafs de text.','A basic text input, useful for storing single string values.'=>'Un camp bàsic de text, útil per emmagatzemar valors de cadena simple.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permet la selecció d\'un o més termes de taxonomia en funció dels criteris i opcions especificats a la configuració dels camps.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Us permet agrupar camps en seccions amb pestanyes a la pantalla d\'edició. Útil per mantenir els camps organitzats i estructurats.','A dropdown list with a selection of choices that you specify.'=>'Una llista desplegable amb una selecció d\'opcions que especifiqueu.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfície de dues columnes per seleccionar una o més entrades, pàgines o elements de tipus de contingut personalitzats per crear una relació amb l\'element que esteu editant actualment. Inclou opcions per cercar i filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un camp per seleccionar un valor numèric dins d\'un interval especificat mitjançant un element de control d\'interval.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grup de camps de botons d\'opció que permet a l\'usuari fer una selecció única dels valors que especifiqueu.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfície d\'usuari interactiva i personalitzable per escollir una o més publicacions, pàgines o elements de tipus d\'entrada amb l\'opció de cercar. ','An input for providing a password using a masked field.'=>'Un camp per proporcionar una contrasenya mitjançant un camp emmascarat.','Filter by Post Status'=>'Filtra per estat d\'entrada','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un menú desplegable interactiu per seleccionar una o més entrades, pàgines, elements de tipus de contingut personalitzats o URL d\'arxiu, amb l\'opció de cercar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un component interactiu per incrustar vídeos, imatges, tuits, àudio i altres continguts fent ús de la funcionalitat nativa de WordPress oEmbed.','An input limited to numerical values.'=>'Un camp limitat per valors numèrics.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'S\'utilitza per mostrar un missatge als editors juntament amb altres camps. Útil per proporcionar context o instruccions addicionals al voltant dels vostres camps.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Us permet especificar un enllaç i les seves propietats, com ara el títol i l\'objectiu mitjançant el selector d\'enllaços natiu de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilitza el selector de mitjans natiu de WordPress per pujar o triar imatges.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una manera d\'estructurar els camps en grups per organitzar millor les dades i la pantalla d\'edició.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfície d\'usuari interactiva per seleccionar una ubicació mitjançant Google Maps. Requereix una clau de l\'API de Google Maps i una configuració addicional per mostrar-se correctament.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilitza el selector multimèdia natiu de WordPress per pujar o triar fitxers.','A text input specifically designed for storing email addresses.'=>'Una camp de text dissenyat específicament per emmagatzemar adreces de correu electrònic.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una data i una hora. El format de devolució de la data es pot personalitzar mitjançant la configuració de camp.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una data. El format de devolució de la data es pot personalitzar mitjançant la configuració de camp.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfície d\'usuari interactiva per seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grup de camps de caselles de selecció que permeten a l\'usuari seleccionar un o diversos valors que especifiqueu.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grup de botons amb valors que especifiqueu, els usuaris poden triar una opció entre els valors proporcionats.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Us permet agrupar i organitzar camps personalitzats en panells plegables que es mostren mentre editeu el contingut. Útil per mantenir ordenats grans conjunts de dades.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Això proporciona una solució per repetir contingut com ara diapositives, membres de l\'equip i fitxes de crida d\'acció, actuant com a pare d\'un conjunt de subcamps que es poden repetir una i altra vegada.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Això proporciona una interfície interactiva per gestionar una col·lecció de fitxers adjunts. La majoria de la configuració és similar al tipus de camp Imatge. La configuració addicional us permet especificar on s\'afegeixen nous fitxers adjunts a la galeria i el nombre mínim/màxim de fitxers adjunts permesos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Proporciona un editor senzill, estructurat i basat en dissenys. El camp contingut flexible us permet definir, crear i gestionar contingut amb control total mitjançant l\'ús de dissenys i subcamps per dissenyar els blocs disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Us permet seleccionar i mostrar els camps existents. No duplica cap camp de la base de dades, sinó que carrega i mostra els camps seleccionats en temps d\'execució. El camp Clonar pot substituir-se amb els camps seleccionats o mostrar els camps seleccionats com un grup de subcamps.','nounClone'=>'Clona','PRO'=>'PRO','Advanced'=>'Avançat','JSON (newer)'=>'JSON (més nou)','Original'=>'Original','Invalid post ID.'=>'Identificador de l\'entrada no vàlid.','Invalid post type selected for review.'=>'S\'ha seleccionat un tipus de contingut no vàlid per a la revisió.','More'=>'Més','Tutorial'=>'Tutorial','Select Field'=>'Camp selector','Try a different search term or browse %s'=>'Proveu un terme de cerca diferent o navegueu per %s','Popular fields'=>'Camps populars','No search results for \'%s\''=>'No hi ha resultats de cerca per a \'%s\'','Search fields...'=>'Cerca camps','Select Field Type'=>'Selecciona un tipus de camp','Popular'=>'Popular','Add Taxonomy'=>'Afegeix taxonomia','Create custom taxonomies to classify post type content'=>'Crea taxonomies personalitzades per clasificar el contingut del tipus de contingut','Add Your First Taxonomy'=>'Afegeix la primera taxonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Les taxonomies jeràrquiques poden tenir descendents (com les categories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Fa que una taxonomia sigui visible a la part pública de la web i al tauler d\'administració.','One or many post types that can be classified with this taxonomy.'=>'Un o varis tipus d\'entrada que poden ser classificats amb aquesta taxonomia.','genre'=>'gènere','Genre'=>'Gènere','Genres'=>'Gèneres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalitzat opcional per utilitzar-lo en lloc del `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Exposa aquest tipus d\'entrada a la REST API.','Customize the query variable name'=>'Personalitza el nom de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Es pot accedir als termes utilitzant l\'enllaç permanent no bonic, per exemple, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termes pare-fill en URLs per a taxonomies jeràrquiques.','Customize the slug used in the URL'=>'Personalitza el segment d\'URL utilitzat a la URL','Permalinks for this taxonomy are disabled.'=>'Els enllaços permanents d\'aquesta taxonomia estan desactivats.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescriu l\'URL utilitzant la clau de la taxonomia com a segment d\'URL. L\'estructura de l\'enllaç permanent serà','Taxonomy Key'=>'Clau de la taxonomia','Select the type of permalink to use for this taxonomy.'=>'Seleccioneu el tipus d\'enllaç permanent que voleu utilitzar per aquesta taxonomia.','Display a column for the taxonomy on post type listing screens.'=>'Mostra una columna per a la taxonomia a les pantalles de llista de tipus de contingut.','Show Admin Column'=>'Mostra la columna d\'administració','Show the taxonomy in the quick/bulk edit panel.'=>'Mostra la taxonomia en el panell d\'edició ràpida/massiva.','Quick Edit'=>'Edició ràpida','List the taxonomy in the Tag Cloud Widget controls.'=>'Mostra la taxonomia als controls del giny núvol d\'etiquetes.','Tag Cloud'=>'Núvol d\'etiquetes','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'El nom de la funció PHP que s\'executarà per sanejar les dades de taxonomia desades a una meta box.','Meta Box Sanitization Callback'=>'Crida de retorn de sanejament de la caixa meta','Register Meta Box Callback'=>'Registra la crida de retorn de la caixa meta','No Meta Box'=>'Sense caixa meta','Custom Meta Box'=>'Caixa meta personalitzada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la meta caixa a la pantalla de l\'editor de contingut. Per defecte, la meta caixa Categories es mostra per a taxonomies jeràrquiques i la meta caixa Etiquetes es mostra per a taxonomies no jeràrquiques.','Meta Box'=>'Caixa meta','Categories Meta Box'=>'Caixa meta de categories','Tags Meta Box'=>'Caixa meta d\'etiquetes','A link to a tag'=>'Un enllaç a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Descriu una variació del bloc d\'enllaços de navegació utilitzada a l\'editor de blocs.','A link to a %s'=>'Un enllaç a %s','Tag Link'=>'Enllaç de l\'etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Assigna un títol a la variació del bloc d\'enllaços de navegació utilitzada a l\'editor de blocs.','← Go to tags'=>'← Ves a etiquetes','Assigns the text used to link back to the main index after updating a term.'=>'Assigna el text utilitzat per enllaçar de nou a l\'índex principal després d\'actualitzar un terme.','Back To Items'=>'Torna a Elements','← Go to %s'=>'← Anar a %s','Tags list'=>'Llista d\'etiquetes','Assigns text to the table hidden heading.'=>'Assigna text a l\'encapçalament ocult de la taula.','Tags list navigation'=>'Navegació per la llista d\'Etiquetes','Assigns text to the table pagination hidden heading.'=>'Assigna text a la capçalera oculta de la paginació de la taula.','Filter by category'=>'Filtra per Categoria','Assigns text to the filter button in the posts lists table.'=>'Assigna text al botó de filtre a la taula de llistes d\'entrades.','Filter By Item'=>'Filtra per element','Filter by %s'=>'Filtra per %s','The description is not prominent by default; however, some themes may show it.'=>'La descripció no es mostra per defecte; no obstant, hi ha alguns temes que poden mostrar-la.','Describes the Description field on the Edit Tags screen.'=>'Descriu el camp descripció a la pantalla d\'edició d\'etiquetes.','Description Field Description'=>'Descripció del camp descripció','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Assigna un terme pare per crear una jerarquia. El terme Jazz, per exemple, seria el pare de Bebop i Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descriu el camp superior de la pantalla Editar etiquetes.','Parent Field Description'=>'Descripció del camp pare','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El segment d’URL és la versió URL amigable del nom. Normalment està tot en minúscules i només conté lletres, números i guions.','Describes the Slug field on the Edit Tags screen.'=>'Descriu el camp Segment d\'URL de la pantalla Editar etiquetes.','Slug Field Description'=>'Descripció del camp de l\'àlies','The name is how it appears on your site'=>'El nom és tal com apareix al lloc web','Describes the Name field on the Edit Tags screen.'=>'Descriu el camp Nom de la pantalla Editar etiquetes.','Name Field Description'=>'Descripció del camp nom','No tags'=>'Sense etiquetes','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assigna el text que es mostra a les taules d\'entrades i llista de mèdia quan no hi ha etiquetes o categories disponibles.','No Terms'=>'No hi ha termes','No %s'=>'No hi ha %s','No tags found'=>'No s\'han trobat etiquetes','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigna el text que es mostra quan es fa clic a "tria entre els més utilitzats" a la caixa meta de la taxonomia quan no hi ha etiquetes disponibles, i assigna el text utilitzat a la taula de llista de termes quan no hi ha elements per a una taxonomia.','Not Found'=>'No s\'ha trobat','Assigns text to the Title field of the Most Used tab.'=>'Assigna text al camp Títol de la pestanya Més Utilitzat.','Most Used'=>'Més utilitzats','Choose from the most used tags'=>'Tria entre les etiquetes més utilitzades','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assigna el text "tria entre els més utilitzats" que s\'utilitza a la caixa meta quan JavaScript està desactivat. Només s\'utilitza en taxonomies no jeràrquiques.','Choose From Most Used'=>'Tria entre els més utilitzats','Choose from the most used %s'=>'Tria entre els %s més utilitzats','Add or remove tags'=>'Afegeix o suprimeix etiquetes','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigna el text d\'afegir o suprimir elements utilitzat a la caixa meta quan JavaScript està desactivat. Només s\'utilitza en taxonomies no jeràrquiques','Add Or Remove Items'=>'Afegeix o Suprimeix Elements','Add or remove %s'=>'Afegeix o suprimeix %s','Separate tags with commas'=>'Separa les etiquetes amb comes','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assigna a l\'element separat amb comes el text utilitzat a la caixa meta de taxonomia. Només s\'utilitza en taxonomies no jeràrquiques.','Separate Items With Commas'=>'Separa elements amb comes','Separate %s with commas'=>'Separa %s amb comes','Popular Tags'=>'Etiquetes populars','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assigna text als elements populars. Només s\'utilitza en taxonomies no jeràrquiques.','Popular Items'=>'Elements populars','Popular %s'=>'%s populars','Search Tags'=>'Cerca etiquetes','Assigns search items text.'=>'Assigna el text de cercar elements.','Parent Category:'=>'Categoria mare:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigna el text de l\'element pare, però afegint dos punts (:) al final.','Parent Item With Colon'=>'Element pare amb dos punts','Parent Category'=>'Categoria mare','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigna el text de l\'element pare. Només s\'utilitza en taxonomies jeràrquiques.','Parent Item'=>'Element pare','Parent %s'=>'%s pare','New Tag Name'=>'Nom de l\'etiqueta nova','Assigns the new item name text.'=>'Assigna el text del nom de l\'element nou.','New Item Name'=>'Nom de l\'element nou','New %s Name'=>'Nom de la taxonomia %s nova','Add New Tag'=>'Afegeix una etiqueta nova','Assigns the add new item text.'=>'Assigna el text d\'afegir un element nou.','Update Tag'=>'Actualitza l\'etiqueta','Assigns the update item text.'=>'Assigna el text d\'actualitzar un element.','Update Item'=>'Actualiza l\'element','Update %s'=>'Actualitza %s','View Tag'=>'Mostra l\'etiqueta','In the admin bar to view term during editing.'=>'A barra d\'administració per a veure el terme durant l\'edició.','Edit Tag'=>'Edita l\'etiqueta','At the top of the editor screen when editing a term.'=>'A la part superior de la pantalla de l\'editor, quan s\'edita un terme.','All Tags'=>'Totes les etiquetes','Assigns the all items text.'=>'Assigna el text de tots els elements.','Assigns the menu name text.'=>'Assigna el text del nom del menú.','Menu Label'=>'Etiqueta del menu','Active taxonomies are enabled and registered with WordPress.'=>'Les taxonomies actives estan activades i registrades a WordPress.','A descriptive summary of the taxonomy.'=>'Un resum descriptiu de la taxonomia.','A descriptive summary of the term.'=>'Un resum descriptiu del terme.','Term Description'=>'Descripció del terme','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola paraula, sense espais. S’admeten barres baixes i guions.','Term Slug'=>'Àlies del terme','The name of the default term.'=>'El nom del terme per defecte.','Term Name'=>'Nom del terme','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un terme per a la taxonomia que no es pugui suprimir. No serà seleccionada per defecte per a les entrades.','Default Term'=>'Terme per defecte','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si els termes d\'aquesta taxonomia s\'han d\'ordenar en l\'ordre en què es proporciona a `wp_set_object_terms()`.','Sort Terms'=>'Ordena termes','Add Post Type'=>'Afegeix un tipus d\'entrada personalitzat','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplia la funcionalitat de WordPress més enllà de les entrades i pàgines estàndard amb tipus de contingut personalitzats.','Add Your First Post Type'=>'Afegiu el vostre primer tipus de contingut','I know what I\'m doing, show me all the options.'=>'Sé el que estic fent, mostra\'m totes les opcions.','Advanced Configuration'=>'Configuració avançada','Hierarchical post types can have descendants (like pages).'=>'Els tipus de contingut jeràrquics poden tenir descendents (com les pàgines).','Hierarchical'=>'Jeràrquica','Visible on the frontend and in the admin dashboard.'=>'Visible a la part pública de la web i al tauler d\'administració.','Public'=>'Públic','movie'=>'pel·lícula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Només minúscules, guions baixos i guions, màxim 20 caràcters.','Movie'=>'Pel·lícula','Singular Label'=>'Etiqueta singular','Movies'=>'Pel·lícules','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalitzat opcional per utilitzar-lo en lloc del `WP_REST_Posts_Controller`.','Controller Class'=>'Classe de controlador','The namespace part of the REST API URL.'=>'La part de l\'espai de noms de la URL de la API REST.','Namespace Route'=>'Ruta de l\'espai de noms','The base URL for the post type REST API URLs.'=>'URL base per als URL de la REST API del tipus de contingut.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Exposa aquest tipus de contingut a la REST API. Necessari per a utilitzar l\'editor de blocs.','Show In REST API'=>'Mostra a l\'API REST','Customize the query variable name.'=>'Personalitza el nom de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admet variables de consulta','Custom Query Variable'=>'Variable de consulta personalitzada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Es pot accedir als elements utilitzant l\'enllaç permanent no bonic, per exemple {post_type}={post_slug}.','Query Variable Support'=>'Admet variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Es pot accedir als URL d\'un element i dels elements mitjançant una cadena de consulta.','Publicly Queryable'=>'Consultable públicament','Custom slug for the Archive URL.'=>'Segment d\'URL personalitzat per a la URL de l\'arxiu.','Archive Slug'=>'Segment d\'URL de l\'arxiu','Has an item archive that can be customized with an archive template file in your theme.'=>'Té un arxiu d\'elements que es pot personalitzar amb un fitxer de plantilla d\'arxiu al tema.','Archive'=>'Arxiu','Pagination support for the items URLs such as the archives.'=>'Suport de paginació per als URL dels elements, com els arxius.','Pagination'=>'Paginació','RSS feed URL for the post type items.'=>'URL del canal RSS per als elements del tipus de contingut.','Feed URL'=>'URL del canal','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera l\'estructura d\'enllaços permanents per afegir el prefix `WP_Rewrite::$front` a les URLs.','Front URL Prefix'=>'Prefix de les URLs','Customize the slug used in the URL.'=>'Personalitza el segment d\'URL utilitzat a la URL.','URL Slug'=>'Àlies d\'URL','Permalinks for this post type are disabled.'=>'Els enllaços permanents d\'aquest tipus de contingut estan desactivats.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescriu l\'URL utilitzant un segment d\'URL personalitzat definit al camp de sota. L\'estructura d\'enllaç permanent serà','No Permalink (prevent URL rewriting)'=>'Sense enllaç permanent (evita la reescriptura de URL)','Custom Permalink'=>'Enllaç permanent personalitzat','Post Type Key'=>'Clau del tipus de contingut','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescriu l\'URL utilitzant la clau del tipus de contingut com a segment d\'URL. L\'estructura d\'enllaç permanent serà','Permalink Rewrite'=>'Reescriptura d\'enllaç permanent','Delete items by a user when that user is deleted.'=>'Suprimeix els elements d\'un usuari quan se suprimeixi.','Delete With User'=>'Suprimeix amb usuari','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permet que el tipus de contingut es pugui exportar des de \'Eines\' > \'Exportar\'.','Can Export'=>'Es pot exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalment, proporciona un plural per a utilitzar-lo a les capacitats.','Plural Capability Name'=>'Nom de la capacitat en plural','Choose another post type to base the capabilities for this post type.'=>'Tria un altre tipus de contingut per basar les capacitats d\'aquest tipus de contingut.','Singular Capability Name'=>'Nom de la capacitat en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Per defecte, les capacitats del tipus de contingut heretaran els noms de les capacitats \'Entrada\', per exemple edit_post, delete_posts. Activa\'l per utilitzar capacitats específiques del tipus de contingut, per exemple edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Canvia el nom de les capacitats','Exclude From Search'=>'Exclou de la cerca','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permet afegir elements als menús a la pantalla \'Aparença\' > \'Menús\'. S\'ha d\'activar a \'Opcions de pantalla\'.','Appearance Menus Support'=>'Compatibilitat amb menús d\'aparença','Appears as an item in the \'New\' menu in the admin bar.'=>'Apareix com a un element al menú \'Nou\' de la barra d\'administració.','Show In Admin Bar'=>'Mostra a la barra d\'administració','Custom Meta Box Callback'=>'Crida de retorn de caixa meta personalitzada','Menu Icon'=>'Icona de menú','The position in the sidebar menu in the admin dashboard.'=>'La posició al menú de la barra lateral al tauler d\'administració.','Menu Position'=>'Posició en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Per defecte, el tipus de contingut obtindrà un element nou de nivell superior en el menú d\'administració. Si aquí es proporciona un element de nivell superior existent, el tipus de contingut s\'afegirà com a un element de submenú a sota.','Admin Menu Parent'=>'Menú d\'administració pare','Admin editor navigation in the sidebar menu.'=>'Navegació de l\'editor d\'administració al menú de la barra lateral.','Show In Admin Menu'=>'Mostra al menú d\'administració','Items can be edited and managed in the admin dashboard.'=>'Els elements es poden editar i gestionar al tauler d\'administració.','Show In UI'=>'Mostra a l\'UI','A link to a post.'=>'Un enllaç a una entrada.','Description for a navigation link block variation.'=>'Descripció d\'una variació del bloc d\'enllaços de navegació.','Item Link Description'=>'Descripció de l\'enllaç de l\'element','A link to a %s.'=>'Un enllaç a %s.','Post Link'=>'Enllaç de l\'entrada','Title for a navigation link block variation.'=>'Títol d\'una variació del bloc d\'enllaços de navegació.','Item Link'=>'Enllaç de l\'element','%s Link'=>'Enllaç de %s','Post updated.'=>'S\'ha actualitzat l\'entrada.','In the editor notice after an item is updated.'=>'A l\'avís de l\'editor després d\'actualitzar un element.','Item Updated'=>'S\'ha actualitzat l\'element','%s updated.'=>'S\'ha actualitzat %s.','Post scheduled.'=>'S\'ha programat l\'entrada.','In the editor notice after scheduling an item.'=>'A l\'avís de l\'editor després de programar un element.','Item Scheduled'=>'S\'ha programat l\'element','%s scheduled.'=>'%s programat.','Post reverted to draft.'=>'S\'ha revertit l\'entrada a esborrany.','In the editor notice after reverting an item to draft.'=>'A l\'avís de l\'editor després de revertir un element a esborrany.','Item Reverted To Draft'=>'S\'ha tornat l\'element a esborrany','%s reverted to draft.'=>'S\'ha revertit %s a esborrany.','Post published privately.'=>'S\'ha publicat l\'entrada en privat.','In the editor notice after publishing a private item.'=>'A l\'avís de l\'editor després de publicar un element privat.','Item Published Privately'=>'S\'ha publicat l\'element en privat','%s published privately.'=>'%s publicats en privat.','Post published.'=>'S\'ha publicat l\'entrada.','In the editor notice after publishing an item.'=>'A l\'avís de l\'editor després de publicar un element.','Item Published'=>'S\'ha publicat l\'element','%s published.'=>'S\'ha publicat %s.','Posts list'=>'Llista d\'entrades','Used by screen readers for the items list on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la llista d\'elements a la pantalla de llista de tipus de contingut.','Items List'=>'Llista d\'elements','%s list'=>'Llista de %s','Posts list navigation'=>'Navegació per la llista d\'entrades','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la paginació de la llista de filtres a la pantalla de llista de tipus de contingut.','Items List Navigation'=>'Navegació per la llista d\'elements','%s list navigation'=>'Navegació per la lista de %s','Filter posts by date'=>'Filtra les entrades per data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la capçalera de filtrar per data a la pantalla de llista de tipus de contingut.','Filter Items By Date'=>'Filtra els elements per data','Filter %s by date'=>'Filtra %s per data','Filter posts list'=>'Filtra la llista d\'entrades','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la capçalera dels enllaços de filtre a la pantalla de llista de tipus de contingut.','Filter Items List'=>'Filtra la llista d\'elements','Filter %s list'=>'Filtra la llista de %s','In the media modal showing all media uploaded to this item.'=>'A la finestra emergent de mèdia es mostra tota la mèdia pujada a aquest element.','Uploaded To This Item'=>'S\'ha penjat a aquest element','Uploaded to this %s'=>'S\'ha penjat a aquest %s','Insert into post'=>'Insereix a l\'entrada','As the button label when adding media to content.'=>'Com a etiqueta del botó quan s\'afegeix mèdia al contingut.','Insert Into Media Button'=>'Botó Insereix a mèdia','Insert into %s'=>'Insereix a %s','Use as featured image'=>'Utilitza com a imatge destacada','As the button label for selecting to use an image as the featured image.'=>'Com a etiqueta del botó per a seleccionar l\'ús d\'una imatge com a imatge destacada.','Use Featured Image'=>'Utilitza la imatge destacada','Remove featured image'=>'Suprimeix la imatge destacada','As the button label when removing the featured image.'=>'Com a etiqueta del botó quan s\'elimina la imatge destacada.','Remove Featured Image'=>'Suprimeix la imatge destacada','Set featured image'=>'Estableix la imatge destacada','As the button label when setting the featured image.'=>'Com a etiqueta del botó quan s\'estableix la imatge destacada.','Set Featured Image'=>'Estableix la imatge destacada','Featured image'=>'Imatge destacada','In the editor used for the title of the featured image meta box.'=>'A l\'editor utilitzat per al títol de la caixa meta de la imatge destacada.','Featured Image Meta Box'=>'Caixa meta d\'imatge destacada','Post Attributes'=>'Atributs de l\'entrada','In the editor used for the title of the post attributes meta box.'=>'A l\'editor utilitzat per al títol de la caixa meta d\'atributs de l\'entrada.','Attributes Meta Box'=>'Caixa meta d\'atributs','%s Attributes'=>'Atributs de %s','Post Archives'=>'Arxius d\'entrades','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Afegeix elements "Arxiu de tipus de contingut" amb aquesta etiqueta a la llista d\'entrades que es mostra quan s\'afegeix elements a un menú existent a un CPT amb arxius activats. Només apareix quan s\'editen menús en mode "Vista prèvia en viu" i s\'ha proporcionat un segment d\'URL d\'arxiu personalitzat.','Archives Nav Menu'=>'Menú de navegació d\'arxius','%s Archives'=>'Arxius de %s','No posts found in Trash'=>'No s\'han trobat entrades a la paperera','At the top of the post type list screen when there are no posts in the trash.'=>'A la part superior de la pantalla de la llista de tipus de contingut quan no hi ha entrades a la paperera.','No Items Found in Trash'=>'No s\'han trobat entrades a la paperera','No %s found in Trash'=>'No s\'han trobat %s a la paperera','No posts found'=>'No s\'han trobat entrades','At the top of the post type list screen when there are no posts to display.'=>'A la part superior de la pantalla de la llista de tipus de contingut quan no hi ha publicacions que mostrar.','No Items Found'=>'No s\'han trobat elements','No %s found'=>'No s\'han trobat %s','Search Posts'=>'Cerca entrades','At the top of the items screen when searching for an item.'=>'A la part superior de la pantalla d\'elements, quan es cerca un element.','Search Items'=>'Cerca elements','Search %s'=>'Cerca %s','Parent Page:'=>'Pàgina mare:','For hierarchical types in the post type list screen.'=>'Per als tipus jeràrquics a la pantalla de la llista de tipus de contingut.','Parent Item Prefix'=>'Prefix de l\'element superior','Parent %s:'=>'%s pare:','New Post'=>'Entrada nova','New Item'=>'Element nou','New %s'=>'Nou %s','Add New Post'=>'Afegeix una nova entrada','At the top of the editor screen when adding a new item.'=>'A la part superior de la pantalla de l\'editor, quan s\'afegeix un element nou.','Add New Item'=>'Afegeix un element nou','Add New %s'=>'Afegeix nou %s','View Posts'=>'Mostra les entrades','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Apareix a la barra d\'administració a la vista \'Totes les entrades\', sempre que el tipus de contingut admeti arxius i la pàgina d\'inici no sigui un arxiu d\'aquell tipus de contingut.','View Items'=>'Visualitza els elements','View Post'=>'Mostra l\'entrada','In the admin bar to view item when editing it.'=>'A la barra d\'administració per a visualitzar l\'element en editar-lo.','View Item'=>'Visualitza l\'element','View %s'=>'Mostra %s','Edit Post'=>'Edita l\'entrada','At the top of the editor screen when editing an item.'=>'A la part superior de la pantalla de l\'editor, quan s\'edita un element.','Edit Item'=>'Edita l\'element','Edit %s'=>'Edita %s','All Posts'=>'Totes les entrades','In the post type submenu in the admin dashboard.'=>'En el submenú de tipus de contingut del tauler d\'administració.','All Items'=>'Tots els elements','All %s'=>'Tots %s','Admin menu name for the post type.'=>'Nom del menú d\'administració per al tipus de contingut.','Menu Name'=>'Nom del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera totes les etiquetes utilitzant les etiquetes singular i plural','Regenerate'=>'Regenera','Active post types are enabled and registered with WordPress.'=>'Els tipus de contingut actius estan activats i registrats amb WordPress.','A descriptive summary of the post type.'=>'Un resum descriptiu del tipus de contingut.','Add Custom'=>'Afegeix personalització','Enable various features in the content editor.'=>'Habilita diverses característiques a l\'editor de contingut.','Post Formats'=>'Formats de les entrades','Editor'=>'Editor','Trackbacks'=>'Retroenllaços','Select existing taxonomies to classify items of the post type.'=>'Selecciona les taxonomies existents per a classificar els elements del tipus de contingut.','Browse Fields'=>'Cerca camps','Nothing to import'=>'Res a importar','. The Custom Post Type UI plugin can be deactivated.'=>'L\'extensió Custom Post Type UI es pot desactivar.','Imported %d item from Custom Post Type UI -'=>'S\'ha importat %d element de Custom Post Type UI -' . "\0" . 'S\'ha importat %d elements de Custom Post Type UI -','Failed to import taxonomies.'=>'No s\'han pogut importar les taxonomies.','Failed to import post types.'=>'No s\'han pogut importar els tipus de contingut.','Nothing from Custom Post Type UI plugin selected for import.'=>'No s\'ha seleccionat res de l\'extensió Custom Post Type UI per a importar.','Imported 1 item'=>'S\'ha importat 1 element' . "\0" . 'S\'han importat %s elements','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'La importació d\'un tipus de contingut o taxonomia amb la mateixa clau que una que ja existeix sobreescriurà la configuració del tipus de contingut o taxonomia existents amb la de la importació.','Import from Custom Post Type UI'=>'Importar des de Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El codi següent es pot utilitzar per registrar una versió local dels elements seleccionats. L\'emmagatzematge local de grups de camps, tipus de contingut o taxonomies pot proporcionar molts avantatges, com ara temps de càrrega més ràpids, control de versions i camps/configuracions dinàmiques. Simplement copia i enganxa el codi següent al fitxer functions.php del tema o inclou-lo dins d\'un fitxer extern i, a continuació, desactiva o suprimeix els elements de l\'administrador de l\'ACF.','Export - Generate PHP'=>'Exporta - Genera PHP','Export'=>'Exporta','Select Taxonomies'=>'Selecciona taxonomies','Select Post Types'=>'Selecciona els tipus de contingut','Exported 1 item.'=>'S\'ha exportat 1 element.' . "\0" . 'S\'han exportat %s elements.','Category'=>'Categoria','Tag'=>'Etiqueta','%s taxonomy created'=>'S\'ha creat la taxonomia %s','%s taxonomy updated'=>'S\'ha actualitzat la taxonomia %s','Taxonomy draft updated.'=>'S\'ha actualitzat l\'esborrany de la taxonomia.','Taxonomy scheduled for.'=>'Taxonomia programada per a.','Taxonomy submitted.'=>'S\'ha enviat la taxonomia.','Taxonomy saved.'=>'S\'ha desat la taxonomia.','Taxonomy deleted.'=>'S\'ha suprimit la taxonomia.','Taxonomy updated.'=>'S\'ha actualitzat la taxonomia.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Aquesta taxonomia no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a una altra taxonomia registrada per una altra extensió o tema.','Taxonomy synchronized.'=>'Taxonomia sincronitzada.' . "\0" . '%s taxonomies sincronitzades.','Taxonomy duplicated.'=>'Taxonomia duplicada.' . "\0" . '%s taxonomies duplicades.','Taxonomy deactivated.'=>'Taxonomia desactivada.' . "\0" . '%s taxonomies desactivades.','Taxonomy activated.'=>'Taxonomia activada.' . "\0" . '%s taxonomies activades.','Terms'=>'Termes','Post type synchronized.'=>'Tipus de contingut sincronitzat.' . "\0" . '%s tipus de continguts sincronitzats.','Post type duplicated.'=>'Tipus de contingut duplicat.' . "\0" . '%s tipus de continguts duplicats.','Post type deactivated.'=>'Tipus de contingut desactivat.' . "\0" . '%s tipus de continguts desactivats.','Post type activated.'=>'Tipus de contingut activat.' . "\0" . '%s tipus de continguts activats.','Post Types'=>'Tipus de contingut','Advanced Settings'=>'Configuració avançada','Basic Settings'=>'Configuració bàsica','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Aquest tipus de contingut no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a un altre tipus de contingut registrat per una altra extensió o tema.','Pages'=>'Pàgines','Link Existing Field Groups'=>'Enllaça grups de camps existents','%s post type created'=>'%s tipus de contingut creat','Add fields to %s'=>'Afegeix camps a %s','%s post type updated'=>'Tipus de contingut %s actualitzat','Post type draft updated.'=>'S\'ha actualitzat l\'esborrany del tipus de contingut.','Post type scheduled for.'=>'Tipus de contingut programat per.','Post type submitted.'=>'Tipus de contingut enviat.','Post type saved.'=>'Tipus de contingut desat.','Post type updated.'=>'Tipus de contingut actualitzat.','Post type deleted.'=>'Tipus de contingut suprimit.','Type to search...'=>'Tecleja per cercar...','PRO Only'=>'Només a PRO','Field groups linked successfully.'=>'Grups de camps enllaçats correctament.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipus de contingut i taxonomies registrades amb Custom Post Type UI i gestiona-les amb ACF. Comença.','ACF'=>'ACF','taxonomy'=>'taxonomia','post type'=>'tipus de contingut','Done'=>'Fet','Field Group(s)'=>'Grup(s) de camp(s)','Select one or many field groups...'=>'Selecciona un o diversos grups de camps...','Please select the field groups to link.'=>'Selecciona els grups de camps a enllaçar.','Field group linked successfully.'=>'Grup de camps enllaçat correctament.' . "\0" . 'Grups de camps enllaçats correctament.','post statusRegistration Failed'=>'Error de registre','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Aquest element no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a un altre element registrat per una altra extensió o tema.','REST API'=>'API REST','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilitat','Labels'=>'Etiquetes','Field Settings Tabs'=>'Pestanyes de configuracions de camps','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valor del codi de substitució d\'ACF desactivat a la previsualització]','Close Modal'=>'Tanca la finestra emergent','Field moved to other group'=>'Camp mogut a un altre grup','Close modal'=>'Tanca la finestra emergent','Start a new group of tabs at this tab.'=>'Comença un nou grup de pestanyes en aquesta pestanya.','New Tab Group'=>'Nou grup de pestanyes','Use a stylized checkbox using select2'=>'Utilitza una casella de selecció estilitzada utilitzant select2','Save Other Choice'=>'Desa l\'opció «Altre»','Allow Other Choice'=>'Permitir l\'opció «Altre»','Add Toggle All'=>'Afegeix un «Alternar tots»','Save Custom Values'=>'Desa els valors personalitzats','Allow Custom Values'=>'Permet valors personalitzats','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Els valors personalitzats de les caselles de selecció no poden estar buits. Desmarqueu els valors buits.','Updates'=>'Actualitzacions','Advanced Custom Fields logo'=>'Logotip de l\'Advanced Custom Fields','Save Changes'=>'Desa els canvis','Field Group Title'=>'Títol del grup de camps','Add title'=>'Afegeix un títol','New to ACF? Take a look at our getting started guide.'=>'Sou nou a l\'ACF? Feu una ullada a la nostra guia d\'inici.','Add Field Group'=>'Afegeix un grup de camps','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'L\'ACF utilitza grups de camps per agrupar camps personalitzats i, a continuació, adjuntar aquests camps per editar pantalles.','Add Your First Field Group'=>'Afegiu el vostre primer grup de camps','Options Pages'=>'Pàgines d\'opcions','ACF Blocks'=>'Blocs ACF','Gallery Field'=>'Camp de galeria','Flexible Content Field'=>'Camp de contingut flexible','Repeater Field'=>'Camp repetible','Unlock Extra Features with ACF PRO'=>'Desbloquegeu característiques addicionals amb l\'ACF PRO','Delete Field Group'=>'Suprimeix el grup de camps','Created on %1$s at %2$s'=>'Creat el %1$s a les %2$s','Group Settings'=>'Configuració del grup','Location Rules'=>'Regles d\'ubicació','Choose from over 30 field types. Learn more.'=>'Trieu entre més de 30 tipus de camps. Més informació.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comenceu a crear nous camps personalitzats per a les vostres entrades, pàgines, tipus de contingut personalitzats i altres continguts del WordPress.','Add Your First Field'=>'Afegiu el vostre primer camp','#'=>'#','Add Field'=>'Afegeix un camp','Presentation'=>'Presentació','Validation'=>'Validació','General'=>'General','Import JSON'=>'Importa JSON','Export As JSON'=>'Exporta com a JSON','Field group deactivated.'=>'S\'ha desactivat el grup de camps.' . "\0" . 'S\'han desactivat %s grups de camps.','Field group activated.'=>'S\'ha activat el grup de camps.' . "\0" . 'S\'han activat %s grups de camps.','Deactivate'=>'Desactiva','Deactivate this item'=>'Desactiva aquest element','Activate'=>'Activa','Activate this item'=>'Activa aquest element','Move field group to trash?'=>'Voleu moure el grup de camps a la paperera?','post statusInactive'=>'Inactiva','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields i Advanced Custom Fields PRO no haurien d\'estar actius al mateix temps. Hem desactivat Advanced Custom Fields PRO automàticament.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields i Advanced Custom Fields PRO no haurien d\'estar actius al mateix temps. Hem desactivat Advanced Custom Fields automàticament.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - hem detectat una o més crides per recuperar valors de camps ACF abans que ACF s\'hagi inicialitzat. Això no s\'admet i pot donar lloc a dades malformades o que faltin. Obteniu informació sobre com solucionar-ho.','%1$s must have a user with the %2$s role.'=>'%1$s ha de tenir un usuari amb el rol %2$s.' . "\0" . '%1$s ha de tenir un usuari amb un dels següents rols: %2$s','%1$s must have a valid user ID.'=>'%1$s ha de tenir un identificador d\'usuari vàlid.','Invalid request.'=>'Sol·licitud no vàlida.','%1$s is not one of %2$s'=>'%1$s no és un dels %2$s','%1$s must have term %2$s.'=>'%1$s ha de tenir el terme %2$s.' . "\0" . '%1$s ha de tenir un dels següents termes: %2$s','%1$s must be of post type %2$s.'=>'%1$s ha de ser del tipus de contingut %2$s.' . "\0" . '%1$s ha de ser d\'un dels següents tipus de contingut: %2$s','%1$s must have a valid post ID.'=>'%1$s ha de tenir un identificador d\'entrada vàlid.','%s requires a valid attachment ID.'=>'%s requereix un identificador d\'adjunt vàlid.','Show in REST API'=>'Mostra a l\'API REST','Enable Transparency'=>'Activa la transparència','RGBA Array'=>'Matriu RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualitza a la versió Pro','post statusActive'=>'Activa','\'%s\' is not a valid email address'=>'«%s» no és una adreça electrònica vàlida','Color value'=>'Valor de color','Select default color'=>'Seleccioneu el color per defecte','Clear color'=>'Neteja el color','Blocks'=>'Blocs','Options'=>'Opcions','Users'=>'Usuaris','Menu items'=>'Elements del menú','Widgets'=>'Ginys','Attachments'=>'Adjunts','Taxonomies'=>'Taxonomies','Posts'=>'Entrades','Last updated: %s'=>'Darrera actualització: %s','Sorry, this post is unavailable for diff comparison.'=>'Aquest grup de camps no està disponible per a la comparació de diferències.','Invalid field group parameter(s).'=>'Paràmetre/s del grup de camps no vàlids.','Awaiting save'=>'Esperant desar','Saved'=>'S\'ha desat','Import'=>'Importa','Review changes'=>'Revisa els canvis','Located in: %s'=>'Ubicat a: %s','Located in plugin: %s'=>'Ubicat a l\'extensió: %s','Located in theme: %s'=>'Ubicat al tema: %s','Various'=>'Diversos','Sync changes'=>'Sincronitza els canvis','Loading diff'=>'S\'està carregant el diff','Review local JSON changes'=>'Revisa els canvis JSON locals','Visit website'=>'Visiteu el lloc web','View details'=>'Visualitza els detalls','Version %s'=>'Versió %s','Information'=>'Informació','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Servei d\'ajuda. Els professionals de suport al servei d\'ajuda us ajudaran amb els problemes tècnics més profunds.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debats. Tenim una comunitat activa i amistosa als nostres fòrums comunitaris que pot ajudar-vos a descobrir com es fan les coses al món de l\'ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentació. La nostra extensa documentació conté referències i guies per a la majoria de situacions que podeu trobar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Som fanàtics del suport i volem que tragueu el màxim profit del vostre lloc web amb l\'ACF. Si trobeu alguna dificultat, hi ha diversos llocs on podeu trobar ajuda:','Help & Support'=>'Ajuda i suport','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Utilitzeu la pestanya d\'ajuda i suport per posar-vos en contacte amb nosaltres si necessiteu ajuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Abans de crear el vostre primer grup de camps recomanem llegir abans la nostra guia Primers passos per familiaritzar-vos amb la filosofia i les millors pràctiques de l\'extensió.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'L\'extensió Advanced Custom Fields proporciona un maquetador de formularis visual per personalitzar les pantalles d\'edició del WordPress amb camps addicionals i una API intuïtiva per mostrar els valors dels camps personalitzats en qualsevol fitxer de plantilla de tema.','Overview'=>'Resum','Location type "%s" is already registered.'=>'El tipus d\'ubicació «%s» ja està registrat.','Class "%s" does not exist.'=>'La classe «%s» no existeix.','Invalid nonce.'=>'El nonce no és vàlid.','Error loading field.'=>'Error en carregar el camp.','Error: %s'=>'Error: %s','Widget'=>'Giny','User Role'=>'Rol de l\'usuari','Comment'=>'Comentari','Post Format'=>'Format de l\'entrada','Menu Item'=>'Element del menú','Post Status'=>'Estat de l\'entrada','Menus'=>'Menús','Menu Locations'=>'Ubicacions dels menús','Menu'=>'Menú','Post Taxonomy'=>'Taxonomia de l\'entrada','Child Page (has parent)'=>'Pàgina filla (té mare)','Parent Page (has children)'=>'Pàgina mare (té filles)','Top Level Page (no parent)'=>'Pàgina de primer nivell (no té mare)','Posts Page'=>'Pàgina de les entrades','Front Page'=>'Portada','Page Type'=>'Tipus de pàgina','Viewing back end'=>'Veient l’administració','Viewing front end'=>'Veient la part frontal','Logged in'=>'Connectat','Current User'=>'Usuari actual','Page Template'=>'Plantilla de la pàgina','Register'=>'Registra','Add / Edit'=>'Afegeix / Edita','User Form'=>'Formulari d\'usuari','Page Parent'=>'Pàgina mare','Super Admin'=>'Superadministrador','Current User Role'=>'Rol de l\'usuari actual','Default Template'=>'Plantilla per defecte','Post Template'=>'Plantilla de l\'entrada','Post Category'=>'Categoria de l\'entrada','All %s formats'=>'Tots els formats de %s','Attachment'=>'Adjunt','%s value is required'=>'Cal introduir un valor a %s','Show this field if'=>'Mostra aquest camp si','Conditional Logic'=>'Lògica condicional','and'=>'i','Local JSON'=>'JSON local','Clone Field'=>'Clona el camp','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Comproveu que tots els complements prèmium (%s) estan actualitzats a la darrera versió.','This version contains improvements to your database and requires an upgrade.'=>'Aquesta versió inclou millores a la base de dades i necessita una actualització.','Thank you for updating to %1$s v%2$s!'=>'Gràcies per actualitzar a %1$s v%2$s!','Database Upgrade Required'=>'Cal actualitzar la base de dades','Options Page'=>'Pàgina d\'opcions','Gallery'=>'Galeria','Flexible Content'=>'Contingut flexible','Repeater'=>'Repetible','Back to all tools'=>'Torna a totes les eines','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)'=>'Si hi ha diversos grups de camps a la pantalla d\'edició, s\'utilitzaran les opcions del primer grup de camps (el que tingui el nombre d\'ordre més baix)','Select items to hide them from the edit screen.'=>'Seleccioneu els elements a amagarde la pantalla d\'edició.','Hide on screen'=>'Amaga a la pantalla','Send Trackbacks'=>'Envia retroenllaços','Tags'=>'Etiquetes','Categories'=>'Categories','Page Attributes'=>'Atributs de la pàgina','Format'=>'Format','Author'=>'Autor','Slug'=>'Àlies','Revisions'=>'Revisions','Comments'=>'Comentaris','Discussion'=>'Debats','Excerpt'=>'Extracte','Content Editor'=>'Editor de contingut','Permalink'=>'Enllaç permanent','Shown in field group list'=>'Es mostra a la llista de grups de camps','Field groups with a lower order will appear first'=>'Els grups de camps amb un ordre més baix apareixeran primer','Order No.'=>'Núm. d’ordre','Below fields'=>'Sota els camps','Below labels'=>'Sota les etiquetes','Instruction Placement'=>'Posició de les instruccions','Label Placement'=>'Posició de les etiquetes','Side'=>'Lateral','Normal (after content)'=>'Normal (després del contingut)','High (after title)'=>'Alta (després del títol)','Position'=>'Posició','Seamless (no metabox)'=>'Fluid (sense la caixa meta)','Standard (WP metabox)'=>'Estàndard (en una caixa meta de WP)','Style'=>'Estil','Type'=>'Tipus','Key'=>'Clau','Order'=>'Ordre','Close Field'=>'Tanca el camp','id'=>'id','class'=>'classe','width'=>'amplada','Wrapper Attributes'=>'Atributs del contenidor','Required'=>'Obligatori','Instructions'=>'Instruccions','Field Type'=>'Tipus de camp','Single word, no spaces. Underscores and dashes allowed'=>'Una sola paraula, sense espais. S’admeten barres baixes i guions','Field Name'=>'Nom del camp','This is the name which will appear on the EDIT page'=>'Aquest és el nom que apareixerà a la pàgina d\'edició','Field Label'=>'Etiqueta del camp','Delete'=>'Suprimeix','Delete field'=>'Suprimeix el camp','Move'=>'Mou','Move field to another group'=>'Mou el camp a un altre grup','Duplicate field'=>'Duplica el camp','Edit field'=>'Edita el camp','Drag to reorder'=>'Arrossegueu per reordenar','Show this field group if'=>'Mostra aquest grup de camps si','No updates available.'=>'No hi ha actualitzacions disponibles.','Database upgrade complete. See what\'s new'=>'S\'ha completat l\'actualització de la base de dades. Feu una ullada a les novetats','Reading upgrade tasks...'=>'S\'estan llegint les tasques d\'actualització…','Upgrade failed.'=>'L\'actualització ha fallat.','Upgrade complete.'=>'S\'ha completat l\'actualització.','Upgrading data to version %s'=>'S\'estan actualitzant les dades a la versió %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'És recomanable que feu una còpia de seguretat de la base de dades abans de continuar. Segur que voleu executar l\'actualitzador ara?','Please select at least one site to upgrade.'=>'Seleccioneu almenys un lloc web per actualitzar.','Database Upgrade complete. Return to network dashboard'=>'S\'ha completat l\'actualització de la base de dades. Torna al tauler de la xarxa','Site is up to date'=>'El lloc web està actualitzat','Site requires database upgrade from %1$s to %2$s'=>'El lloc web requereix una actualització de la base de dades de %1$s a %2$s','Site'=>'Lloc','Upgrade Sites'=>'Actualitza els llocs','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Els següents llocs web necessiten una actualització de la base de dades. Marqueu els que voleu actualitzar i feu clic a %s.','Add rule group'=>'Afegeix un grup de regles','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un grup de regles que determinaran quines pantalles d’edició mostraran aquests camps personalitzats','Rules'=>'Regles','Copied'=>'Copiat','Copy to clipboard'=>'Copia-ho al porta-retalls','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleccioneu els grups de camps que voleu exportar i, a continuació, seleccioneu el mètode d\'exportació. Exporteu com a JSON per exportar a un fitxer .json que després podeu importar a una altra instal·lació d\'ACF. Genereu PHP per exportar a codi PHP que podeu col·locar al vostre tema.','Select Field Groups'=>'Seleccioneu grups de camps','No field groups selected'=>'No s\'ha seleccionat cap grup de camps','Generate PHP'=>'Genera PHP','Export Field Groups'=>'Exporta els grups de camps','Import file empty'=>'El fitxer d\'importació és buit','Incorrect file type'=>'Tipus de fitxer incorrecte','Error uploading file. Please try again'=>'S\'ha produït un error en penjar el fitxer. Torneu-ho a provar','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleccioneu 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.','Import Field Groups'=>'Importa grups de camps','Sync'=>'Sincronitza','Select %s'=>'Selecciona %s','Duplicate'=>'Duplica','Duplicate this item'=>'Duplica aquest element','Supports'=>'Suports','Documentation'=>'Documentació','Description'=>'Descripció','Sync available'=>'Sincronització disponible','Field group synchronized.'=>'S\'ha sincronitzat el grup de camps.' . "\0" . 'S\'han sincronitzat %s grups de camps.','Field group duplicated.'=>'S\'ha duplicat el grup de camps.' . "\0" . 'S\'han duplicat %s grups de camps.','Active (%s)'=>'Actiu (%s)' . "\0" . 'Actius (%s)','Review sites & upgrade'=>'Revisa els llocs web i actualitza','Upgrade Database'=>'Actualitza la base de dades','Custom Fields'=>'Camps personalitzats','Move Field'=>'Mou el camp','Please select the destination for this field'=>'Seleccioneu la destinació d\'aquest camp','The %1$s field can now be found in the %2$s field group'=>'El camp %1$s ara es pot trobar al grup de camps %2$s','Move Complete.'=>'S’ha completat el moviment.','Active'=>'Actiu','Field Keys'=>'Claus dels camps','Settings'=>'Configuració','Location'=>'Ubicació','Null'=>'Nul','copy'=>'copia','(this field)'=>'(aquest camp)','Checked'=>'Marcat','Move Custom Field'=>'Mou el grup de camps','No toggle fields available'=>'No hi ha camps commutables disponibles','Field group title is required'=>'El títol del grup de camps és obligatori','This field cannot be moved until its changes have been saved'=>'Aquest camp no es pot moure fins que no se n’hagin desat els canvis','The string "field_" may not be used at the start of a field name'=>'La cadena «field_» no es pot utilitzar al principi del nom d\'un camp','Field group draft updated.'=>'S\'ha actualitzat l’esborrany del grup de camps.','Field group scheduled for.'=>'S\'ha programat el grup de camps.','Field group submitted.'=>'S’ha tramès el grup de camps.','Field group saved.'=>'S\'ha desat el grup de camps.','Field group published.'=>'S\'ha publicat el grup de camps.','Field group deleted.'=>'S\'ha suprimit el grup de camps.','Field group updated.'=>'S\'ha actualitzat el grup de camps.','Tools'=>'Eines','is not equal to'=>'no és igual a','is equal to'=>'és igual a','Forms'=>'Formularis','Page'=>'Pàgina','Post'=>'Entrada','Relational'=>'Relacional','Choice'=>'Elecció','Basic'=>'Bàsic','Unknown'=>'Desconegut','Field type does not exist'=>'El tipus de camp no existeix','Spam Detected'=>'S\'ha detectat brossa','Post updated'=>'S\'ha actualitzat l\'entrada','Update'=>'Actualitza','Validate Email'=>'Valida el correu electrònic','Content'=>'Contingut','Title'=>'Títol','Edit field group'=>'Edita el grup de camps','Selection is less than'=>'La selecció és inferior a','Selection is greater than'=>'La selecció és superior a','Value is less than'=>'El valor és inferior a','Value is greater than'=>'El valor és superior a','Value contains'=>'El valor conté','Value matches pattern'=>'El valor coincideix amb el patró','Value is not equal to'=>'El valor no és igual a','Value is equal to'=>'El valor és igual a','Has no value'=>'No té cap valor','Has any value'=>'Té algun valor','Cancel'=>'Cancel·la','Are you sure?'=>'N\'esteu segur?','%d fields require attention'=>'Cal revisar %d camps','1 field requires attention'=>'Cal revisar un camp','Validation failed'=>'La validació ha fallat','Validation successful'=>'Validació correcta','Restricted'=>'Restringit','Collapse Details'=>'Amaga els detalls','Expand Details'=>'Expandeix els detalls','Uploaded to this post'=>'S\'ha penjat a aquesta entrada','verbUpdate'=>'Actualitza','verbEdit'=>'Edita','The changes you made will be lost if you navigate away from this page'=>'Perdreu els canvis que heu fet si abandoneu aquesta pàgina','File type must be %s.'=>'El tipus de fitxer ha de ser %s.','or'=>'o','File size must not exceed %s.'=>'La mida del fitxer no ha de superar %s.','File size must be at least %s.'=>'La mida del fitxer ha de ser almenys %s.','Image height must not exceed %dpx.'=>'L\'alçada de la imatge no pot ser superior a %dpx.','Image height must be at least %dpx.'=>'L\'alçada de la imatge ha de ser almenys de %dpx.','Image width must not exceed %dpx.'=>'L\'amplada de la imatge no pot ser superior a %dpx.','Image width must be at least %dpx.'=>'L\'amplada de la imatge ha de ser almenys de %dpx.','(no title)'=>'(sense títol)','Full Size'=>'Mida completa','Large'=>'Gran','Medium'=>'Mitjana','Thumbnail'=>'Miniatura','(no label)'=>'(sense etiqueta)','Sets the textarea height'=>'Estableix l\'alçada de l\'àrea de text','Rows'=>'Files','Text Area'=>'Àrea de text','Prepend an extra checkbox to toggle all choices'=>'Afegeix una casella de selecció addicional per commutar totes les opcions','Save \'custom\' values to the field\'s choices'=>'Desa els valors personalitzats a les opcions del camp','Allow \'custom\' values to be added'=>'Permet afegir-hi valors personalitzats','Add new choice'=>'Afegeix una nova opció','Toggle All'=>'Commuta\'ls tots','Allow Archives URLs'=>'Permet les URLs dels arxius','Archives'=>'Arxius','Page Link'=>'Enllaç de la pàgina','Add'=>'Afegeix','Name'=>'Nom','%s added'=>'%s afegit','%s already exists'=>'%s ja existeix','User unable to add new %s'=>'L\'usuari no pot afegir nous %s','Term ID'=>'Identificador de terme','Term Object'=>'Objecte de terme','Load value from posts terms'=>'Carrega el valor dels termes de l’entrada','Load Terms'=>'Carrega els termes','Connect selected terms to the post'=>'Connecta els termes seleccionats a l\'entrada','Save Terms'=>'Desa els termes','Allow new terms to be created whilst editing'=>'Permet crear nous termes mentre s’està editant','Create Terms'=>'Crea els termes','Radio Buttons'=>'Botons d\'opció','Single Value'=>'Un sol valor','Multi Select'=>'Selecció múltiple','Checkbox'=>'Casella de selecció','Multiple Values'=>'Múltiples valors','Select the appearance of this field'=>'Seleccioneu l\'aparença d\'aquest camp','Appearance'=>'Aparença','Select the taxonomy to be displayed'=>'Seleccioneu la taxonomia a mostrar','No TermsNo %s'=>'No hi ha %s','Value must be equal to or lower than %d'=>'El valor ha de ser igual o inferior a %d','Value must be equal to or higher than %d'=>'El valor ha de ser igual o superior a %d','Value must be a number'=>'El valor ha de ser un nombre','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Desa els valors d’’Altres’ a les opcions del camp','Add \'other\' choice to allow for custom values'=>'Afegeix l\'opció «altres» per permetre valors personalitzats','Other'=>'Altres','Radio Button'=>'Botó d\'opció','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiu un punt final per a aturar l’acordió previ. Aquest acordió no serà visible.','Allow this accordion to open without closing others.'=>'Permet que aquest acordió s\'obri sense tancar els altres.','Multi-Expand'=>'Expansió múltiple','Display this accordion as open on page load.'=>'Mostra aquest acordió obert en carregar la pàgina.','Open'=>'Obert','Accordion'=>'Acordió','Restrict which files can be uploaded'=>'Restringeix quins fitxers es poden penjar','File ID'=>'Identificador de fitxer','File URL'=>'URL del fitxer','File Array'=>'Matriu de fitxer','Add File'=>'Afegeix un fitxer','No file selected'=>'No s\'ha seleccionat cap fitxer','File name'=>'Nom del fitxer','Update File'=>'Actualitza el fitxer','Edit File'=>'Edita el fitxer','Select File'=>'Escull el fitxer','File'=>'Fitxer','Password'=>'Contrasenya','Specify the value returned'=>'Especifiqueu el valor a retornar','Use AJAX to lazy load choices?'=>'Usa AJAX per a carregar opcions de manera relaxada?','Enter each default value on a new line'=>'Introduïu cada valor per defecte en una línia nova','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'No s\'ha pogut carregar','Select2 JS searchingSearching…'=>'S\'està cercant…','Select2 JS load_moreLoading more results…'=>'S\'estan carregant més resultats…','Select2 JS selection_too_long_nYou can only select %d items'=>'Només podeu seleccionar %d elements','Select2 JS selection_too_long_1You can only select 1 item'=>'Només podeu seleccionar un element','Select2 JS input_too_long_nPlease delete %d characters'=>'Suprimiu %d caràcters','Select2 JS input_too_long_1Please delete 1 character'=>'Suprimiu un caràcter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Introduïu %d o més caràcters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Introduïu un o més caràcters','Select2 JS matches_0No matches found'=>'No s\'ha trobat cap coincidència','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Hi ha %d resultats disponibles, utilitzeu les fletxes amunt i avall per navegar-hi.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hi ha un resultat disponible, premeu retorn per seleccionar-lo.','nounSelect'=>'Selecció','User ID'=>'Identificador de l\'usuari','User Object'=>'Objecte d\'usuari','User Array'=>'Matriu d’usuari','All user roles'=>'Tots els rols d\'usuari','Filter by Role'=>'Filtra per rol','User'=>'Usuari','Separator'=>'Separador','Select Color'=>'Escolliu un color','Default'=>'Predeterminat','Clear'=>'Neteja','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecciona','Date Time Picker JS closeTextDone'=>'Fet','Date Time Picker JS currentTextNow'=>'Ara','Date Time Picker JS timezoneTextTime Zone'=>'Fus horari','Date Time Picker JS microsecTextMicrosecond'=>'Microsegon','Date Time Picker JS millisecTextMillisecond'=>'Mil·lisegon','Date Time Picker JS secondTextSecond'=>'Segon','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Trieu l\'hora','Date Time Picker'=>'Selector de data i hora','Endpoint'=>'Punt final','Left aligned'=>'Alineat a l\'esquerra','Top aligned'=>'Alineat a la part superior','Placement'=>'Ubicació','Tab'=>'Pestanya','Value must be a valid URL'=>'El valor ha de ser un URL vàlid','Link URL'=>'URL de l\'enllaç','Link Array'=>'Matriu d’enllaç','Opens in a new window/tab'=>'S\'obre en una nova finestra/pestanya','Select Link'=>'Escolliu l’enllaç','Link'=>'Enllaç','Email'=>'Correu electrònic','Step Size'=>'Mida del pas','Maximum Value'=>'Valor màxim','Minimum Value'=>'Valor mínim','Range'=>'Interval','Both (Array)'=>'Ambdós (matriu)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horitzontal','red : Red'=>'vermell : Vermell','For more control, you may specify both a value and label like this:'=>'Per a més control, podeu especificar tant un valor com una etiqueta d\'aquesta manera:','Enter each choice on a new line.'=>'Introduïu cada opció en una línia nova.','Choices'=>'Opcions','Button Group'=>'Grup de botons','Allow Null'=>'Permet nul?','Parent'=>'Pare','TinyMCE will not be initialized until field is clicked'=>'El TinyMCE no s\'inicialitzarà fins que no es faci clic al camp','Delay Initialization'=>'Endarrereix la inicialització?','Show Media Upload Buttons'=>'Mostra els botons de penjar mèdia?','Toolbar'=>'Barra d\'eines','Text Only'=>'Només Text','Visual Only'=>'Només visual','Visual & Text'=>'Visual i text','Tabs'=>'Pestanyes','Click to initialize TinyMCE'=>'Feu clic per inicialitzar el TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no ha de superar els %d caràcters','Leave blank for no limit'=>'Deixeu-lo en blanc per no establir cap límit','Character Limit'=>'Límit de caràcters','Appears after the input'=>'Apareix després del camp','Append'=>'Afegeix al final','Appears before the input'=>'Apareix abans del camp','Prepend'=>'Afegeix al principi','Appears within the input'=>'Apareix a dins del camp','Placeholder Text'=>'Text de mostra','Appears when creating a new post'=>'Apareix quan es crea una nova entrada','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requereix com a mínim %2$s selecció' . "\0" . '%1$s requereix com a mínim %2$s seleccions','Post ID'=>'ID de l’entrada','Post Object'=>'Objecte de l\'entrada','Maximum Posts'=>'Màxim d\'entrades','Minimum Posts'=>'Mínim d\'entrades','Featured Image'=>'Imatge destacada','Selected elements will be displayed in each result'=>'Els elements seleccionats es mostraran a cada resultat','Elements'=>'Elements','Taxonomy'=>'Taxonomia','Post Type'=>'Tipus de contingut','Filters'=>'Filtres','All taxonomies'=>'Totes les taxonomies','Filter by Taxonomy'=>'Filtra per taxonomia','All post types'=>'Tots els tipus de contingut','Filter by Post Type'=>'Filtra per tipus de contingut','Search...'=>'Cerca…','Select taxonomy'=>'Seleccioneu una taxonomia','Select post type'=>'Seleccioneu el tipus de contingut','No matches found'=>'No s\'ha trobat cap coincidència','Loading'=>'S\'està carregant','Maximum values reached ( {max} values )'=>'S’ha arribat al màxim de valors ({max} valors)','Relationship'=>'Relació','Comma separated list. Leave blank for all types'=>'Llista separada per comes. Deixeu-ho en blanc per a tots els tipus','Allowed File Types'=>'Tipus de fitxers permesos','Maximum'=>'Màxim','File size'=>'Mida del fitxer','Restrict which images can be uploaded'=>'Restringeix quines imatges es poden penjar','Minimum'=>'Mínim','Uploaded to post'=>'S\'ha penjat a l\'entrada','All'=>'Tots','Limit the media library choice'=>'Limita l\'elecció d\'elements de la mediateca','Library'=>'Mediateca','Preview Size'=>'Mida de la vista prèvia','Image ID'=>'ID de la imatge','Image URL'=>'URL de la imatge','Image Array'=>'Matriu d\'imatges','Specify the returned value on front end'=>'Especifiqueu el valor a retornar a la interfície frontal','Return Value'=>'Valor de retorn','Add Image'=>'Afegeix imatge','No image selected'=>'No s\'ha seleccionat cap imatge','Remove'=>'Suprimeix','Edit'=>'Edita','All images'=>'Totes les imatges','Update Image'=>'Actualitza la imatge','Edit Image'=>'Edita la imatge','Select Image'=>'Escolliu una imatge','Image'=>'Imatge','Allow HTML markup to display as visible text instead of rendering'=>'Permet que el marcat HTML es mostri com a text visible en comptes de renderitzat','Escape HTML'=>'Escapa l’HTML','No Formatting'=>'Sense format','Automatically add <br>'=>'Afegeix <br> automàticament','Automatically add paragraphs'=>'Afegeix paràgrafs automàticament','Controls how new lines are rendered'=>'Controla com es mostren les noves línies','New Lines'=>'Noves línies','Week Starts On'=>'La setmana comença el','The format used when saving a value'=>'El format que s’usarà en desar el valor','Save Format'=>'Format de desat','Date Picker JS weekHeaderWk'=>'Stm','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Següent','Date Picker JS currentTextToday'=>'Avui','Date Picker JS closeTextDone'=>'Fet','Date Picker'=>'Selector de data','Width'=>'Amplada','Embed Size'=>'Mida de la incrustació','Enter URL'=>'Introduïu la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'El text que es mostrarà quan està inactiu','Off Text'=>'Text d’inactiu','Text shown when active'=>'El text que es mostrarà quan està actiu','On Text'=>'Text d’actiu','Stylized UI'=>'IU estilitzada','Default Value'=>'Valor per defecte','Displays text alongside the checkbox'=>'Mostra el text al costat de la casella de selecció','Message'=>'Missatge','No'=>'No','Yes'=>'Sí','True / False'=>'Cert / Fals','Row'=>'Fila','Table'=>'Taula','Block'=>'Bloc','Specify the style used to render the selected fields'=>'Especifiqueu l’estil usat per a mostrar els camps escollits','Layout'=>'Disposició','Sub Fields'=>'Sub camps','Group'=>'Grup','Customize the map height'=>'Personalitzeu l\'alçada del mapa','Height'=>'Alçada','Set the initial zoom level'=>'Estableix el valor inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centra el mapa inicial','Center'=>'Centra','Search for address...'=>'Cerca l\'adreça…','Find current location'=>'Cerca la ubicació actual','Clear location'=>'Neteja la ubicació','Search'=>'Cerca','Sorry, this browser does not support geolocation'=>'Aquest navegador no és compatible amb la geolocalització','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El format que es retornarà a través de les funcions del tema','Return Format'=>'Format de retorn','Custom:'=>'Personalitzat:','The format displayed when editing a post'=>'El format que es mostrarà quan editeu una entrada','Display Format'=>'Format a mostrar','Time Picker'=>'Selector d\'hora','Inactive (%s)'=>'Inactiu (%s)' . "\0" . 'Inactius (%s)','No Fields found in Trash'=>'No s\'ha trobat cap camp a la paperera','No Fields found'=>'No s\'ha trobat cap camp','Search Fields'=>'Cerca camps','View Field'=>'Visualitza el camp','New Field'=>'Nou camp','Edit Field'=>'Edita el camp','Add New Field'=>'Afegeix un nou camp','Field'=>'Camp','Fields'=>'Camps','No Field Groups found in Trash'=>'No s\'ha trobat cap grup de camps a la paperera','No Field Groups found'=>'No s\'ha trobat cap grup de camps','Search Field Groups'=>'Cerca grups de camps','View Field Group'=>'Visualitza el grup de camps','New Field Group'=>'Nou grup de camps','Edit Field Group'=>'Edita el grup de camps','Add New Field Group'=>'Afegeix un nou grup de camps','Add New'=>'Afegeix','Field Group'=>'Grup de camps','Field Groups'=>'Grups de camps','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalitzeu el WordPress amb camps potents, professionals i intuïtius.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Cal introduir un valor a %s','Switch to Edit'=>'Canvia a edició','Switch to Preview'=>'Canvia a previsualització','%s settings'=>'Paràmetres','Options Updated'=>'S’han actualitzat les opcions','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Per a activar les actualitzacions, introduïu la clau de llicència a la pàgina d’Actualitzacions. Si no teniu cap clau de llicència, vegeu-ne elsdetalls i preu.','ACF Activation Error. An error occurred when connecting to activation server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Check Again'=>'Torneu-ho a comprovar','ACF Activation Error. Could not connect to activation server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Publish'=>'Publica','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'No s’han trobat grups de camps personalitzats per a aquesta pàgina d’opcions. Creeu un grup de camps nou','Error. Could not connect to update server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. 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.','Select one or more fields you wish to clone'=>'Escolliu un o més camps a clonar','Display'=>'Mostra','Specify the style used to render the clone field'=>'Indiqueu l’estil que s’usarà per a mostrar el camp clonat','Group (displays selected fields in a group within this field)'=>'Grup (mostra els camps escollits en un grup dins d’aquest camp)','Seamless (replaces this field with selected fields)'=>'Fluid (reemplaça aquest camp amb els camps escollits)','Labels will be displayed as %s'=>'Les etiquetes es mostraran com a %s','Prefix Field Labels'=>'Prefixa les etiquetes dels camps','Values will be saved as %s'=>'Els valors es desaran com a %s','Prefix Field Names'=>'Prefixa els noms dels camps','Unknown field'=>'Camp desconegut','Unknown field group'=>'Grup de camps desconegut','All fields from %s field group'=>'Tots els camps del grup de camps %s','Add Row'=>'Afegeix una fila','layout'=>'disposició' . "\0" . 'disposicions','layouts'=>'disposicions','This field requires at least {min} {label} {identifier}'=>'Aquest camp requereix almenys {min} {label} de {identifier}','This field has a limit of {max} {label} {identifier}'=>'Aquest camp té un límit de {max} {label} de {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} de {identifier} disponible (màx {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} de {identifier} necessari (mín {min})','Flexible Content requires at least 1 layout'=>'El contingut flexible necessita almenys una disposició','Click the "%s" button below to start creating your layout'=>'Feu clic al botó “%s” de sota per a començar a crear el vostre disseny','Add layout'=>'Afegeix una disposició','Duplicate layout'=>'Duplica la disposició','Remove layout'=>'Esborra la disposició','Click to toggle'=>'Feu clic per alternar','Delete Layout'=>'Esborra la disposició','Duplicate Layout'=>'Duplica la disposició','Add New Layout'=>'Afegeix una disposició','Add Layout'=>'Afegeix una disposició','Min'=>'Mín','Max'=>'Màx','Minimum Layouts'=>'Mínim de disposicions','Maximum Layouts'=>'Màxim de disposicions','Button Label'=>'Etiqueta del botó','Add Image to Gallery'=>'Afegeix una imatge a la galeria','Maximum selection reached'=>'S’ha arribat al màxim d’elements seleccionats','Length'=>'Llargada','Caption'=>'Llegenda','Alt Text'=>'Text alternatiu','Add to gallery'=>'Afegeix a la galeria','Bulk actions'=>'Accions massives','Sort by date uploaded'=>'Ordena per la data de càrrega','Sort by date modified'=>'Ordena per la data de modificació','Sort by title'=>'Ordena pel títol','Reverse current order'=>'Inverteix l’ordre actual','Close'=>'Tanca','Minimum Selection'=>'Selecció mínima','Maximum Selection'=>'Selecció màxima','Allowed file types'=>'Tipus de fitxers permesos','Insert'=>'Insereix','Specify where new attachments are added'=>'Especifiqueu on s’afegeixen els nous fitxers adjunts','Append to the end'=>'Afegeix-los al final','Prepend to the beginning'=>'Afegeix-los al principi','Minimum rows not reached ({min} rows)'=>'No s’ha arribat al mínim de files ({min} files)','Maximum rows reached ({max} rows)'=>'S’ha superat el màxim de files ({max} files)','Rows Per Page'=>'Pàgina de les entrades','Set the number of rows to be displayed on a page.'=>'Escolliu la taxonomia a mostrar','Minimum Rows'=>'Mínim de files','Maximum Rows'=>'Màxim de files','Collapsed'=>'Replegat','Select a sub field to show when row is collapsed'=>'Escull un subcamp per a mostrar quan la fila estigui replegada','Click to reorder'=>'Arrossegueu per a reordenar','Add row'=>'Afegeix una fila','Duplicate row'=>'Duplica','Remove row'=>'Esborra la fila','Current Page'=>'Usuari actual','First Page'=>'Portada','Previous Page'=>'Pàgina de les entrades','Next Page'=>'Portada','Last Page'=>'Pàgina de les entrades','No block types exist'=>'No hi ha pàgines d’opcions','No options pages exist'=>'No hi ha pàgines d’opcions','Deactivate License'=>'Desactiva la llicència','Activate License'=>'Activa la llicència','License Information'=>'Informació de la llicència','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Per a desbloquejar les actualitzacions, introduïu la clau de llicència a continuació. Si no teniu cap clau de llicència, vegeu els detalls i preu.','License Key'=>'Clau de llicència','Retry Activation'=>'Validació millorada','Update Information'=>'Informació de l\'actualització','Current Version'=>'Versió actual','Latest Version'=>'Darrera versió','Update Available'=>'Actualització disponible','Upgrade Notice'=>'Avís d’actualització','Enter your license key to unlock updates'=>'Introduïu la clau de llicència al damunt per a desbloquejar les actualitzacions','Update Plugin'=>'Actualitza l’extensió','Please reactivate your license to unlock updates'=>'Introduïu la clau de llicència al damunt per a desbloquejar les actualitzacions']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'Camps de l\'ACF','ACF PRO Feature'=>'Característiques de l\'ACF PRO','Renew PRO to Unlock'=>'Renoveu a PRO per desbloquejar','Renew PRO License'=>'Renova la llicència PRO','PRO fields cannot be edited without an active license.'=>'Els camps PRO no es poden editar sense una llicència activa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeu la llicència ACF PRO per a editar els grups de camps assignats a un bloc ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activeu la llicència ACF PRO per editar aquesta pàgina d\'opcions.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Retornar els valors HTML escapats només és possible quan format_value també és true. Els valors del camp no s\'han retornat per seguretat.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Retornar un valor HTML escapat només és possible quan format_value també és true. El valor del camp no s\'ha retornat per seguretat.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'L\'ACF %1$s ara escapa automàticament de l\'HTML insegur quan es renderitza amb the_field o el codi de substitució de l\'ACF. Hem detectat que la sortida d\'alguns dels vostres camps ha estat modificada per aquest canvi, però pot ser que no s\'hagi trencat res. %2$s.','Please contact your site administrator or developer for more details.'=>'Contacteu amb l\'administrador o el desenvolupador del vostre lloc per a més detalls.','Learn more'=>'','Hide details'=>'Amaga detalls','Show details'=>'Mostra detalls','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderitzat via %3$s','Renew ACF PRO License'=>'Renova la llicència ACF PRO','Renew License'=>'Renova la llicència','Manage License'=>'Gestiona la llicència','\'High\' position not supported in the Block Editor'=>'No s\'admet la posició "Alta" a l\'editor de blocs.','Upgrade to ACF PRO'=>'Actualitza a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Les pàgines d\'opcions d\'ACF són pàgines d\'administració personalitzades per a gestionar la configuració global mitjançant camps. Podeu crear diverses pàgines i subpàgines.','Add Options Page'=>'Afegeix una pàgina d\'opcions','In the editor used as the placeholder of the title.'=>'A l\'editor s\'utilitza com a marcador de posició del títol.','Title Placeholder'=>'Marcador de posició del títol','4 Months Free'=>'4 mesos gratuïts','(Duplicated from %s)'=>'(Duplicat de %s)','Select Options Pages'=>'Selecciona les pàgines d\'opcions','Duplicate taxonomy'=>'Duplica la taxonomia','Create taxonomy'=>'Crea una taxonomia','Duplicate post type'=>'Duplica el tipus d\'entrada','Create post type'=>'Crea un tipus de contingut','Link field groups'=>'Enllaça grups de camps','Add fields'=>'Afegeix camps','This Field'=>'Aquest camp','ACF PRO'=>'ACF PRO','Feedback'=>'Opinions','Support'=>'Suport','is developed and maintained by'=>'és desenvolupat i mantingut per','Add this %s to the location rules of the selected field groups.'=>'Afegeix %s a les regles d\'ubicació dels grups de camps seleccionats.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Activar el paràmetre bidireccional permet actualitzar un valor als camps de destinació per cada valor seleccionat per aquest camp, afegint o suprimint l\'ID d\'entrada, l\'ID de taxonomia o l\'ID d\'usuari de l\'element que s\'està actualitzant. Per a més informació, llegeix la documentació.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona els camps per emmagatzemar la referència a l\'element que s\'està actualitzant. Podeu seleccionar aquest camp. Els camps de destinació han de ser compatibles amb el lloc on s\'està mostrant aquest camp. Per exemple, si aquest camp es mostra a una taxonomia, el camp de destinació ha de ser del tipus taxonomia','Target Field'=>'Camp de destinació','Update a field on the selected values, referencing back to this ID'=>'Actualitza un camp amb els valors seleccionats, fent referència a aquest identificador','Bidirectional'=>'Bidireccional','%s Field'=>'Camp %s','Select Multiple'=>'Selecciona múltiples','WP Engine logo'=>'Logotip de WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Només minúscules, subratllats i guions, màxim 32 caràcters.','The capability name for assigning terms of this taxonomy.'=>'El nom de la capacitat per assignar termes d\'aquesta taxonomia.','Assign Terms Capability'=>'Capacitat d\'assignar termes','The capability name for deleting terms of this taxonomy.'=>'El nom de la capacitat per suprimir termes d\'aquesta taxonomia.','Delete Terms Capability'=>'Capacitat de suprimir termes','The capability name for editing terms of this taxonomy.'=>'El nom de la capacitat per editar termes d\'aquesta taxonomia.','Edit Terms Capability'=>'Capacitat d\'editar termes','The capability name for managing terms of this taxonomy.'=>'El nom de la capacitat per gestionar termes d\'aquesta taxonomia.','Manage Terms Capability'=>'Gestiona la capacitat dels termes','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Estableix si les entrades s\'han d\'excloure dels resultats de la cerca i de les pàgines d\'arxiu de taxonomia.','More Tools from WP Engine'=>'Més eines de WP Engine','Built for those that build with WordPress, by the team at %s'=>'S\'ha fet per als que construeixen amb el WordPress, per l\'equip a %s','View Pricing & Upgrade'=>'Mostra els preus i actualitzacions','Learn More'=>'Més informació','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accelera el flux de treball i desenvolupa millors llocs web amb funcions com ara blocs ACF i pàgines d\'opcions, i tipus de camps sofisticats com repetidor, contingut flexible, clonar i galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloqueja característiques avançades i construeix encara més amb ACF PRO','%s fields'=>'%s camps','No terms'=>'No hi ha termes','No post types'=>'No existeixen tipus d\'entrada','No posts'=>'Sense entrades','No taxonomies'=>'No hi ha taxonomies','No field groups'=>'No hi ha grups de camp','No fields'=>'No hi ha camps','No description'=>'No hi ha descripció','Any post status'=>'Qualsevol estat d\'entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Aquesta clau de taxonomia ja l\'està utilitzant una altra taxonomia registrada fora d\'ACF i no es pot utilitzar.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Aquesta clau de taxonomia ja l\'està utilitzant una altra taxonomia a ACF i no es pot fer servir.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clau de taxonomia només ha de contenir caràcters alfanumèrics en minúscules, guions baixos o guions.','The taxonomy key must be under 32 characters.'=>'La clau de taxonomia hauria de tenir menys de 20 caràcters','No Taxonomies found in Trash'=>'No s\'ha trobat cap taxonomia a la paperera.','No Taxonomies found'=>'No s\'ha trobat cap taxonomia','Search Taxonomies'=>'Cerca taxonomies','View Taxonomy'=>'Visualitza la taxonomia','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Edita la taxonomia','Add New Taxonomy'=>'Afegeix una nova taxonomia','No Post Types found in Trash'=>'No s\'ha trobat cap tipus de contingut a la paperera.','No Post Types found'=>'No s\'ha trobat cap tipus de contingut','Search Post Types'=>'Cerca tipus de contingut','View Post Type'=>'Visualitza el tipus de contingut','New Post Type'=>'Nou tipus de contingut','Edit Post Type'=>'Edita el tipus de contingut','Add New Post Type'=>'Afegeix un nou tipus de contingut','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Aquesta clau de tipus de contingut ja s\'està utilitzant per un altre tipus de contingut registrat fora d\'ACF i no es pot utilitzar.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Aquesta clau de tipus de contingut ja s\'està utilitzant en un atre tipus de contingut d\'ACF i no es pot utilitzar.','This field must not be a WordPress reserved term.'=>'Aquest camp no ha de ser un terme reservat de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clau de tipus d\'entrada només ha de contenir caràcters alfanumèrics en minúscules, guions baixos o guions.','The post type key must be under 20 characters.'=>'La clau de tipus de contingut hauria de tenir menys de 20 caràcters.','We do not recommend using this field in ACF Blocks.'=>'No recomanem fer servir aquest camp en el block d\'ACF','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Mostra l\'editor WYSIWYG de WordPress tal com es veu a publicacions i pàgines que permet una experiència d\'edició de text rica i que també permet contingut multimèdia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permet la selecció d\'un o més usuaris que es poden utilitzar per crear relacions entre objectes de dades.','A text input specifically designed for storing web addresses.'=>'Un camp de text dissenyat especificament per emmagatzemar adreces web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un commutador que us permet triar un valor d\'1 o 0 (activat o desactivat, cert o fals, etc.). Es pot presentar com un interruptor estilitzat o una casella de selecció.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una hora. El format de l\'hora es pot personalitzar mitjançant la configuració de camp.','A basic textarea input for storing paragraphs of text.'=>'Un camp d\'àrea de text bàsic per emmagatzemar paràgrafs de text.','A basic text input, useful for storing single string values.'=>'Un camp bàsic de text, útil per emmagatzemar valors de cadena simple.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permet la selecció d\'un o més termes de taxonomia en funció dels criteris i opcions especificats a la configuració dels camps.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Us permet agrupar camps en seccions amb pestanyes a la pantalla d\'edició. Útil per mantenir els camps organitzats i estructurats.','A dropdown list with a selection of choices that you specify.'=>'Una llista desplegable amb una selecció d\'opcions que especifiqueu.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfície de dues columnes per seleccionar una o més entrades, pàgines o elements de tipus de contingut personalitzats per crear una relació amb l\'element que esteu editant actualment. Inclou opcions per cercar i filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un camp per seleccionar un valor numèric dins d\'un interval especificat mitjançant un element de control d\'interval.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grup de camps de botons d\'opció que permet a l\'usuari fer una selecció única dels valors que especifiqueu.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfície d\'usuari interactiva i personalitzable per escollir una o més publicacions, pàgines o elements de tipus d\'entrada amb l\'opció de cercar. ','An input for providing a password using a masked field.'=>'Un camp per proporcionar una contrasenya mitjançant un camp emmascarat.','Filter by Post Status'=>'Filtra per estat d\'entrada','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un menú desplegable interactiu per seleccionar una o més entrades, pàgines, elements de tipus de contingut personalitzats o URL d\'arxiu, amb l\'opció de cercar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un component interactiu per incrustar vídeos, imatges, tuits, àudio i altres continguts fent ús de la funcionalitat nativa de WordPress oEmbed.','An input limited to numerical values.'=>'Un camp limitat per valors numèrics.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'S\'utilitza per mostrar un missatge als editors juntament amb altres camps. Útil per proporcionar context o instruccions addicionals al voltant dels vostres camps.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Us permet especificar un enllaç i les seves propietats, com ara el títol i l\'objectiu mitjançant el selector d\'enllaços natiu de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilitza el selector de mitjans natiu de WordPress per pujar o triar imatges.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una manera d\'estructurar els camps en grups per organitzar millor les dades i la pantalla d\'edició.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfície d\'usuari interactiva per seleccionar una ubicació mitjançant Google Maps. Requereix una clau de l\'API de Google Maps i una configuració addicional per mostrar-se correctament.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilitza el selector multimèdia natiu de WordPress per pujar o triar fitxers.','A text input specifically designed for storing email addresses.'=>'Una camp de text dissenyat específicament per emmagatzemar adreces de correu electrònic.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una data i una hora. El format de devolució de la data es pot personalitzar mitjançant la configuració de camp.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfície d\'usuari interactiva per triar una data. El format de devolució de la data es pot personalitzar mitjançant la configuració de camp.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfície d\'usuari interactiva per seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grup de camps de caselles de selecció que permeten a l\'usuari seleccionar un o diversos valors que especifiqueu.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grup de botons amb valors que especifiqueu, els usuaris poden triar una opció entre els valors proporcionats.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Us permet agrupar i organitzar camps personalitzats en panells plegables que es mostren mentre editeu el contingut. Útil per mantenir ordenats grans conjunts de dades.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Això proporciona una solució per repetir contingut com ara diapositives, membres de l\'equip i fitxes de crida d\'acció, actuant com a pare d\'un conjunt de subcamps que es poden repetir una i altra vegada.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Això proporciona una interfície interactiva per gestionar una col·lecció de fitxers adjunts. La majoria de la configuració és similar al tipus de camp Imatge. La configuració addicional us permet especificar on s\'afegeixen nous fitxers adjunts a la galeria i el nombre mínim/màxim de fitxers adjunts permesos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Proporciona un editor senzill, estructurat i basat en dissenys. El camp contingut flexible us permet definir, crear i gestionar contingut amb control total mitjançant l\'ús de dissenys i subcamps per dissenyar els blocs disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Us permet seleccionar i mostrar els camps existents. No duplica cap camp de la base de dades, sinó que carrega i mostra els camps seleccionats en temps d\'execució. El camp Clonar pot substituir-se amb els camps seleccionats o mostrar els camps seleccionats com un grup de subcamps.','nounClone'=>'Clona','PRO'=>'PRO','Advanced'=>'Avançat','JSON (newer)'=>'JSON (més nou)','Original'=>'Original','Invalid post ID.'=>'Identificador de l\'entrada no vàlid.','Invalid post type selected for review.'=>'S\'ha seleccionat un tipus de contingut no vàlid per a la revisió.','More'=>'Més','Tutorial'=>'Tutorial','Select Field'=>'Camp selector','Try a different search term or browse %s'=>'Proveu un terme de cerca diferent o navegueu per %s','Popular fields'=>'Camps populars','No search results for \'%s\''=>'No hi ha resultats de cerca per a \'%s\'','Search fields...'=>'Cerca camps','Select Field Type'=>'Selecciona un tipus de camp','Popular'=>'Popular','Add Taxonomy'=>'Afegeix taxonomia','Create custom taxonomies to classify post type content'=>'Crea taxonomies personalitzades per clasificar el contingut del tipus de contingut','Add Your First Taxonomy'=>'Afegeix la primera taxonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Les taxonomies jeràrquiques poden tenir descendents (com les categories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Fa que una taxonomia sigui visible a la part pública de la web i al tauler d\'administració.','One or many post types that can be classified with this taxonomy.'=>'Un o varis tipus d\'entrada que poden ser classificats amb aquesta taxonomia.','genre'=>'gènere','Genre'=>'Gènere','Genres'=>'Gèneres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalitzat opcional per utilitzar-lo en lloc del `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Exposa aquest tipus d\'entrada a la REST API.','Customize the query variable name'=>'Personalitza el nom de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Es pot accedir als termes utilitzant l\'enllaç permanent no bonic, per exemple, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termes pare-fill en URLs per a taxonomies jeràrquiques.','Customize the slug used in the URL'=>'Personalitza el segment d\'URL utilitzat a la URL','Permalinks for this taxonomy are disabled.'=>'Els enllaços permanents d\'aquesta taxonomia estan desactivats.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescriu l\'URL utilitzant la clau de la taxonomia com a segment d\'URL. L\'estructura de l\'enllaç permanent serà','Taxonomy Key'=>'Clau de la taxonomia','Select the type of permalink to use for this taxonomy.'=>'Seleccioneu el tipus d\'enllaç permanent que voleu utilitzar per aquesta taxonomia.','Display a column for the taxonomy on post type listing screens.'=>'Mostra una columna per a la taxonomia a les pantalles de llista de tipus de contingut.','Show Admin Column'=>'Mostra la columna d\'administració','Show the taxonomy in the quick/bulk edit panel.'=>'Mostra la taxonomia en el panell d\'edició ràpida/massiva.','Quick Edit'=>'Edició ràpida','List the taxonomy in the Tag Cloud Widget controls.'=>'Mostra la taxonomia als controls del giny núvol d\'etiquetes.','Tag Cloud'=>'Núvol d\'etiquetes','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'El nom de la funció PHP que s\'executarà per sanejar les dades de taxonomia desades a una meta box.','Meta Box Sanitization Callback'=>'Crida de retorn de sanejament de la caixa meta','Register Meta Box Callback'=>'Registra la crida de retorn de la caixa meta','No Meta Box'=>'Sense caixa meta','Custom Meta Box'=>'Caixa meta personalitzada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la meta caixa a la pantalla de l\'editor de contingut. Per defecte, la meta caixa Categories es mostra per a taxonomies jeràrquiques i la meta caixa Etiquetes es mostra per a taxonomies no jeràrquiques.','Meta Box'=>'Caixa meta','Categories Meta Box'=>'Caixa meta de categories','Tags Meta Box'=>'Caixa meta d\'etiquetes','A link to a tag'=>'Un enllaç a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Descriu una variació del bloc d\'enllaços de navegació utilitzada a l\'editor de blocs.','A link to a %s'=>'Un enllaç a %s','Tag Link'=>'Enllaç de l\'etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Assigna un títol a la variació del bloc d\'enllaços de navegació utilitzada a l\'editor de blocs.','← Go to tags'=>'← Ves a etiquetes','Assigns the text used to link back to the main index after updating a term.'=>'Assigna el text utilitzat per enllaçar de nou a l\'índex principal després d\'actualitzar un terme.','Back To Items'=>'Torna a Elements','← Go to %s'=>'← Anar a %s','Tags list'=>'Llista d\'etiquetes','Assigns text to the table hidden heading.'=>'Assigna text a l\'encapçalament ocult de la taula.','Tags list navigation'=>'Navegació per la llista d\'Etiquetes','Assigns text to the table pagination hidden heading.'=>'Assigna text a la capçalera oculta de la paginació de la taula.','Filter by category'=>'Filtra per Categoria','Assigns text to the filter button in the posts lists table.'=>'Assigna text al botó de filtre a la taula de llistes d\'entrades.','Filter By Item'=>'Filtra per element','Filter by %s'=>'Filtra per %s','The description is not prominent by default; however, some themes may show it.'=>'La descripció no es mostra per defecte; no obstant, hi ha alguns temes que poden mostrar-la.','Describes the Description field on the Edit Tags screen.'=>'Descriu el camp descripció a la pantalla d\'edició d\'etiquetes.','Description Field Description'=>'Descripció del camp descripció','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Assigna un terme pare per crear una jerarquia. El terme Jazz, per exemple, seria el pare de Bebop i Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descriu el camp superior de la pantalla Editar etiquetes.','Parent Field Description'=>'Descripció del camp pare','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El segment d’URL és la versió URL amigable del nom. Normalment està tot en minúscules i només conté lletres, números i guions.','Describes the Slug field on the Edit Tags screen.'=>'Descriu el camp Segment d\'URL de la pantalla Editar etiquetes.','Slug Field Description'=>'Descripció del camp de l\'àlies','The name is how it appears on your site'=>'El nom és tal com apareix al lloc web','Describes the Name field on the Edit Tags screen.'=>'Descriu el camp Nom de la pantalla Editar etiquetes.','Name Field Description'=>'Descripció del camp nom','No tags'=>'Sense etiquetes','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assigna el text que es mostra a les taules d\'entrades i llista de mèdia quan no hi ha etiquetes o categories disponibles.','No Terms'=>'No hi ha termes','No %s'=>'No hi ha %s','No tags found'=>'No s\'han trobat etiquetes','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigna el text que es mostra quan es fa clic a "tria entre els més utilitzats" a la caixa meta de la taxonomia quan no hi ha etiquetes disponibles, i assigna el text utilitzat a la taula de llista de termes quan no hi ha elements per a una taxonomia.','Not Found'=>'No s\'ha trobat','Assigns text to the Title field of the Most Used tab.'=>'Assigna text al camp Títol de la pestanya Més Utilitzat.','Most Used'=>'Més utilitzats','Choose from the most used tags'=>'Tria entre les etiquetes més utilitzades','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assigna el text "tria entre els més utilitzats" que s\'utilitza a la caixa meta quan JavaScript està desactivat. Només s\'utilitza en taxonomies no jeràrquiques.','Choose From Most Used'=>'Tria entre els més utilitzats','Choose from the most used %s'=>'Tria entre els %s més utilitzats','Add or remove tags'=>'Afegeix o suprimeix etiquetes','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigna el text d\'afegir o suprimir elements utilitzat a la caixa meta quan JavaScript està desactivat. Només s\'utilitza en taxonomies no jeràrquiques','Add Or Remove Items'=>'Afegeix o Suprimeix Elements','Add or remove %s'=>'Afegeix o suprimeix %s','Separate tags with commas'=>'Separa les etiquetes amb comes','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assigna a l\'element separat amb comes el text utilitzat a la caixa meta de taxonomia. Només s\'utilitza en taxonomies no jeràrquiques.','Separate Items With Commas'=>'Separa elements amb comes','Separate %s with commas'=>'Separa %s amb comes','Popular Tags'=>'Etiquetes populars','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assigna text als elements populars. Només s\'utilitza en taxonomies no jeràrquiques.','Popular Items'=>'Elements populars','Popular %s'=>'%s populars','Search Tags'=>'Cerca etiquetes','Assigns search items text.'=>'Assigna el text de cercar elements.','Parent Category:'=>'Categoria mare:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigna el text de l\'element pare, però afegint dos punts (:) al final.','Parent Item With Colon'=>'Element pare amb dos punts','Parent Category'=>'Categoria mare','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigna el text de l\'element pare. Només s\'utilitza en taxonomies jeràrquiques.','Parent Item'=>'Element pare','Parent %s'=>'%s pare','New Tag Name'=>'Nom de l\'etiqueta nova','Assigns the new item name text.'=>'Assigna el text del nom de l\'element nou.','New Item Name'=>'Nom de l\'element nou','New %s Name'=>'Nom de la taxonomia %s nova','Add New Tag'=>'Afegeix una etiqueta nova','Assigns the add new item text.'=>'Assigna el text d\'afegir un element nou.','Update Tag'=>'Actualitza l\'etiqueta','Assigns the update item text.'=>'Assigna el text d\'actualitzar un element.','Update Item'=>'Actualiza l\'element','Update %s'=>'Actualitza %s','View Tag'=>'Mostra l\'etiqueta','In the admin bar to view term during editing.'=>'A barra d\'administració per a veure el terme durant l\'edició.','Edit Tag'=>'Edita l\'etiqueta','At the top of the editor screen when editing a term.'=>'A la part superior de la pantalla de l\'editor, quan s\'edita un terme.','All Tags'=>'Totes les etiquetes','Assigns the all items text.'=>'Assigna el text de tots els elements.','Assigns the menu name text.'=>'Assigna el text del nom del menú.','Menu Label'=>'Etiqueta del menu','Active taxonomies are enabled and registered with WordPress.'=>'Les taxonomies actives estan activades i registrades a WordPress.','A descriptive summary of the taxonomy.'=>'Un resum descriptiu de la taxonomia.','A descriptive summary of the term.'=>'Un resum descriptiu del terme.','Term Description'=>'Descripció del terme','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola paraula, sense espais. S’admeten barres baixes i guions.','Term Slug'=>'Àlies del terme','The name of the default term.'=>'El nom del terme per defecte.','Term Name'=>'Nom del terme','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un terme per a la taxonomia que no es pugui suprimir. No serà seleccionada per defecte per a les entrades.','Default Term'=>'Terme per defecte','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si els termes d\'aquesta taxonomia s\'han d\'ordenar en l\'ordre en què es proporciona a `wp_set_object_terms()`.','Sort Terms'=>'Ordena termes','Add Post Type'=>'Afegeix un tipus d\'entrada personalitzat','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplia la funcionalitat de WordPress més enllà de les entrades i pàgines estàndard amb tipus de contingut personalitzats.','Add Your First Post Type'=>'Afegiu el vostre primer tipus de contingut','I know what I\'m doing, show me all the options.'=>'Sé el que estic fent, mostra\'m totes les opcions.','Advanced Configuration'=>'Configuració avançada','Hierarchical post types can have descendants (like pages).'=>'Els tipus de contingut jeràrquics poden tenir descendents (com les pàgines).','Hierarchical'=>'Jeràrquica','Visible on the frontend and in the admin dashboard.'=>'Visible a la part pública de la web i al tauler d\'administració.','Public'=>'Públic','movie'=>'pel·lícula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Només minúscules, guions baixos i guions, màxim 20 caràcters.','Movie'=>'Pel·lícula','Singular Label'=>'Etiqueta singular','Movies'=>'Pel·lícules','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalitzat opcional per utilitzar-lo en lloc del `WP_REST_Posts_Controller`.','Controller Class'=>'Classe de controlador','The namespace part of the REST API URL.'=>'La part de l\'espai de noms de la URL de la API REST.','Namespace Route'=>'Ruta de l\'espai de noms','The base URL for the post type REST API URLs.'=>'URL base per als URL de la REST API del tipus de contingut.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Exposa aquest tipus de contingut a la REST API. Necessari per a utilitzar l\'editor de blocs.','Show In REST API'=>'Mostra a l\'API REST','Customize the query variable name.'=>'Personalitza el nom de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admet variables de consulta','Custom Query Variable'=>'Variable de consulta personalitzada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Es pot accedir als elements utilitzant l\'enllaç permanent no bonic, per exemple {post_type}={post_slug}.','Query Variable Support'=>'Admet variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Es pot accedir als URL d\'un element i dels elements mitjançant una cadena de consulta.','Publicly Queryable'=>'Consultable públicament','Custom slug for the Archive URL.'=>'Segment d\'URL personalitzat per a la URL de l\'arxiu.','Archive Slug'=>'Segment d\'URL de l\'arxiu','Has an item archive that can be customized with an archive template file in your theme.'=>'Té un arxiu d\'elements que es pot personalitzar amb un fitxer de plantilla d\'arxiu al tema.','Archive'=>'Arxiu','Pagination support for the items URLs such as the archives.'=>'Suport de paginació per als URL dels elements, com els arxius.','Pagination'=>'Paginació','RSS feed URL for the post type items.'=>'URL del canal RSS per als elements del tipus de contingut.','Feed URL'=>'URL del canal','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera l\'estructura d\'enllaços permanents per afegir el prefix `WP_Rewrite::$front` a les URLs.','Front URL Prefix'=>'Prefix de les URLs','Customize the slug used in the URL.'=>'Personalitza el segment d\'URL utilitzat a la URL.','URL Slug'=>'Àlies d\'URL','Permalinks for this post type are disabled.'=>'Els enllaços permanents d\'aquest tipus de contingut estan desactivats.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescriu l\'URL utilitzant un segment d\'URL personalitzat definit al camp de sota. L\'estructura d\'enllaç permanent serà','No Permalink (prevent URL rewriting)'=>'Sense enllaç permanent (evita la reescriptura de URL)','Custom Permalink'=>'Enllaç permanent personalitzat','Post Type Key'=>'Clau del tipus de contingut','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescriu l\'URL utilitzant la clau del tipus de contingut com a segment d\'URL. L\'estructura d\'enllaç permanent serà','Permalink Rewrite'=>'Reescriptura d\'enllaç permanent','Delete items by a user when that user is deleted.'=>'Suprimeix els elements d\'un usuari quan se suprimeixi.','Delete With User'=>'Suprimeix amb usuari','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permet que el tipus de contingut es pugui exportar des de \'Eines\' > \'Exportar\'.','Can Export'=>'Es pot exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalment, proporciona un plural per a utilitzar-lo a les capacitats.','Plural Capability Name'=>'Nom de la capacitat en plural','Choose another post type to base the capabilities for this post type.'=>'Tria un altre tipus de contingut per basar les capacitats d\'aquest tipus de contingut.','Singular Capability Name'=>'Nom de la capacitat en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Per defecte, les capacitats del tipus de contingut heretaran els noms de les capacitats \'Entrada\', per exemple edit_post, delete_posts. Activa\'l per utilitzar capacitats específiques del tipus de contingut, per exemple edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Canvia el nom de les capacitats','Exclude From Search'=>'Exclou de la cerca','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permet afegir elements als menús a la pantalla \'Aparença\' > \'Menús\'. S\'ha d\'activar a \'Opcions de pantalla\'.','Appearance Menus Support'=>'Compatibilitat amb menús d\'aparença','Appears as an item in the \'New\' menu in the admin bar.'=>'Apareix com a un element al menú \'Nou\' de la barra d\'administració.','Show In Admin Bar'=>'Mostra a la barra d\'administració','Custom Meta Box Callback'=>'Crida de retorn de caixa meta personalitzada','Menu Icon'=>'Icona de menú','The position in the sidebar menu in the admin dashboard.'=>'La posició al menú de la barra lateral al tauler d\'administració.','Menu Position'=>'Posició en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Per defecte, el tipus de contingut obtindrà un element nou de nivell superior en el menú d\'administració. Si aquí es proporciona un element de nivell superior existent, el tipus de contingut s\'afegirà com a un element de submenú a sota.','Admin Menu Parent'=>'Menú d\'administració pare','Admin editor navigation in the sidebar menu.'=>'Navegació de l\'editor d\'administració al menú de la barra lateral.','Show In Admin Menu'=>'Mostra al menú d\'administració','Items can be edited and managed in the admin dashboard.'=>'Els elements es poden editar i gestionar al tauler d\'administració.','Show In UI'=>'Mostra a l\'UI','A link to a post.'=>'Un enllaç a una entrada.','Description for a navigation link block variation.'=>'Descripció d\'una variació del bloc d\'enllaços de navegació.','Item Link Description'=>'Descripció de l\'enllaç de l\'element','A link to a %s.'=>'Un enllaç a %s.','Post Link'=>'Enllaç de l\'entrada','Title for a navigation link block variation.'=>'Títol d\'una variació del bloc d\'enllaços de navegació.','Item Link'=>'Enllaç de l\'element','%s Link'=>'Enllaç de %s','Post updated.'=>'S\'ha actualitzat l\'entrada.','In the editor notice after an item is updated.'=>'A l\'avís de l\'editor després d\'actualitzar un element.','Item Updated'=>'S\'ha actualitzat l\'element','%s updated.'=>'S\'ha actualitzat %s.','Post scheduled.'=>'S\'ha programat l\'entrada.','In the editor notice after scheduling an item.'=>'A l\'avís de l\'editor després de programar un element.','Item Scheduled'=>'S\'ha programat l\'element','%s scheduled.'=>'%s programat.','Post reverted to draft.'=>'S\'ha revertit l\'entrada a esborrany.','In the editor notice after reverting an item to draft.'=>'A l\'avís de l\'editor després de revertir un element a esborrany.','Item Reverted To Draft'=>'S\'ha tornat l\'element a esborrany','%s reverted to draft.'=>'S\'ha revertit %s a esborrany.','Post published privately.'=>'S\'ha publicat l\'entrada en privat.','In the editor notice after publishing a private item.'=>'A l\'avís de l\'editor després de publicar un element privat.','Item Published Privately'=>'S\'ha publicat l\'element en privat','%s published privately.'=>'%s publicats en privat.','Post published.'=>'S\'ha publicat l\'entrada.','In the editor notice after publishing an item.'=>'A l\'avís de l\'editor després de publicar un element.','Item Published'=>'S\'ha publicat l\'element','%s published.'=>'S\'ha publicat %s.','Posts list'=>'Llista d\'entrades','Used by screen readers for the items list on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la llista d\'elements a la pantalla de llista de tipus de contingut.','Items List'=>'Llista d\'elements','%s list'=>'Llista de %s','Posts list navigation'=>'Navegació per la llista d\'entrades','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la paginació de la llista de filtres a la pantalla de llista de tipus de contingut.','Items List Navigation'=>'Navegació per la llista d\'elements','%s list navigation'=>'Navegació per la lista de %s','Filter posts by date'=>'Filtra les entrades per data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la capçalera de filtrar per data a la pantalla de llista de tipus de contingut.','Filter Items By Date'=>'Filtra els elements per data','Filter %s by date'=>'Filtra %s per data','Filter posts list'=>'Filtra la llista d\'entrades','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilitzat pels lectors de pantalla per a la capçalera dels enllaços de filtre a la pantalla de llista de tipus de contingut.','Filter Items List'=>'Filtra la llista d\'elements','Filter %s list'=>'Filtra la llista de %s','In the media modal showing all media uploaded to this item.'=>'A la finestra emergent de mèdia es mostra tota la mèdia pujada a aquest element.','Uploaded To This Item'=>'S\'ha penjat a aquest element','Uploaded to this %s'=>'S\'ha penjat a aquest %s','Insert into post'=>'Insereix a l\'entrada','As the button label when adding media to content.'=>'Com a etiqueta del botó quan s\'afegeix mèdia al contingut.','Insert Into Media Button'=>'Botó Insereix a mèdia','Insert into %s'=>'Insereix a %s','Use as featured image'=>'Utilitza com a imatge destacada','As the button label for selecting to use an image as the featured image.'=>'Com a etiqueta del botó per a seleccionar l\'ús d\'una imatge com a imatge destacada.','Use Featured Image'=>'Utilitza la imatge destacada','Remove featured image'=>'Suprimeix la imatge destacada','As the button label when removing the featured image.'=>'Com a etiqueta del botó quan s\'elimina la imatge destacada.','Remove Featured Image'=>'Suprimeix la imatge destacada','Set featured image'=>'Estableix la imatge destacada','As the button label when setting the featured image.'=>'Com a etiqueta del botó quan s\'estableix la imatge destacada.','Set Featured Image'=>'Estableix la imatge destacada','Featured image'=>'Imatge destacada','In the editor used for the title of the featured image meta box.'=>'A l\'editor utilitzat per al títol de la caixa meta de la imatge destacada.','Featured Image Meta Box'=>'Caixa meta d\'imatge destacada','Post Attributes'=>'Atributs de l\'entrada','In the editor used for the title of the post attributes meta box.'=>'A l\'editor utilitzat per al títol de la caixa meta d\'atributs de l\'entrada.','Attributes Meta Box'=>'Caixa meta d\'atributs','%s Attributes'=>'Atributs de %s','Post Archives'=>'Arxius d\'entrades','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Afegeix elements "Arxiu de tipus de contingut" amb aquesta etiqueta a la llista d\'entrades que es mostra quan s\'afegeix elements a un menú existent a un CPT amb arxius activats. Només apareix quan s\'editen menús en mode "Vista prèvia en viu" i s\'ha proporcionat un segment d\'URL d\'arxiu personalitzat.','Archives Nav Menu'=>'Menú de navegació d\'arxius','%s Archives'=>'Arxius de %s','No posts found in Trash'=>'No s\'han trobat entrades a la paperera','At the top of the post type list screen when there are no posts in the trash.'=>'A la part superior de la pantalla de la llista de tipus de contingut quan no hi ha entrades a la paperera.','No Items Found in Trash'=>'No s\'han trobat entrades a la paperera','No %s found in Trash'=>'No s\'han trobat %s a la paperera','No posts found'=>'No s\'han trobat entrades','At the top of the post type list screen when there are no posts to display.'=>'A la part superior de la pantalla de la llista de tipus de contingut quan no hi ha publicacions que mostrar.','No Items Found'=>'No s\'han trobat elements','No %s found'=>'No s\'han trobat %s','Search Posts'=>'Cerca entrades','At the top of the items screen when searching for an item.'=>'A la part superior de la pantalla d\'elements, quan es cerca un element.','Search Items'=>'Cerca elements','Search %s'=>'Cerca %s','Parent Page:'=>'Pàgina mare:','For hierarchical types in the post type list screen.'=>'Per als tipus jeràrquics a la pantalla de la llista de tipus de contingut.','Parent Item Prefix'=>'Prefix de l\'element superior','Parent %s:'=>'%s pare:','New Post'=>'Entrada nova','New Item'=>'Element nou','New %s'=>'Nou %s','Add New Post'=>'Afegeix una nova entrada','At the top of the editor screen when adding a new item.'=>'A la part superior de la pantalla de l\'editor, quan s\'afegeix un element nou.','Add New Item'=>'Afegeix un element nou','Add New %s'=>'Afegeix nou %s','View Posts'=>'Mostra les entrades','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Apareix a la barra d\'administració a la vista \'Totes les entrades\', sempre que el tipus de contingut admeti arxius i la pàgina d\'inici no sigui un arxiu d\'aquell tipus de contingut.','View Items'=>'Visualitza els elements','View Post'=>'Mostra l\'entrada','In the admin bar to view item when editing it.'=>'A la barra d\'administració per a visualitzar l\'element en editar-lo.','View Item'=>'Visualitza l\'element','View %s'=>'Mostra %s','Edit Post'=>'Edita l\'entrada','At the top of the editor screen when editing an item.'=>'A la part superior de la pantalla de l\'editor, quan s\'edita un element.','Edit Item'=>'Edita l\'element','Edit %s'=>'Edita %s','All Posts'=>'Totes les entrades','In the post type submenu in the admin dashboard.'=>'En el submenú de tipus de contingut del tauler d\'administració.','All Items'=>'Tots els elements','All %s'=>'Tots %s','Admin menu name for the post type.'=>'Nom del menú d\'administració per al tipus de contingut.','Menu Name'=>'Nom del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera totes les etiquetes utilitzant les etiquetes singular i plural','Regenerate'=>'Regenera','Active post types are enabled and registered with WordPress.'=>'Els tipus de contingut actius estan activats i registrats amb WordPress.','A descriptive summary of the post type.'=>'Un resum descriptiu del tipus de contingut.','Add Custom'=>'Afegeix personalització','Enable various features in the content editor.'=>'Habilita diverses característiques a l\'editor de contingut.','Post Formats'=>'Formats de les entrades','Editor'=>'Editor','Trackbacks'=>'Retroenllaços','Select existing taxonomies to classify items of the post type.'=>'Selecciona les taxonomies existents per a classificar els elements del tipus de contingut.','Browse Fields'=>'Cerca camps','Nothing to import'=>'Res a importar','. The Custom Post Type UI plugin can be deactivated.'=>'L\'extensió Custom Post Type UI es pot desactivar.','Imported %d item from Custom Post Type UI -'=>'S\'ha importat %d element de Custom Post Type UI -' . "\0" . 'S\'ha importat %d elements de Custom Post Type UI -','Failed to import taxonomies.'=>'No s\'han pogut importar les taxonomies.','Failed to import post types.'=>'No s\'han pogut importar els tipus de contingut.','Nothing from Custom Post Type UI plugin selected for import.'=>'No s\'ha seleccionat res de l\'extensió Custom Post Type UI per a importar.','Imported 1 item'=>'S\'ha importat 1 element' . "\0" . 'S\'han importat %s elements','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'La importació d\'un tipus de contingut o taxonomia amb la mateixa clau que una que ja existeix sobreescriurà la configuració del tipus de contingut o taxonomia existents amb la de la importació.','Import from Custom Post Type UI'=>'Importar des de Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El codi següent es pot utilitzar per registrar una versió local dels elements seleccionats. L\'emmagatzematge local de grups de camps, tipus de contingut o taxonomies pot proporcionar molts avantatges, com ara temps de càrrega més ràpids, control de versions i camps/configuracions dinàmiques. Simplement copia i enganxa el codi següent al fitxer functions.php del tema o inclou-lo dins d\'un fitxer extern i, a continuació, desactiva o suprimeix els elements de l\'administrador de l\'ACF.','Export - Generate PHP'=>'Exporta - Genera PHP','Export'=>'Exporta','Select Taxonomies'=>'Selecciona taxonomies','Select Post Types'=>'Selecciona els tipus de contingut','Exported 1 item.'=>'S\'ha exportat 1 element.' . "\0" . 'S\'han exportat %s elements.','Category'=>'Categoria','Tag'=>'Etiqueta','%s taxonomy created'=>'S\'ha creat la taxonomia %s','%s taxonomy updated'=>'S\'ha actualitzat la taxonomia %s','Taxonomy draft updated.'=>'S\'ha actualitzat l\'esborrany de la taxonomia.','Taxonomy scheduled for.'=>'Taxonomia programada per a.','Taxonomy submitted.'=>'S\'ha enviat la taxonomia.','Taxonomy saved.'=>'S\'ha desat la taxonomia.','Taxonomy deleted.'=>'S\'ha suprimit la taxonomia.','Taxonomy updated.'=>'S\'ha actualitzat la taxonomia.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Aquesta taxonomia no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a una altra taxonomia registrada per una altra extensió o tema.','Taxonomy synchronized.'=>'Taxonomia sincronitzada.' . "\0" . '%s taxonomies sincronitzades.','Taxonomy duplicated.'=>'Taxonomia duplicada.' . "\0" . '%s taxonomies duplicades.','Taxonomy deactivated.'=>'Taxonomia desactivada.' . "\0" . '%s taxonomies desactivades.','Taxonomy activated.'=>'Taxonomia activada.' . "\0" . '%s taxonomies activades.','Terms'=>'Termes','Post type synchronized.'=>'Tipus de contingut sincronitzat.' . "\0" . '%s tipus de continguts sincronitzats.','Post type duplicated.'=>'Tipus de contingut duplicat.' . "\0" . '%s tipus de continguts duplicats.','Post type deactivated.'=>'Tipus de contingut desactivat.' . "\0" . '%s tipus de continguts desactivats.','Post type activated.'=>'Tipus de contingut activat.' . "\0" . '%s tipus de continguts activats.','Post Types'=>'Tipus de contingut','Advanced Settings'=>'Configuració avançada','Basic Settings'=>'Configuració bàsica','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Aquest tipus de contingut no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a un altre tipus de contingut registrat per una altra extensió o tema.','Pages'=>'Pàgines','Link Existing Field Groups'=>'Enllaça grups de camps existents','%s post type created'=>'%s tipus de contingut creat','Add fields to %s'=>'Afegeix camps a %s','%s post type updated'=>'Tipus de contingut %s actualitzat','Post type draft updated.'=>'S\'ha actualitzat l\'esborrany del tipus de contingut.','Post type scheduled for.'=>'Tipus de contingut programat per.','Post type submitted.'=>'Tipus de contingut enviat.','Post type saved.'=>'Tipus de contingut desat.','Post type updated.'=>'Tipus de contingut actualitzat.','Post type deleted.'=>'Tipus de contingut suprimit.','Type to search...'=>'Tecleja per cercar...','PRO Only'=>'Només a PRO','Field groups linked successfully.'=>'Grups de camps enllaçats correctament.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipus de contingut i taxonomies registrades amb Custom Post Type UI i gestiona-les amb ACF. Comença.','ACF'=>'ACF','taxonomy'=>'taxonomia','post type'=>'tipus de contingut','Done'=>'Fet','Field Group(s)'=>'Grup(s) de camp(s)','Select one or many field groups...'=>'Selecciona un o diversos grups de camps...','Please select the field groups to link.'=>'Selecciona els grups de camps a enllaçar.','Field group linked successfully.'=>'Grup de camps enllaçat correctament.' . "\0" . 'Grups de camps enllaçats correctament.','post statusRegistration Failed'=>'Error de registre','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Aquest element no s\'ha pogut registrar perquè la seva clau s\'està utilitzant a un altre element registrat per una altra extensió o tema.','REST API'=>'API REST','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilitat','Labels'=>'Etiquetes','Field Settings Tabs'=>'Pestanyes de configuracions de camps','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valor del codi de substitució d\'ACF desactivat a la previsualització]','Close Modal'=>'Tanca la finestra emergent','Field moved to other group'=>'Camp mogut a un altre grup','Close modal'=>'Tanca la finestra emergent','Start a new group of tabs at this tab.'=>'Comença un nou grup de pestanyes en aquesta pestanya.','New Tab Group'=>'Nou grup de pestanyes','Use a stylized checkbox using select2'=>'Utilitza una casella de selecció estilitzada utilitzant select2','Save Other Choice'=>'Desa l\'opció «Altre»','Allow Other Choice'=>'Permitir l\'opció «Altre»','Add Toggle All'=>'Afegeix un «Alternar tots»','Save Custom Values'=>'Desa els valors personalitzats','Allow Custom Values'=>'Permet valors personalitzats','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Els valors personalitzats de les caselles de selecció no poden estar buits. Desmarqueu els valors buits.','Updates'=>'Actualitzacions','Advanced Custom Fields logo'=>'Logotip de l\'Advanced Custom Fields','Save Changes'=>'Desa els canvis','Field Group Title'=>'Títol del grup de camps','Add title'=>'Afegeix un títol','New to ACF? Take a look at our getting started guide.'=>'Sou nou a l\'ACF? Feu una ullada a la nostra guia d\'inici.','Add Field Group'=>'Afegeix un grup de camps','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'L\'ACF utilitza grups de camps per agrupar camps personalitzats i, a continuació, adjuntar aquests camps per editar pantalles.','Add Your First Field Group'=>'Afegiu el vostre primer grup de camps','Options Pages'=>'Pàgines d\'opcions','ACF Blocks'=>'Blocs ACF','Gallery Field'=>'Camp de galeria','Flexible Content Field'=>'Camp de contingut flexible','Repeater Field'=>'Camp repetible','Unlock Extra Features with ACF PRO'=>'Desbloquegeu característiques addicionals amb l\'ACF PRO','Delete Field Group'=>'Suprimeix el grup de camps','Created on %1$s at %2$s'=>'Creat el %1$s a les %2$s','Group Settings'=>'Configuració del grup','Location Rules'=>'Regles d\'ubicació','Choose from over 30 field types. Learn more.'=>'Trieu entre més de 30 tipus de camps. Més informació.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comenceu a crear nous camps personalitzats per a les vostres entrades, pàgines, tipus de contingut personalitzats i altres continguts del WordPress.','Add Your First Field'=>'Afegiu el vostre primer camp','#'=>'#','Add Field'=>'Afegeix un camp','Presentation'=>'Presentació','Validation'=>'Validació','General'=>'General','Import JSON'=>'Importa JSON','Export As JSON'=>'Exporta com a JSON','Field group deactivated.'=>'S\'ha desactivat el grup de camps.' . "\0" . 'S\'han desactivat %s grups de camps.','Field group activated.'=>'S\'ha activat el grup de camps.' . "\0" . 'S\'han activat %s grups de camps.','Deactivate'=>'Desactiva','Deactivate this item'=>'Desactiva aquest element','Activate'=>'Activa','Activate this item'=>'Activa aquest element','Move field group to trash?'=>'Voleu moure el grup de camps a la paperera?','post statusInactive'=>'Inactiva','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields i Advanced Custom Fields PRO no haurien d\'estar actius al mateix temps. Hem desactivat Advanced Custom Fields PRO automàticament.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields i Advanced Custom Fields PRO no haurien d\'estar actius al mateix temps. Hem desactivat Advanced Custom Fields automàticament.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - hem detectat una o més crides per recuperar valors de camps ACF abans que ACF s\'hagi inicialitzat. Això no s\'admet i pot donar lloc a dades malformades o que faltin. Obteniu informació sobre com solucionar-ho.','%1$s must have a user with the %2$s role.'=>'%1$s ha de tenir un usuari amb el rol %2$s.' . "\0" . '%1$s ha de tenir un usuari amb un dels següents rols: %2$s','%1$s must have a valid user ID.'=>'%1$s ha de tenir un identificador d\'usuari vàlid.','Invalid request.'=>'Sol·licitud no vàlida.','%1$s is not one of %2$s'=>'%1$s no és un dels %2$s','%1$s must have term %2$s.'=>'%1$s ha de tenir el terme %2$s.' . "\0" . '%1$s ha de tenir un dels següents termes: %2$s','%1$s must be of post type %2$s.'=>'%1$s ha de ser del tipus de contingut %2$s.' . "\0" . '%1$s ha de ser d\'un dels següents tipus de contingut: %2$s','%1$s must have a valid post ID.'=>'%1$s ha de tenir un identificador d\'entrada vàlid.','%s requires a valid attachment ID.'=>'%s requereix un identificador d\'adjunt vàlid.','Show in REST API'=>'Mostra a l\'API REST','Enable Transparency'=>'Activa la transparència','RGBA Array'=>'Matriu RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualitza a la versió Pro','post statusActive'=>'Activa','\'%s\' is not a valid email address'=>'«%s» no és una adreça electrònica vàlida','Color value'=>'Valor de color','Select default color'=>'Seleccioneu el color per defecte','Clear color'=>'Neteja el color','Blocks'=>'Blocs','Options'=>'Opcions','Users'=>'Usuaris','Menu items'=>'Elements del menú','Widgets'=>'Ginys','Attachments'=>'Adjunts','Taxonomies'=>'Taxonomies','Posts'=>'Entrades','Last updated: %s'=>'Darrera actualització: %s','Sorry, this post is unavailable for diff comparison.'=>'Aquest grup de camps no està disponible per a la comparació de diferències.','Invalid field group parameter(s).'=>'Paràmetre/s del grup de camps no vàlids.','Awaiting save'=>'Esperant desar','Saved'=>'S\'ha desat','Import'=>'Importa','Review changes'=>'Revisa els canvis','Located in: %s'=>'Ubicat a: %s','Located in plugin: %s'=>'Ubicat a l\'extensió: %s','Located in theme: %s'=>'Ubicat al tema: %s','Various'=>'Diversos','Sync changes'=>'Sincronitza els canvis','Loading diff'=>'S\'està carregant el diff','Review local JSON changes'=>'Revisa els canvis JSON locals','Visit website'=>'Visiteu el lloc web','View details'=>'Visualitza els detalls','Version %s'=>'Versió %s','Information'=>'Informació','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Servei d\'ajuda. Els professionals de suport al servei d\'ajuda us ajudaran amb els problemes tècnics més profunds.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debats. Tenim una comunitat activa i amistosa als nostres fòrums comunitaris que pot ajudar-vos a descobrir com es fan les coses al món de l\'ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentació. La nostra extensa documentació conté referències i guies per a la majoria de situacions que podeu trobar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Som fanàtics del suport i volem que tragueu el màxim profit del vostre lloc web amb l\'ACF. Si trobeu alguna dificultat, hi ha diversos llocs on podeu trobar ajuda:','Help & Support'=>'Ajuda i suport','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Utilitzeu la pestanya d\'ajuda i suport per posar-vos en contacte amb nosaltres si necessiteu ajuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Abans de crear el vostre primer grup de camps recomanem llegir abans la nostra guia Primers passos per familiaritzar-vos amb la filosofia i les millors pràctiques de l\'extensió.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'L\'extensió Advanced Custom Fields proporciona un maquetador de formularis visual per personalitzar les pantalles d\'edició del WordPress amb camps addicionals i una API intuïtiva per mostrar els valors dels camps personalitzats en qualsevol fitxer de plantilla de tema.','Overview'=>'Resum','Location type "%s" is already registered.'=>'El tipus d\'ubicació «%s» ja està registrat.','Class "%s" does not exist.'=>'La classe «%s» no existeix.','Invalid nonce.'=>'El nonce no és vàlid.','Error loading field.'=>'Error en carregar el camp.','Error: %s'=>'Error: %s','Widget'=>'Giny','User Role'=>'Rol de l\'usuari','Comment'=>'Comentari','Post Format'=>'Format de l\'entrada','Menu Item'=>'Element del menú','Post Status'=>'Estat de l\'entrada','Menus'=>'Menús','Menu Locations'=>'Ubicacions dels menús','Menu'=>'Menú','Post Taxonomy'=>'Taxonomia de l\'entrada','Child Page (has parent)'=>'Pàgina filla (té mare)','Parent Page (has children)'=>'Pàgina mare (té filles)','Top Level Page (no parent)'=>'Pàgina de primer nivell (no té mare)','Posts Page'=>'Pàgina de les entrades','Front Page'=>'Portada','Page Type'=>'Tipus de pàgina','Viewing back end'=>'Veient l’administració','Viewing front end'=>'Veient la part frontal','Logged in'=>'Connectat','Current User'=>'Usuari actual','Page Template'=>'Plantilla de la pàgina','Register'=>'Registra','Add / Edit'=>'Afegeix / Edita','User Form'=>'Formulari d\'usuari','Page Parent'=>'Pàgina mare','Super Admin'=>'Superadministrador','Current User Role'=>'Rol de l\'usuari actual','Default Template'=>'Plantilla per defecte','Post Template'=>'Plantilla de l\'entrada','Post Category'=>'Categoria de l\'entrada','All %s formats'=>'Tots els formats de %s','Attachment'=>'Adjunt','%s value is required'=>'Cal introduir un valor a %s','Show this field if'=>'Mostra aquest camp si','Conditional Logic'=>'Lògica condicional','and'=>'i','Local JSON'=>'JSON local','Clone Field'=>'Clona el camp','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Comproveu que tots els complements prèmium (%s) estan actualitzats a la darrera versió.','This version contains improvements to your database and requires an upgrade.'=>'Aquesta versió inclou millores a la base de dades i necessita una actualització.','Thank you for updating to %1$s v%2$s!'=>'Gràcies per actualitzar a %1$s v%2$s!','Database Upgrade Required'=>'Cal actualitzar la base de dades','Options Page'=>'Pàgina d\'opcions','Gallery'=>'Galeria','Flexible Content'=>'Contingut flexible','Repeater'=>'Repetible','Back to all tools'=>'Torna a totes les eines','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)'=>'Si hi ha diversos grups de camps a la pantalla d\'edició, s\'utilitzaran les opcions del primer grup de camps (el que tingui el nombre d\'ordre més baix)','Select items to hide them from the edit screen.'=>'Seleccioneu els elements a amagarde la pantalla d\'edició.','Hide on screen'=>'Amaga a la pantalla','Send Trackbacks'=>'Envia retroenllaços','Tags'=>'Etiquetes','Categories'=>'Categories','Page Attributes'=>'Atributs de la pàgina','Format'=>'Format','Author'=>'Autor','Slug'=>'Àlies','Revisions'=>'Revisions','Comments'=>'Comentaris','Discussion'=>'Debats','Excerpt'=>'Extracte','Content Editor'=>'Editor de contingut','Permalink'=>'Enllaç permanent','Shown in field group list'=>'Es mostra a la llista de grups de camps','Field groups with a lower order will appear first'=>'Els grups de camps amb un ordre més baix apareixeran primer','Order No.'=>'Núm. d’ordre','Below fields'=>'Sota els camps','Below labels'=>'Sota les etiquetes','Instruction Placement'=>'Posició de les instruccions','Label Placement'=>'Posició de les etiquetes','Side'=>'Lateral','Normal (after content)'=>'Normal (després del contingut)','High (after title)'=>'Alta (després del títol)','Position'=>'Posició','Seamless (no metabox)'=>'Fluid (sense la caixa meta)','Standard (WP metabox)'=>'Estàndard (en una caixa meta de WP)','Style'=>'Estil','Type'=>'Tipus','Key'=>'Clau','Order'=>'Ordre','Close Field'=>'Tanca el camp','id'=>'id','class'=>'classe','width'=>'amplada','Wrapper Attributes'=>'Atributs del contenidor','Required'=>'Obligatori','Instructions'=>'Instruccions','Field Type'=>'Tipus de camp','Single word, no spaces. Underscores and dashes allowed'=>'Una sola paraula, sense espais. S’admeten barres baixes i guions','Field Name'=>'Nom del camp','This is the name which will appear on the EDIT page'=>'Aquest és el nom que apareixerà a la pàgina d\'edició','Field Label'=>'Etiqueta del camp','Delete'=>'Suprimeix','Delete field'=>'Suprimeix el camp','Move'=>'Mou','Move field to another group'=>'Mou el camp a un altre grup','Duplicate field'=>'Duplica el camp','Edit field'=>'Edita el camp','Drag to reorder'=>'Arrossegueu per reordenar','Show this field group if'=>'Mostra aquest grup de camps si','No updates available.'=>'No hi ha actualitzacions disponibles.','Database upgrade complete. See what\'s new'=>'S\'ha completat l\'actualització de la base de dades. Feu una ullada a les novetats','Reading upgrade tasks...'=>'S\'estan llegint les tasques d\'actualització…','Upgrade failed.'=>'L\'actualització ha fallat.','Upgrade complete.'=>'S\'ha completat l\'actualització.','Upgrading data to version %s'=>'S\'estan actualitzant les dades a la versió %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'És recomanable que feu una còpia de seguretat de la base de dades abans de continuar. Segur que voleu executar l\'actualitzador ara?','Please select at least one site to upgrade.'=>'Seleccioneu almenys un lloc web per actualitzar.','Database Upgrade complete. Return to network dashboard'=>'S\'ha completat l\'actualització de la base de dades. Torna al tauler de la xarxa','Site is up to date'=>'El lloc web està actualitzat','Site requires database upgrade from %1$s to %2$s'=>'El lloc web requereix una actualització de la base de dades de %1$s a %2$s','Site'=>'Lloc','Upgrade Sites'=>'Actualitza els llocs','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Els següents llocs web necessiten una actualització de la base de dades. Marqueu els que voleu actualitzar i feu clic a %s.','Add rule group'=>'Afegeix un grup de regles','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un grup de regles que determinaran quines pantalles d’edició mostraran aquests camps personalitzats','Rules'=>'Regles','Copied'=>'Copiat','Copy to clipboard'=>'Copia-ho al porta-retalls','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleccioneu els grups de camps que voleu exportar i, a continuació, seleccioneu el mètode d\'exportació. Exporteu com a JSON per exportar a un fitxer .json que després podeu importar a una altra instal·lació d\'ACF. Genereu PHP per exportar a codi PHP que podeu col·locar al vostre tema.','Select Field Groups'=>'Seleccioneu grups de camps','No field groups selected'=>'No s\'ha seleccionat cap grup de camps','Generate PHP'=>'Genera PHP','Export Field Groups'=>'Exporta els grups de camps','Import file empty'=>'El fitxer d\'importació és buit','Incorrect file type'=>'Tipus de fitxer incorrecte','Error uploading file. Please try again'=>'S\'ha produït un error en penjar el fitxer. Torneu-ho a provar','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleccioneu 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.','Import Field Groups'=>'Importa grups de camps','Sync'=>'Sincronitza','Select %s'=>'Selecciona %s','Duplicate'=>'Duplica','Duplicate this item'=>'Duplica aquest element','Supports'=>'Suports','Documentation'=>'Documentació','Description'=>'Descripció','Sync available'=>'Sincronització disponible','Field group synchronized.'=>'S\'ha sincronitzat el grup de camps.' . "\0" . 'S\'han sincronitzat %s grups de camps.','Field group duplicated.'=>'S\'ha duplicat el grup de camps.' . "\0" . 'S\'han duplicat %s grups de camps.','Active (%s)'=>'Actiu (%s)' . "\0" . 'Actius (%s)','Review sites & upgrade'=>'Revisa els llocs web i actualitza','Upgrade Database'=>'Actualitza la base de dades','Custom Fields'=>'Camps personalitzats','Move Field'=>'Mou el camp','Please select the destination for this field'=>'Seleccioneu la destinació d\'aquest camp','The %1$s field can now be found in the %2$s field group'=>'El camp %1$s ara es pot trobar al grup de camps %2$s','Move Complete.'=>'S’ha completat el moviment.','Active'=>'Actiu','Field Keys'=>'Claus dels camps','Settings'=>'Configuració','Location'=>'Ubicació','Null'=>'Nul','copy'=>'copia','(this field)'=>'(aquest camp)','Checked'=>'Marcat','Move Custom Field'=>'Mou el grup de camps','No toggle fields available'=>'No hi ha camps commutables disponibles','Field group title is required'=>'El títol del grup de camps és obligatori','This field cannot be moved until its changes have been saved'=>'Aquest camp no es pot moure fins que no se n’hagin desat els canvis','The string "field_" may not be used at the start of a field name'=>'La cadena «field_» no es pot utilitzar al principi del nom d\'un camp','Field group draft updated.'=>'S\'ha actualitzat l’esborrany del grup de camps.','Field group scheduled for.'=>'S\'ha programat el grup de camps.','Field group submitted.'=>'S’ha tramès el grup de camps.','Field group saved.'=>'S\'ha desat el grup de camps.','Field group published.'=>'S\'ha publicat el grup de camps.','Field group deleted.'=>'S\'ha suprimit el grup de camps.','Field group updated.'=>'S\'ha actualitzat el grup de camps.','Tools'=>'Eines','is not equal to'=>'no és igual a','is equal to'=>'és igual a','Forms'=>'Formularis','Page'=>'Pàgina','Post'=>'Entrada','Relational'=>'Relacional','Choice'=>'Elecció','Basic'=>'Bàsic','Unknown'=>'Desconegut','Field type does not exist'=>'El tipus de camp no existeix','Spam Detected'=>'S\'ha detectat brossa','Post updated'=>'S\'ha actualitzat l\'entrada','Update'=>'Actualitza','Validate Email'=>'Valida el correu electrònic','Content'=>'Contingut','Title'=>'Títol','Edit field group'=>'Edita el grup de camps','Selection is less than'=>'La selecció és inferior a','Selection is greater than'=>'La selecció és superior a','Value is less than'=>'El valor és inferior a','Value is greater than'=>'El valor és superior a','Value contains'=>'El valor conté','Value matches pattern'=>'El valor coincideix amb el patró','Value is not equal to'=>'El valor no és igual a','Value is equal to'=>'El valor és igual a','Has no value'=>'No té cap valor','Has any value'=>'Té algun valor','Cancel'=>'Cancel·la','Are you sure?'=>'N\'esteu segur?','%d fields require attention'=>'Cal revisar %d camps','1 field requires attention'=>'Cal revisar un camp','Validation failed'=>'La validació ha fallat','Validation successful'=>'Validació correcta','Restricted'=>'Restringit','Collapse Details'=>'Amaga els detalls','Expand Details'=>'Expandeix els detalls','Uploaded to this post'=>'S\'ha penjat a aquesta entrada','verbUpdate'=>'Actualitza','verbEdit'=>'Edita','The changes you made will be lost if you navigate away from this page'=>'Perdreu els canvis que heu fet si abandoneu aquesta pàgina','File type must be %s.'=>'El tipus de fitxer ha de ser %s.','or'=>'o','File size must not exceed %s.'=>'La mida del fitxer no ha de superar %s.','File size must be at least %s.'=>'La mida del fitxer ha de ser almenys %s.','Image height must not exceed %dpx.'=>'L\'alçada de la imatge no pot ser superior a %dpx.','Image height must be at least %dpx.'=>'L\'alçada de la imatge ha de ser almenys de %dpx.','Image width must not exceed %dpx.'=>'L\'amplada de la imatge no pot ser superior a %dpx.','Image width must be at least %dpx.'=>'L\'amplada de la imatge ha de ser almenys de %dpx.','(no title)'=>'(sense títol)','Full Size'=>'Mida completa','Large'=>'Gran','Medium'=>'Mitjana','Thumbnail'=>'Miniatura','(no label)'=>'(sense etiqueta)','Sets the textarea height'=>'Estableix l\'alçada de l\'àrea de text','Rows'=>'Files','Text Area'=>'Àrea de text','Prepend an extra checkbox to toggle all choices'=>'Afegeix una casella de selecció addicional per commutar totes les opcions','Save \'custom\' values to the field\'s choices'=>'Desa els valors personalitzats a les opcions del camp','Allow \'custom\' values to be added'=>'Permet afegir-hi valors personalitzats','Add new choice'=>'Afegeix una nova opció','Toggle All'=>'Commuta\'ls tots','Allow Archives URLs'=>'Permet les URLs dels arxius','Archives'=>'Arxius','Page Link'=>'Enllaç de la pàgina','Add'=>'Afegeix','Name'=>'Nom','%s added'=>'%s afegit','%s already exists'=>'%s ja existeix','User unable to add new %s'=>'L\'usuari no pot afegir nous %s','Term ID'=>'Identificador de terme','Term Object'=>'Objecte de terme','Load value from posts terms'=>'Carrega el valor dels termes de l’entrada','Load Terms'=>'Carrega els termes','Connect selected terms to the post'=>'Connecta els termes seleccionats a l\'entrada','Save Terms'=>'Desa els termes','Allow new terms to be created whilst editing'=>'Permet crear nous termes mentre s’està editant','Create Terms'=>'Crea els termes','Radio Buttons'=>'Botons d\'opció','Single Value'=>'Un sol valor','Multi Select'=>'Selecció múltiple','Checkbox'=>'Casella de selecció','Multiple Values'=>'Múltiples valors','Select the appearance of this field'=>'Seleccioneu l\'aparença d\'aquest camp','Appearance'=>'Aparença','Select the taxonomy to be displayed'=>'Seleccioneu la taxonomia a mostrar','No TermsNo %s'=>'No hi ha %s','Value must be equal to or lower than %d'=>'El valor ha de ser igual o inferior a %d','Value must be equal to or higher than %d'=>'El valor ha de ser igual o superior a %d','Value must be a number'=>'El valor ha de ser un nombre','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Desa els valors d’’Altres’ a les opcions del camp','Add \'other\' choice to allow for custom values'=>'Afegeix l\'opció «altres» per permetre valors personalitzats','Other'=>'Altres','Radio Button'=>'Botó d\'opció','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiu un punt final per a aturar l’acordió previ. Aquest acordió no serà visible.','Allow this accordion to open without closing others.'=>'Permet que aquest acordió s\'obri sense tancar els altres.','Multi-Expand'=>'Expansió múltiple','Display this accordion as open on page load.'=>'Mostra aquest acordió obert en carregar la pàgina.','Open'=>'Obert','Accordion'=>'Acordió','Restrict which files can be uploaded'=>'Restringeix quins fitxers es poden penjar','File ID'=>'Identificador de fitxer','File URL'=>'URL del fitxer','File Array'=>'Matriu de fitxer','Add File'=>'Afegeix un fitxer','No file selected'=>'No s\'ha seleccionat cap fitxer','File name'=>'Nom del fitxer','Update File'=>'Actualitza el fitxer','Edit File'=>'Edita el fitxer','Select File'=>'Escull el fitxer','File'=>'Fitxer','Password'=>'Contrasenya','Specify the value returned'=>'Especifiqueu el valor a retornar','Use AJAX to lazy load choices?'=>'Usa AJAX per a carregar opcions de manera relaxada?','Enter each default value on a new line'=>'Introduïu cada valor per defecte en una línia nova','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'No s\'ha pogut carregar','Select2 JS searchingSearching…'=>'S\'està cercant…','Select2 JS load_moreLoading more results…'=>'S\'estan carregant més resultats…','Select2 JS selection_too_long_nYou can only select %d items'=>'Només podeu seleccionar %d elements','Select2 JS selection_too_long_1You can only select 1 item'=>'Només podeu seleccionar un element','Select2 JS input_too_long_nPlease delete %d characters'=>'Suprimiu %d caràcters','Select2 JS input_too_long_1Please delete 1 character'=>'Suprimiu un caràcter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Introduïu %d o més caràcters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Introduïu un o més caràcters','Select2 JS matches_0No matches found'=>'No s\'ha trobat cap coincidència','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Hi ha %d resultats disponibles, utilitzeu les fletxes amunt i avall per navegar-hi.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hi ha un resultat disponible, premeu retorn per seleccionar-lo.','nounSelect'=>'Selecció','User ID'=>'Identificador de l\'usuari','User Object'=>'Objecte d\'usuari','User Array'=>'Matriu d’usuari','All user roles'=>'Tots els rols d\'usuari','Filter by Role'=>'Filtra per rol','User'=>'Usuari','Separator'=>'Separador','Select Color'=>'Escolliu un color','Default'=>'Predeterminat','Clear'=>'Neteja','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecciona','Date Time Picker JS closeTextDone'=>'Fet','Date Time Picker JS currentTextNow'=>'Ara','Date Time Picker JS timezoneTextTime Zone'=>'Fus horari','Date Time Picker JS microsecTextMicrosecond'=>'Microsegon','Date Time Picker JS millisecTextMillisecond'=>'Mil·lisegon','Date Time Picker JS secondTextSecond'=>'Segon','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Trieu l\'hora','Date Time Picker'=>'Selector de data i hora','Endpoint'=>'Punt final','Left aligned'=>'Alineat a l\'esquerra','Top aligned'=>'Alineat a la part superior','Placement'=>'Ubicació','Tab'=>'Pestanya','Value must be a valid URL'=>'El valor ha de ser un URL vàlid','Link URL'=>'URL de l\'enllaç','Link Array'=>'Matriu d’enllaç','Opens in a new window/tab'=>'S\'obre en una nova finestra/pestanya','Select Link'=>'Escolliu l’enllaç','Link'=>'Enllaç','Email'=>'Correu electrònic','Step Size'=>'Mida del pas','Maximum Value'=>'Valor màxim','Minimum Value'=>'Valor mínim','Range'=>'Interval','Both (Array)'=>'Ambdós (matriu)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horitzontal','red : Red'=>'vermell : Vermell','For more control, you may specify both a value and label like this:'=>'Per a més control, podeu especificar tant un valor com una etiqueta d\'aquesta manera:','Enter each choice on a new line.'=>'Introduïu cada opció en una línia nova.','Choices'=>'Opcions','Button Group'=>'Grup de botons','Allow Null'=>'Permet nul?','Parent'=>'Pare','TinyMCE will not be initialized until field is clicked'=>'El TinyMCE no s\'inicialitzarà fins que no es faci clic al camp','Delay Initialization'=>'Endarrereix la inicialització?','Show Media Upload Buttons'=>'Mostra els botons de penjar mèdia?','Toolbar'=>'Barra d\'eines','Text Only'=>'Només Text','Visual Only'=>'Només visual','Visual & Text'=>'Visual i text','Tabs'=>'Pestanyes','Click to initialize TinyMCE'=>'Feu clic per inicialitzar el TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no ha de superar els %d caràcters','Leave blank for no limit'=>'Deixeu-lo en blanc per no establir cap límit','Character Limit'=>'Límit de caràcters','Appears after the input'=>'Apareix després del camp','Append'=>'Afegeix al final','Appears before the input'=>'Apareix abans del camp','Prepend'=>'Afegeix al principi','Appears within the input'=>'Apareix a dins del camp','Placeholder Text'=>'Text de mostra','Appears when creating a new post'=>'Apareix quan es crea una nova entrada','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requereix com a mínim %2$s selecció' . "\0" . '%1$s requereix com a mínim %2$s seleccions','Post ID'=>'ID de l’entrada','Post Object'=>'Objecte de l\'entrada','Maximum Posts'=>'Màxim d\'entrades','Minimum Posts'=>'Mínim d\'entrades','Featured Image'=>'Imatge destacada','Selected elements will be displayed in each result'=>'Els elements seleccionats es mostraran a cada resultat','Elements'=>'Elements','Taxonomy'=>'Taxonomia','Post Type'=>'Tipus de contingut','Filters'=>'Filtres','All taxonomies'=>'Totes les taxonomies','Filter by Taxonomy'=>'Filtra per taxonomia','All post types'=>'Tots els tipus de contingut','Filter by Post Type'=>'Filtra per tipus de contingut','Search...'=>'Cerca…','Select taxonomy'=>'Seleccioneu una taxonomia','Select post type'=>'Seleccioneu el tipus de contingut','No matches found'=>'No s\'ha trobat cap coincidència','Loading'=>'S\'està carregant','Maximum values reached ( {max} values )'=>'S’ha arribat al màxim de valors ({max} valors)','Relationship'=>'Relació','Comma separated list. Leave blank for all types'=>'Llista separada per comes. Deixeu-ho en blanc per a tots els tipus','Allowed File Types'=>'Tipus de fitxers permesos','Maximum'=>'Màxim','File size'=>'Mida del fitxer','Restrict which images can be uploaded'=>'Restringeix quines imatges es poden penjar','Minimum'=>'Mínim','Uploaded to post'=>'S\'ha penjat a l\'entrada','All'=>'Tots','Limit the media library choice'=>'Limita l\'elecció d\'elements de la mediateca','Library'=>'Mediateca','Preview Size'=>'Mida de la vista prèvia','Image ID'=>'ID de la imatge','Image URL'=>'URL de la imatge','Image Array'=>'Matriu d\'imatges','Specify the returned value on front end'=>'Especifiqueu el valor a retornar a la interfície frontal','Return Value'=>'Valor de retorn','Add Image'=>'Afegeix imatge','No image selected'=>'No s\'ha seleccionat cap imatge','Remove'=>'Suprimeix','Edit'=>'Edita','All images'=>'Totes les imatges','Update Image'=>'Actualitza la imatge','Edit Image'=>'Edita la imatge','Select Image'=>'Escolliu una imatge','Image'=>'Imatge','Allow HTML markup to display as visible text instead of rendering'=>'Permet que el marcat HTML es mostri com a text visible en comptes de renderitzat','Escape HTML'=>'Escapa l’HTML','No Formatting'=>'Sense format','Automatically add <br>'=>'Afegeix <br> automàticament','Automatically add paragraphs'=>'Afegeix paràgrafs automàticament','Controls how new lines are rendered'=>'Controla com es mostren les noves línies','New Lines'=>'Noves línies','Week Starts On'=>'La setmana comença el','The format used when saving a value'=>'El format que s’usarà en desar el valor','Save Format'=>'Format de desat','Date Picker JS weekHeaderWk'=>'Stm','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Següent','Date Picker JS currentTextToday'=>'Avui','Date Picker JS closeTextDone'=>'Fet','Date Picker'=>'Selector de data','Width'=>'Amplada','Embed Size'=>'Mida de la incrustació','Enter URL'=>'Introduïu la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'El text que es mostrarà quan està inactiu','Off Text'=>'Text d’inactiu','Text shown when active'=>'El text que es mostrarà quan està actiu','On Text'=>'Text d’actiu','Stylized UI'=>'IU estilitzada','Default Value'=>'Valor per defecte','Displays text alongside the checkbox'=>'Mostra el text al costat de la casella de selecció','Message'=>'Missatge','No'=>'No','Yes'=>'Sí','True / False'=>'Cert / Fals','Row'=>'Fila','Table'=>'Taula','Block'=>'Bloc','Specify the style used to render the selected fields'=>'Especifiqueu l’estil usat per a mostrar els camps escollits','Layout'=>'Disposició','Sub Fields'=>'Sub camps','Group'=>'Grup','Customize the map height'=>'Personalitzeu l\'alçada del mapa','Height'=>'Alçada','Set the initial zoom level'=>'Estableix el valor inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centra el mapa inicial','Center'=>'Centra','Search for address...'=>'Cerca l\'adreça…','Find current location'=>'Cerca la ubicació actual','Clear location'=>'Neteja la ubicació','Search'=>'Cerca','Sorry, this browser does not support geolocation'=>'Aquest navegador no és compatible amb la geolocalització','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El format que es retornarà a través de les funcions del tema','Return Format'=>'Format de retorn','Custom:'=>'Personalitzat:','The format displayed when editing a post'=>'El format que es mostrarà quan editeu una entrada','Display Format'=>'Format a mostrar','Time Picker'=>'Selector d\'hora','Inactive (%s)'=>'Inactiu (%s)' . "\0" . 'Inactius (%s)','No Fields found in Trash'=>'No s\'ha trobat cap camp a la paperera','No Fields found'=>'No s\'ha trobat cap camp','Search Fields'=>'Cerca camps','View Field'=>'Visualitza el camp','New Field'=>'Nou camp','Edit Field'=>'Edita el camp','Add New Field'=>'Afegeix un nou camp','Field'=>'Camp','Fields'=>'Camps','No Field Groups found in Trash'=>'No s\'ha trobat cap grup de camps a la paperera','No Field Groups found'=>'No s\'ha trobat cap grup de camps','Search Field Groups'=>'Cerca grups de camps','View Field Group'=>'Visualitza el grup de camps','New Field Group'=>'Nou grup de camps','Edit Field Group'=>'Edita el grup de camps','Add New Field Group'=>'Afegeix un nou grup de camps','Add New'=>'Afegeix','Field Group'=>'Grup de camps','Field Groups'=>'Grups de camps','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalitzeu el WordPress amb camps potents, professionals i intuïtius.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Cal introduir un valor a %s','Block type "%s" is already registered.'=>'','Switch to Edit'=>'Canvia a edició','Switch to Preview'=>'Canvia a previsualització','Change content alignment'=>'','%s settings'=>'Paràmetres','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'S’han actualitzat les opcions','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Per a activar les actualitzacions, introduïu la clau de llicència a la pàgina d’Actualitzacions. Si no teniu cap clau de llicència, vegeu-ne elsdetalls i preu.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Check Again'=>'Torneu-ho a comprovar','ACF Activation Error. Could not connect to activation server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Publish'=>'Publica','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'No s’han trobat grups de camps personalitzats per a aquesta pàgina d’opcions. Creeu un grup de camps nou','Error. Could not connect to update server'=>'Error. No s’ha pogut connectar al servidor d’actualitzacions','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. 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.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Escolliu un o més camps a clonar','Display'=>'Mostra','Specify the style used to render the clone field'=>'Indiqueu l’estil que s’usarà per a mostrar el camp clonat','Group (displays selected fields in a group within this field)'=>'Grup (mostra els camps escollits en un grup dins d’aquest camp)','Seamless (replaces this field with selected fields)'=>'Fluid (reemplaça aquest camp amb els camps escollits)','Labels will be displayed as %s'=>'Les etiquetes es mostraran com a %s','Prefix Field Labels'=>'Prefixa les etiquetes dels camps','Values will be saved as %s'=>'Els valors es desaran com a %s','Prefix Field Names'=>'Prefixa els noms dels camps','Unknown field'=>'Camp desconegut','Unknown field group'=>'Grup de camps desconegut','All fields from %s field group'=>'Tots els camps del grup de camps %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Afegeix una fila','layout'=>'disposició' . "\0" . 'disposicions','layouts'=>'disposicions','This field requires at least {min} {label} {identifier}'=>'Aquest camp requereix almenys {min} {label} de {identifier}','This field has a limit of {max} {label} {identifier}'=>'Aquest camp té un límit de {max} {label} de {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} de {identifier} disponible (màx {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} de {identifier} necessari (mín {min})','Flexible Content requires at least 1 layout'=>'El contingut flexible necessita almenys una disposició','Click the "%s" button below to start creating your layout'=>'Feu clic al botó “%s” de sota per a començar a crear el vostre disseny','Add layout'=>'Afegeix una disposició','Duplicate layout'=>'Duplica la disposició','Remove layout'=>'Esborra la disposició','Click to toggle'=>'Feu clic per alternar','Delete Layout'=>'Esborra la disposició','Duplicate Layout'=>'Duplica la disposició','Add New Layout'=>'Afegeix una disposició','Add Layout'=>'Afegeix una disposició','Min'=>'Mín','Max'=>'Màx','Minimum Layouts'=>'Mínim de disposicions','Maximum Layouts'=>'Màxim de disposicions','Button Label'=>'Etiqueta del botó','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Afegeix una imatge a la galeria','Maximum selection reached'=>'S’ha arribat al màxim d’elements seleccionats','Length'=>'Llargada','Caption'=>'Llegenda','Alt Text'=>'Text alternatiu','Add to gallery'=>'Afegeix a la galeria','Bulk actions'=>'Accions massives','Sort by date uploaded'=>'Ordena per la data de càrrega','Sort by date modified'=>'Ordena per la data de modificació','Sort by title'=>'Ordena pel títol','Reverse current order'=>'Inverteix l’ordre actual','Close'=>'Tanca','Minimum Selection'=>'Selecció mínima','Maximum Selection'=>'Selecció màxima','Allowed file types'=>'Tipus de fitxers permesos','Insert'=>'Insereix','Specify where new attachments are added'=>'Especifiqueu on s’afegeixen els nous fitxers adjunts','Append to the end'=>'Afegeix-los al final','Prepend to the beginning'=>'Afegeix-los al principi','Minimum rows not reached ({min} rows)'=>'No s’ha arribat al mínim de files ({min} files)','Maximum rows reached ({max} rows)'=>'S’ha superat el màxim de files ({max} files)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Pàgina de les entrades','Set the number of rows to be displayed on a page.'=>'Escolliu la taxonomia a mostrar','Minimum Rows'=>'Mínim de files','Maximum Rows'=>'Màxim de files','Collapsed'=>'Replegat','Select a sub field to show when row is collapsed'=>'Escull un subcamp per a mostrar quan la fila estigui replegada','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Arrossegueu per a reordenar','Add row'=>'Afegeix una fila','Duplicate row'=>'Duplica','Remove row'=>'Esborra la fila','Current Page'=>'Usuari actual','First Page'=>'Portada','Previous Page'=>'Pàgina de les entrades','paging%1$s of %2$s'=>'','Next Page'=>'Portada','Last Page'=>'Pàgina de les entrades','No block types exist'=>'No hi ha pàgines d’opcions','No options pages exist'=>'No hi ha pàgines d’opcions','Deactivate License'=>'Desactiva la llicència','Activate License'=>'Activa la llicència','License Information'=>'Informació de la llicència','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Per a desbloquejar les actualitzacions, introduïu la clau de llicència a continuació. Si no teniu cap clau de llicència, vegeu els detalls i preu.','License Key'=>'Clau de llicència','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Validació millorada','Update Information'=>'Informació de l\'actualització','Current Version'=>'Versió actual','Latest Version'=>'Darrera versió','Update Available'=>'Actualització disponible','Upgrade Notice'=>'Avís d’actualització','Check For Updates'=>'','Enter your license key to unlock updates'=>'Introduïu la clau de llicència al damunt per a desbloquejar les actualitzacions','Update Plugin'=>'Actualitza l’extensió','Please reactivate your license to unlock updates'=>'Introduïu la clau de llicència al damunt per a desbloquejar les actualitzacions'],'language'=>'ca','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ca.mo b/lang/acf-ca.mo
index 701b3d5..6f8783c 100644
Binary files a/lang/acf-ca.mo and b/lang/acf-ca.mo differ
diff --git a/lang/acf-ca.po b/lang/acf-ca.po
index ec183af..3032d2e 100644
--- a/lang/acf-ca.po
+++ b/lang/acf-ca.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ca\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -1916,6 +1932,10 @@ msgid ""
"some of your fields has been modified by this change, but this may not be a "
"breaking change. %2$s."
msgstr ""
+"L'ACF %1$s ara escapa automàticament de l'HTML insegur quan es renderitza "
+"amb the_field o el codi de substitució de l'ACF. Hem detectat "
+"que la sortida d'alguns dels vostres camps ha estat modificada per aquest "
+"canvi, però pot ser que no s'hagi trencat res. %2$s."
#: includes/admin/views/escaped-html-notice.php:27
msgid "Please contact your site administrator or developer for more details."
@@ -2029,21 +2049,21 @@ msgstr "Afegeix camps"
msgid "This Field"
msgstr "Aquest camp"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Opinions"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Suport"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "és desenvolupat i mantingut per"
@@ -4621,7 +4641,7 @@ msgstr ""
"Importa tipus de contingut i taxonomies registrades amb Custom Post Type UI "
"i gestiona-les amb ACF. Comença."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4955,7 +4975,7 @@ msgstr "Activa aquest element"
msgid "Move field group to trash?"
msgstr "Voleu moure el grup de camps a la paperera?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4968,7 +4988,7 @@ msgstr "Inactiva"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4977,7 +4997,7 @@ msgstr ""
"actius al mateix temps. Hem desactivat Advanced Custom Fields PRO "
"automàticament."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5428,7 +5448,7 @@ msgstr "Tots els formats de %s"
msgid "Attachment"
msgstr "Adjunt"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "Cal introduir un valor a %s"
@@ -5922,7 +5942,7 @@ msgstr "Duplica aquest element"
msgid "Supports"
msgstr "Suports"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentació"
@@ -6219,8 +6239,8 @@ msgstr "Cal revisar %d camps"
msgid "1 field requires attention"
msgstr "Cal revisar un camp"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "La validació ha fallat"
@@ -7602,90 +7622,90 @@ msgid "Time Picker"
msgstr "Selector d'hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactiu (%s)"
msgstr[1] "Inactius (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "No s'ha trobat cap camp a la paperera"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "No s'ha trobat cap camp"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Cerca camps"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Visualitza el camp"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nou camp"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Edita el camp"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Afegeix un nou camp"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Camp"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Camps"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "No s'ha trobat cap grup de camps a la paperera"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "No s'ha trobat cap grup de camps"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Cerca grups de camps"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Visualitza el grup de camps"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nou grup de camps"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Edita el grup de camps"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Afegeix un nou grup de camps"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Afegeix"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grup de camps"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-cs_CZ.l10n.php b/lang/acf-cs_CZ.l10n.php
index 74c2c30..0f4d71b 100644
--- a/lang/acf-cs_CZ.l10n.php
+++ b/lang/acf-cs_CZ.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'cs_CZ','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Select Multiple'=>'Vybrat více','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Pouze malá písmena, podtržítka a pomlčky, max. 32 znaků.','More Tools from WP Engine'=>'Další nástroje od WP Engine','Built for those that build with WordPress, by the team at %s'=>'Vytvořeno pro ty, kteří vytvářejí ve WordPressu, týmem %s','View Pricing & Upgrade'=>'Zobrazit ceny a upgrade','%s fields'=>'Pole pro %s','No terms'=>'Žádné pojmy','No post types'=>'Žádné typy obsahu','No posts'=>'Žádné příspěvky','No taxonomies'=>'Žádné taxonomie','No field groups'=>'Žádné skupiny polí','No fields'=>'Žádná pole','No description'=>'Bez popisu','Any post status'=>'Jakýkoli stav příspěvku','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Tento klíč taxonomie je již používán jinou taxonomií registrovanou mimo ACF a nelze jej použít.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Tento klíč taxonomie je již používán jinou taxonomií v ACF a nelze jej použít.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klíč taxonomie musí obsahovat pouze malé alfanumerické znaky, podtržítka nebo pomlčky.','No Taxonomies found in Trash'=>'V koši nebyly nalezeny žádné taxonomie','No Taxonomies found'=>'Nebyly nalezeny žádné taxonomie','Search Taxonomies'=>'Hledat taxonomie','View Taxonomy'=>'Zobrazit taxonomii','New Taxonomy'=>'Nová taxonomie','Edit Taxonomy'=>'Upravit taxonomii','Add New Taxonomy'=>'Přidat novou taxonomii','No Post Types found in Trash'=>'V koši nejsou žádné typy obsahu','No Post Types found'=>'Nebyly nalezeny žádné typy obsahu','Search Post Types'=>'Hledat typy obsahu','View Post Type'=>'Zobrazit typ obsahu','New Post Type'=>'Nový typ obsahu','Edit Post Type'=>'Upravit typ obsahu','Add New Post Type'=>'Přidat nový typ obsahu','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Tento klíč typu obsahu je již používán jiným typem obsahu registrovaným mimo ACF a nelze jej použít.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Tento klíč typu obsahu je již používán jiným typem obsahu v ACF a nelze jej použít.','This field must not be a WordPress reserved term.'=>'Toto pole nesmí být vyhrazený termín WordPressu.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klíč typu obsahu musí obsahovat pouze malé alfanumerické znaky, podtržítka nebo pomlčky.','The post type key must be under 20 characters.'=>'Klíč typu obsahu musí mít méně než 20 znaků.','We do not recommend using this field in ACF Blocks.'=>'Nedoporučujeme používat toto pole v blocích ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zobrazí WYSIWYG editor WordPressu používaný k úpravám příspěvků a stránek, který umožňuje bohatou editaci textu a také multimediální obsah.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Umožňuje výběr jednoho nebo více uživatelů, které lze použít k vytvoření vztahů mezi datovými objekty.','A text input specifically designed for storing web addresses.'=>'Textové pole určené speciálně pro ukládání webových adres.','URL'=>'URL adresa','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Přepínač, který umožňuje vybrat hodnotu 1 nebo 0 (zapnuto nebo vypnuto, pravda nebo nepravda atd.). Může být prezentován jako stylizovaný přepínač nebo zaškrtávací políčko.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr času. Formát času lze přizpůsobit pomocí nastavení pole.','A basic textarea input for storing paragraphs of text.'=>'Základní textové pole pro ukládání odstavců textu.','A basic text input, useful for storing single string values.'=>'Základní textové pole užitečné pro ukládání jednoslovných textových hodnot.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Umožňuje výběr jednoho nebo více pojmů taxonomie na základě kritérií a možností uvedených v nastavení polí.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Umožňuje seskupit pole do sekcí s kartami na obrazovce úprav. Užitečné pro udržení přehlednosti a struktury polí.','A dropdown list with a selection of choices that you specify.'=>'Rozbalovací seznam s výběrem možností, které zadáte.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Rozhraní se dvěma sloupci, které umožňuje vybrat jeden nebo více příspěvků, stránek nebo uživatelských typů obsahu a vytvořit vztah s položkou, kterou právě upravujete. Obsahuje možnosti vyhledávání a filtrování.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Vstupní pole pro výběr číselné hodnoty v zadaném rozsahu pomocí posuvného prvku rozsahu.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Skupina s přepínači, která umožňuje uživateli výběr jedné z hodnot, které zadáte.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktivní a přizpůsobitelné uživatelské rozhraní pro výběr jednoho či více příspěvků, stránek nebo typů obsahu s možností vyhledávání. ','An input for providing a password using a masked field.'=>'Vstup pro zadání hesla pomocí maskovaného pole.','Filter by Post Status'=>'Filtrovat podle stavu příspěvku','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Interaktivní rozbalovací seznam pro výběr jednoho nebo více příspěvků, stránek, uživatelských typů obsahu nebo adres URL archivu s možností vyhledávání.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Interaktivní komponenta pro vkládání videí, obrázků, tweetů, zvuku a dalšího obsahu s využitím nativní funkce WordPress oEmbed.','An input limited to numerical values.'=>'Vstup omezený na číselné hodnoty.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Slouží k zobrazení zprávy pro editory vedle jiných polí. Užitečné pro poskytnutí dalšího kontextu nebo pokynů k polím.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Umožňuje zadat odkaz a jeho vlastnosti jako jsou text odkazu a jeho cíl pomocí nativního nástroje pro výběr odkazů ve WordPressu.','Uses the native WordPress media picker to upload, or choose images.'=>'K nahrávání nebo výběru obrázků používá nativní nástroj pro výběr médií ve WordPressu.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Umožňuje strukturovat pole do skupin a lépe tak uspořádat data a obrazovku úprav.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktivní uživatelské rozhraní pro výběr místa pomocí Map Google. Pro správné zobrazení vyžaduje klíč Google Maps API a další konfiguraci.','Uses the native WordPress media picker to upload, or choose files.'=>'K nahrávání nebo výběru souborů používá nativní nástroj pro výběr médií ve WordPressu.','A text input specifically designed for storing email addresses.'=>'Textové pole určené speciálně pro ukládání e-mailových adres.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr data a času. Formát vráceného data lze přizpůsobit pomocí nastavení pole.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr data. Formát vráceného data lze přizpůsobit pomocí nastavení pole.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktivní uživatelské rozhraní pro výběr barvy nebo zadání hodnoty Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Skupina zaškrtávacích políček, která umožňují uživateli vybrat jednu nebo více zadaných hodnot.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Skupina tlačítek s předdefinovanými hodnotami. Uživatelé mohou vybrat jednu možnost z uvedených hodnot.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Umožňuje seskupit a uspořádat vlastní pole do skládacích panelů, které se zobrazují při úpravách obsahu. Užitečné pro udržování pořádku ve velkých souborech dat.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Nabízí řešení pro opakování obsahu, jako jsou snímky, členové týmu a dlaždice s výzvou k akci, tím, že funguje jako nadřazené pole pro sadu podpolí, která lze opakovat znovu a znovu.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Poskytuje interaktivní rozhraní pro správu sbírky příloh. Většina nastavení je podobná typu pole Obrázek. Další nastavení umožňují určit, kam se budou v galerii přidávat nové přílohy, a minimální/maximální povolený počet příloh.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Poskytuje jednoduchý, strukturovaný editor založený na rozvržení. Pole Flexibilní obsah umožňuje definovat, vytvářet a spravovat obsah s naprostou kontrolou pomocí rozvržení a podpolí pro návrh dostupných bloků.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Umožňuje vybrat a zobrazit existující pole. Neduplikuje žádná pole v databázi, ale načítá a zobrazuje vybraná pole za běhu. Pole Klonování se může buď nahradit vybranými poli, nebo zobrazit vybraná pole jako skupinu podpolí.','nounClone'=>'Klonování','PRO'=>'PRO','Advanced'=>'Pokročilé','JSON (newer)'=>'JSON (novější)','Original'=>'Původní','Invalid post ID.'=>'Neplatné ID příspěvku.','Invalid post type selected for review.'=>'Ke kontrole byl vybrán neplatný typ obsahu.','More'=>'Více','Tutorial'=>'Tutoriál','Select Field'=>'Vybrat pole','Try a different search term or browse %s'=>'Zkuste použít jiný vyhledávací výraz nebo projít %s','Popular fields'=>'Oblíbená pole','No search results for \'%s\''=>'Žádné výsledky hledání pro „%s“','Search fields...'=>'Hledat pole...','Select Field Type'=>'Výběr typu pole','Popular'=>'Oblíbená','Add Taxonomy'=>'Přidat taxonomii','Create custom taxonomies to classify post type content'=>'Vytvořte vlastní taxonomie pro klasifikaci obsahu','Add Your First Taxonomy'=>'Přidejte první taxonomii','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchické taxonomie mohou mít potomky (stejně jako rubriky).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Zviditelní taxonomii ve frontendu a na nástěnce správce.','One or many post types that can be classified with this taxonomy.'=>'Jeden nebo více typů obsahu, které lze klasifikovat pomocí této taxonomie.','genre'=>'žánr','Genre'=>'Žánr','Genres'=>'Žánry','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Volitelný kontrolér, který se použije místo `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Zveřejněte tento typ obsahu v rozhraní REST API.','Customize the query variable name'=>'Přizpůsobení názvu proměnné dotazu','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'K pojmům lze přistupovat pomocí nepěkného trvalého odkazu, např. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Nadřazené a podřazené pojmy v adresách URL pro hierarchické taxonomie.','Customize the slug used in the URL'=>'Přizpůsobení názvu použitém v adrese URL','Permalinks for this taxonomy are disabled.'=>'Trvalé odkazy pro tuto taxonomii jsou zakázány.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Přepište adresu URL pomocí klíče taxonomie jako názvu v URL. Struktura trvalého odkazu bude následující','Taxonomy Key'=>'Klíč taxonomie','Select the type of permalink to use for this taxonomy.'=>'Vyberte typ trvalého odkazu, který chcete pro tuto taxonomii použít.','Display a column for the taxonomy on post type listing screens.'=>'Zobrazení sloupce pro taxonomii na obrazovkách s výpisem typů obsahu.','Show Admin Column'=>'Zobrazit sloupec správce','Show the taxonomy in the quick/bulk edit panel.'=>'Zobrazení taxonomie v panelu rychlých/hromadných úprav.','Quick Edit'=>'Rychlé úpravy','List the taxonomy in the Tag Cloud Widget controls.'=>'Uveďte taxonomii v ovládacích prvcích bloku Shluk štítků.','Tag Cloud'=>'Shluk štítků','Meta Box Sanitization Callback'=>'Callback pro sanitaci metaboxu','Register Meta Box Callback'=>'Registrovat callback metaboxu','No Meta Box'=>'Žádný metabox','Custom Meta Box'=>'Vlastní metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Ovládá pole meta na obrazovce editoru obsahu. Ve výchozím nastavení se u hierarchických taxonomií zobrazuje metabox Rubriky a u nehierarchických taxonomií metabox Štítky.','Meta Box'=>'Metabox','Categories Meta Box'=>'Metabox pro rubriky','Tags Meta Box'=>'Metabox pro štítky','A link to a tag'=>'Odkaz na štítek','Describes a navigation link block variation used in the block editor.'=>'Popisuje variantu bloku navigačního odkazu použitou v editoru bloků.','A link to a %s'=>'Odkaz na %s','Tag Link'=>'Odkaz štítku','Assigns a title for navigation link block variation used in the block editor.'=>'Přiřadí název pro variantu bloku navigačního odkazu použitou v editoru bloků.','← Go to tags'=>'← Přejít na štítky','Assigns the text used to link back to the main index after updating a term.'=>'Přiřadí text, který se po aktualizaci pojmu použije k odkazu zpět na hlavní rejstřík.','Back To Items'=>'Zpět na položky','← Go to %s'=>'← Přejít na %s','Tags list'=>'Seznam štítků','Assigns text to the table hidden heading.'=>'Přiřadí text skrytému záhlaví tabulky.','Tags list navigation'=>'Navigace v seznamu štítků','Assigns text to the table pagination hidden heading.'=>'Přiřadí text skrytému záhlaví stránkování tabulky.','Filter by category'=>'Filtrovat podle rubriky','Assigns text to the filter button in the posts lists table.'=>'Přiřadí text tlačítku filtru v tabulce seznamů příspěvků.','Filter By Item'=>'Filtrovat podle položky','Filter by %s'=>'Filtrovat podle %s','The description is not prominent by default; however, some themes may show it.'=>'Popis není ve výchozím nastavení viditelný, některé šablony jej však mohou zobrazovat.','Describes the Description field on the Edit Tags screen.'=>'Popisuje pole Popis na obrazovce Upravit štítky.','Description Field Description'=>'Popis pole Popis','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Přiřazením nadřazeného pojmu vytvoříte hierarchii. Například pojem Jazz bude nadřazený výrazům Bebop a Big Band.','Describes the Parent field on the Edit Tags screen.'=>'Popisuje pole Nadřazený na obrazovce Upravit štítky.','Parent Field Description'=>'Popis pole Nadřazený','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Název v URL je verze vhodná pro adresy URL. Obvykle se píše malými písmeny a obsahuje pouze písmena bez diakritiky, číslice a pomlčky.','Describes the Slug field on the Edit Tags screen.'=>'Popisuje pole Název v URL na obrazovce Upravit štítky.','Slug Field Description'=>'Popis pole Název v URL','The name is how it appears on your site'=>'Název se bude v této podobě zobrazovat na webu','Describes the Name field on the Edit Tags screen.'=>'Popisuje pole Název na obrazovce Upravit štítky.','Name Field Description'=>'Popis pole Název','No tags'=>'Žádné štítky','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Přiřazuje text zobrazený v tabulkách seznamů příspěvků a médií, pokud nejsou k dispozici žádné štítky nebo rubriky.','No Terms'=>'Žádné pojmy','No %s'=>'Žádné %s','No tags found'=>'Nebyly nalezeny žádné štítky','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Přiřazuje text zobrazený po kliknutí na text „zvolit z nejpoužívanějších“ v metaboxu taxonomie, pokud nejsou k dispozici žádné štítky, a přiřazuje text použitý v tabulce seznamu pojmů, pokud pro taxonomii neexistují žádné položky.','Not Found'=>'Nenalezeno','Assigns text to the Title field of the Most Used tab.'=>'Přiřadí text do pole Název na kartě Nejpoužívanější.','Most Used'=>'Nejčastější','Choose from the most used tags'=>'Vyberte si z nejpoužívanějších štítků','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Přiřazuje text pro „zvolit z nejpoužívanějších“, který se používá v metaboxu při vypnutém JavaScriptu. Používá se pouze u nehierarchických taxonomií.','Choose From Most Used'=>'Zvolit z nejpoužívanějších','Choose from the most used %s'=>'Vyberte si z nejpoužívanějších %s','Add or remove tags'=>'Přidat nebo odebrat štítky','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Přiřazuje text přidávání nebo odebírání položek použitý v metaboxu při vypnutém JavaScriptu. Používá se pouze u nehierarchických taxonomií.','Add Or Remove Items'=>'Přidat nebo odstranit položky','Add or remove %s'=>'Přidat nebo odstranit %s','Separate tags with commas'=>'Více štítků oddělte čárkami','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Přiřadí text pro oddělení položek čárkami používaný v metaboxu. Používá se pouze u nehierarchických taxonomií.','Separate Items With Commas'=>'Oddělujte položky čárkami','Separate %s with commas'=>'Oddělte %s čárkami','Popular Tags'=>'Oblíbené štítky','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Přiřadí text pro oblíbené položky. Používá se pouze pro nehierarchické taxonomie.','Popular Items'=>'Oblíbené položky','Popular %s'=>'Oblíbené %s','Search Tags'=>'Hledat štítky','Assigns search items text.'=>'Přiřadí text pro hledání položek.','Parent Category:'=>'Nadřazená rubrika:','Assigns parent item text, but with a colon (:) added to the end.'=>'Přiřadí text nadřazené položky, ale s dvojtečkou (:) na konci.','Parent Item With Colon'=>'Nadřazená položka s dvojtečkou','Parent Category'=>'Nadřazená rubrika','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Přiřadí text nadřazené položky. Používá se pouze u hierarchických taxonomií.','Parent Item'=>'Nadřazená položka','Parent %s'=>'Nadřazený %s','New Tag Name'=>'Název nového štítku','Assigns the new item name text.'=>'Přiřadí text pro název nové položky.','New Item Name'=>'Název nové položky','New %s Name'=>'Název nového %s','Add New Tag'=>'Vytvořit nový štítek','Assigns the add new item text.'=>'Přiřadí text pro vytvoření nové položky.','Update Tag'=>'Aktualizovat štítek','Assigns the update item text.'=>'Přiřadí text pro aktualizaci položky.','Update Item'=>'Aktualizovat položku','Update %s'=>'Aktualizovat %s','View Tag'=>'Zobrazit štítek','In the admin bar to view term during editing.'=>'Na panelu správce pro zobrazení pojmu během úprav.','Edit Tag'=>'Upravit štítek','At the top of the editor screen when editing a term.'=>'V horní části obrazovky editoru při úpravě položky.','All Tags'=>'Všechny štítky','Assigns the all items text.'=>'Přiřadí text pro všechny položky.','Assigns the menu name text.'=>'Přiřadí text názvu menu.','Menu Label'=>'Označení menu','Active taxonomies are enabled and registered with WordPress.'=>'Aktivní taxonomie jsou povoleny a zaregistrovány ve WordPressu.','A descriptive summary of the taxonomy.'=>'Popisné shrnutí taxonomie.','A descriptive summary of the term.'=>'Popisné shrnutí pojmu.','Term Description'=>'Popis pojmu','Single word, no spaces. Underscores and dashes allowed.'=>'Jedno slovo, bez mezer. Podtržítka a pomlčky jsou povoleny.','Term Slug'=>'Název pojmu v URL','The name of the default term.'=>'Název výchozího pojmu.','Term Name'=>'Název pojmu','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Vytvoření pojmu pro taxonomii, který nelze odstranit. Ve výchozím nastavení nebude vybrán pro příspěvky.','Default Term'=>'Výchozí pojem','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Zda mají být pojmy v této taxonomii seřazeny v pořadí, v jakém byly zadány do `wp_set_object_terms()`.','Sort Terms'=>'Řadit pojmy','Add Post Type'=>'Přidat typ obsahu','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Rozšiřte funkčnost WordPressu nad rámec standardních příspěvků a stránek pomocí vlastních typů obsahu.','Add Your First Post Type'=>'Přidejte první typ obsahu','I know what I\'m doing, show me all the options.'=>'Vím, co dělám, ukažte mi všechny možnosti.','Advanced Configuration'=>'Pokročilá konfigurace','Hierarchical post types can have descendants (like pages).'=>'Hierarchické typy obsahu mohou mít potomky (stejně jako stránky).','Hierarchical'=>'Hierarchické','Visible on the frontend and in the admin dashboard.'=>'Je viditelný ve frontendu a na nástěnce správce.','Public'=>'Veřejné','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Pouze malá písmena, podtržítka a pomlčky, max. 20 znaků.','Movie'=>'Film','Singular Label'=>'Štítek v jednotném čísle','Movies'=>'Filmy','Plural Label'=>'Štítek pro množné číslo','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Volitelný kontrolér, který se použije místo `WP_REST_Posts_Controller`.','Controller Class'=>'Třída kontroléru','The namespace part of the REST API URL.'=>'Část adresy URL rozhraní REST API obsahující jmenný prostor.','Namespace Route'=>'Cesta jmenného prostoru','The base URL for the post type REST API URLs.'=>'Základní URL pro adresy daného typu obsahu v rozhraní REST API.','Base URL'=>'Základní URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zveřejní tento typ obsahu v rozhraní REST API. Vyžadováno pro použití editoru bloků.','Show In REST API'=>'Zobrazit v rozhraní REST API','Customize the query variable name.'=>'Přizpůsobte název proměnné dotazu.','Query Variable'=>'Proměnná dotazu','No Query Variable Support'=>'Chybějící podpora proměnné dotazu','Custom Query Variable'=>'Uživatelská proměnná dotazu','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'K položkám lze přistupovat pomocí nepěkného trvalého odkazu, např. {post_type}={post_slug}.','Query Variable Support'=>'Podpora proměnné dotazu','URLs for an item and items can be accessed with a query string.'=>'K adresám URL položky a položek lze přistupovat pomocí řetězce dotazů.','Publicly Queryable'=>'Veřejně dotazovatelné','Custom slug for the Archive URL.'=>'Vlastní název v adrese URL archivu.','Archive Slug'=>'Název archivu v URL','Has an item archive that can be customized with an archive template file in your theme.'=>'Má archiv položek, který lze přizpůsobit pomocí souboru šablony archivu v šabloně webu.','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Podpora stránkování pro adresy URL položek jako jsou archivy.','Pagination'=>'Stránkování','RSS feed URL for the post type items.'=>'Adresa URL zdroje RSS pro položky daného typu obsahu.','Feed URL'=>'Adresa URL zdroje','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Změní strukturu trvalých odkazů tak, že do adres URL přidá předponu `WP_Rewrite::$front`.','Front URL Prefix'=>'Předpona URL','Customize the slug used in the URL.'=>'Přizpůsobte název, který se používá v adrese URL.','URL Slug'=>'Název v URL','Permalinks for this post type are disabled.'=>'Trvalé odkazy pro tento typ obsahu jsou zakázány.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Přepište adresu URL pomocí názvu definovaném v poli níže. Struktura trvalého odkazu bude následující','No Permalink (prevent URL rewriting)'=>'Žádný trvalý odkaz (zabránění přepisování URL)','Custom Permalink'=>'Uživatelský trvalý odkaz','Post Type Key'=>'Klíč typu obsahu','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Přepište adresu URL pomocí klíče typu obsahu jako názvu v URL. Struktura trvalého odkazu bude následující','Permalink Rewrite'=>'Přepsání trvalého odkazu','Delete items by a user when that user is deleted.'=>'Smazat položky uživatele při jeho smazání.','Delete With User'=>'Smazat s uživatelem','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Povolte exportování typu obsahu z Nástroje > Export.','Can Export'=>'Může exportovat','Optionally provide a plural to be used in capabilities.'=>'Volitelně uveďte množné číslo, které se použije pro oprávnění.','Plural Capability Name'=>'Název oprávnění v množném čísle','Choose another post type to base the capabilities for this post type.'=>'Zvolte jiný typ obsahu, z něhož budou odvozeny oprávnění pro tento typ obsahu.','Singular Capability Name'=>'Název oprávnění v jednotném čísle','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Ve výchozím nastavení zdědí názvy oprávnění z typu „Příspěvek“, např. edit_post, delete_posts. Povolte pro použití oprávnění specifických pro daný typ obsahu, např. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Přejmenovat oprávnění','Exclude From Search'=>'Vyloučit z vyhledávání','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Povolení přidávání položek do menu na obrazovce Vzhled > Menu. Musí být zapnuto v Nastavení zobrazených informací.','Appearance Menus Support'=>'Podpora menu Vzhled','Appears as an item in the \'New\' menu in the admin bar.'=>'Zobrazí se jako položka v menu „Akce“ na panelu správce.','Show In Admin Bar'=>'Zobrazit na panelu správce','Custom Meta Box Callback'=>'Vlastní callback metaboxu','Menu Icon'=>'Ikona menu','The position in the sidebar menu in the admin dashboard.'=>'Pozice v menu postranního panelu na nástěnce správce.','Menu Position'=>'Pozice menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Ve výchozím nastavení získá typ obsahu novou položku nejvyšší úrovně v menu správce. Pokud je zde uvedena existující položka nejvyšší úrovně, typ obsahu bude přidán jako položka podřazená pod ni.','Admin Menu Parent'=>'Nadřazené menu','Admin editor navigation in the sidebar menu.'=>'Navigace v editoru správce v menu postranního panelu.','Show In Admin Menu'=>'Zobrazit v menu správce','Items can be edited and managed in the admin dashboard.'=>'Položky lze upravovat a spravovat na nástěnce správce.','Show In UI'=>'Zobrazit v uživatelském rozhraní','A link to a post.'=>'Odkaz na příspěvek.','Description for a navigation link block variation.'=>'Popis varianty bloku navigačního odkazu.','Item Link Description'=>'Popis odkazu položky','A link to a %s.'=>'Odkaz na %s.','Post Link'=>'Odkaz příspěvku','Title for a navigation link block variation.'=>'Název varianty bloku navigačního odkazu.','Item Link'=>'Odkaz položky','%s Link'=>'Odkaz na %s','Post updated.'=>'Příspěvek byl aktualizován.','In the editor notice after an item is updated.'=>'V oznámení editoru po aktualizaci položky.','Item Updated'=>'Položka byla aktualizována','%s updated.'=>'%s aktualizován.','Post scheduled.'=>'Příspěvek byl naplánován.','In the editor notice after scheduling an item.'=>'V oznámení editoru po naplánování položky.','Item Scheduled'=>'Položka naplánována','%s scheduled.'=>'%s byl naplánován.','Post reverted to draft.'=>'Příspěvek byl převeden na koncept.','In the editor notice after reverting an item to draft.'=>'V oznámení editoru po převedení položky na koncept.','Item Reverted To Draft'=>'Položka převedena na koncept','%s reverted to draft.'=>'%s byl převeden na koncept.','Post published privately.'=>'Příspěvek byl publikován soukromě.','In the editor notice after publishing a private item.'=>'V oznámení editoru po publikování položky soukromě.','Item Published Privately'=>'Položka publikována soukromě','%s published privately.'=>'%s byl publikován soukromě.','Post published.'=>'Příspěvek byl publikován.','In the editor notice after publishing an item.'=>'V oznámení editoru po publikování položky.','Item Published'=>'Položka publikována','%s published.'=>'%s publikován.','Posts list'=>'Seznam příspěvků','Used by screen readers for the items list on the post type list screen.'=>'Používá se čtečkami obrazovky na obrazovce se seznamem položek daného typu obsahu.','Items List'=>'Seznam položek','%s list'=>'Seznam %s','Posts list navigation'=>'Navigace v seznamu příspěvků','Used by screen readers for the filter list pagination on the post type list screen.'=>'Používá se čtečkami obrazovky pro stránkování filtru na obrazovce se seznamem typů obsahu.','Items List Navigation'=>'Navigace v seznamu položek','%s list navigation'=>'Navigace v seznamu %s','Filter posts by date'=>'Filtrovat příspěvky podle data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Používá se čtečkami obrazovky pro filtr podle data na obrazovce se seznamem typů obsahu.','Filter Items By Date'=>'Filtrovat položky podle data','Filter %s by date'=>'Filtrovat %s podle data','Filter posts list'=>'Filtrovat seznam příspěvků','Used by screen readers for the filter links heading on the post type list screen.'=>'Používá se čtečkami obrazovky pro odkazy filtru na obrazovce se seznamem typů obsahu.','Filter Items List'=>'Filtrovat seznam položek','Filter %s list'=>'Filtrovat seznam %s','In the media modal showing all media uploaded to this item.'=>'V modálním okně médií se zobrazí všechna média nahraná k této položce.','Uploaded To This Item'=>'Nahrané k této položce','Uploaded to this %s'=>'Nahráno do tohoto %s','Insert into post'=>'Vložit do příspěvku','As the button label when adding media to content.'=>'Jako popisek tlačítka při přidávání médií do obsahu.','Insert Into Media Button'=>'Tlačítko pro vložení médií','Insert into %s'=>'Vložit do %s','Use as featured image'=>'Použít jako náhledový obrázek','As the button label for selecting to use an image as the featured image.'=>'Jako popisek tlačítka pro výběr použití obrázku jako náhledového.','Use Featured Image'=>'Použít náhledový obrázek','Remove featured image'=>'Odstranit náhledový obrázek','As the button label when removing the featured image.'=>'Jako popisek tlačítka při odebrání náhledového obrázku.','Remove Featured Image'=>'Odstranit náhledový obrázek','Set featured image'=>'Zvolit náhledový obrázek','As the button label when setting the featured image.'=>'Jako popisek tlačítka při nastavení náhledového obrázku.','Set Featured Image'=>'Zvolit náhledový obrázek','Featured image'=>'Náhledový obrázek','In the editor used for the title of the featured image meta box.'=>'V editoru používán pro název metaboxu náhledového obrázku.','Featured Image Meta Box'=>'Metabox náhledového obrázku','Post Attributes'=>'Vlastnosti příspěvku','In the editor used for the title of the post attributes meta box.'=>'V editoru použitý pro název metaboxu s vlastnostmi příspěvku.','Attributes Meta Box'=>'Metabox pro vlastnosti','%s Attributes'=>'Vlastnosti %s','Post Archives'=>'Archivy příspěvků','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Přidá položky „Archiv typu obsahu“ s tímto označením do seznamu příspěvků zobrazených při přidávání položek do existujícího menu v CPT s povolenými archivy. Zobrazuje se pouze při úpravách menu v režimu „Aktuální náhled“ a při zadání uživatelského názvu archivu v URL.','Archives Nav Menu'=>'Navigační menu archivu','%s Archives'=>'Archivy pro %s','No posts found in Trash'=>'V koši nebyly nalezeny žádné příspěvky','At the top of the post type list screen when there are no posts in the trash.'=>'V horní části obrazovky seznamu příspěvků daného typu, když v koši nejsou žádné příspěvky.','No Items Found in Trash'=>'V koši nebyly nalezeny žádné položky','No %s found in Trash'=>'V koši nebyly nalezeny žádné %s','No posts found'=>'Nebyly nalezeny žádné příspěvky','At the top of the post type list screen when there are no posts to display.'=>'V horní části obrazovky seznamu příspěvků daného typu, když nejsou žádné příspěvky k zobrazení.','No Items Found'=>'Nebyly nalezeny žádné položky','No %s found'=>'Nenalezeny žádné položky typu %s','Search Posts'=>'Hledat příspěvky','At the top of the items screen when searching for an item.'=>'V horní části obrazovky s položkami při hledání položky.','Search Items'=>'Hledat položky','Search %s'=>'Hledat %s','Parent Page:'=>'Nadřazená stránka:','For hierarchical types in the post type list screen.'=>'Pro hierarchické typy na obrazovce se seznamem typů obsahu.','Parent Item Prefix'=>'Předpona nadřazené položky','Parent %s:'=>'Nadřazené %s:','New Post'=>'Nový příspěvek','New Item'=>'Nová položka','New %s'=>'Nový %s','Add New Post'=>'Vytvořit příspěvek','At the top of the editor screen when adding a new item.'=>'V horní části obrazovky editoru při vytváření nové položky.','Add New Item'=>'Vytvořit novou položku','Add New %s'=>'Přidat nový %s','View Posts'=>'Zobrazit příspěvky','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Zobrazí se na panelu správce v zobrazení „Přehled příspěvků“, pokud typ obsahu podporuje archivy a domovská stránka není archivem daného typu obsahu.','View Items'=>'Zobrazit položky','View Post'=>'Zobrazit příspěvek','In the admin bar to view item when editing it.'=>'Na panelu správce pro zobrazení položky při její úpravě.','View Item'=>'Zobrazit položku','View %s'=>'Zobrazit %s','Edit Post'=>'Upravit příspěvek','At the top of the editor screen when editing an item.'=>'V horní části obrazovky editoru při úpravě položky.','Edit Item'=>'Upravit položku','Edit %s'=>'Upravit %s','All Posts'=>'Přehled příspěvků','In the post type submenu in the admin dashboard.'=>'V podmenu typu obsahu na nástěnce správce.','All Items'=>'Všechny položky','All %s'=>'Přehled %s','Admin menu name for the post type.'=>'Název menu správce pro daný typ obsahu.','Menu Name'=>'Název menu','Regenerate all labels using the Singular and Plural labels'=>'Přegenerovat všechny štítky pomocí štítků pro jednotné a množné číslo','Regenerate'=>'Přegenerovat','Active post types are enabled and registered with WordPress.'=>'Aktivní typy obsahu jsou povoleny a zaregistrovány ve WordPressu.','A descriptive summary of the post type.'=>'Popisné shrnutí typu obsahu.','Add Custom'=>'Přidat vlastní','Enable various features in the content editor.'=>'Povolte různé funkce v editoru obsahu.','Post Formats'=>'Formáty příspěvků','Editor'=>'Editor','Trackbacks'=>'Trackbacky','Select existing taxonomies to classify items of the post type.'=>'Vyberte existující taxonomie pro klasifikaci položek daného typu obsahu.','Browse Fields'=>'Procházet pole','Nothing to import'=>'Nic k importu','. The Custom Post Type UI plugin can be deactivated.'=>'. Plugin Custom Post Type UI lze deaktivovat.','Imported %d item from Custom Post Type UI -'=>'Importována %d položka z Custom Post Type UI -' . "\0" . 'Importovány %d položky z Custom Post Type UI -' . "\0" . 'Importováno %d položek z Custom Post Type UI -','Failed to import taxonomies.'=>'Nepodařilo se importovat taxonomie.','Failed to import post types.'=>'Nepodařilo se importovat typy obsahu.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nic z pluginu Custom Post Type UI vybráno pro import.','Imported 1 item'=>'Importována 1 položka' . "\0" . 'Importovány %s položky' . "\0" . 'Importováno %s položek','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importování typu obsahu nebo taxonomie se stejným klíčem jako u již existujícího typu obsahu nebo taxonomie přepíše nastavení existujícího typu obsahu nebo taxonomie těmi z importu.','Import from Custom Post Type UI'=>'Import z pluginu Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Následující kód lze použít k registraci místní verze vybraných položek. Lokální uložení skupin polí, typů obsahu nebo taxonomií může přinést mnoho výhod, například rychlejší načítání, správu verzí a dynamická pole/nastavení. Jednoduše zkopírujte a vložte následující kód do souboru šablony functions.php nebo jej zahrňte do externího souboru a poté deaktivujte nebo odstraňte položky z administrace ACF.','Export - Generate PHP'=>'Exportovat - Vytvořit PHP','Export'=>'Export','Select Taxonomies'=>'Vybrat taxonomie','Select Post Types'=>'Vybrat typy obsahu','Exported 1 item.'=>'Exportována 1 položka.' . "\0" . 'Exportovány %s položky.' . "\0" . 'Exportováno %s položek.','Category'=>'Rubrika','Tag'=>'Štítek','%s taxonomy created'=>'Taxonomie %s vytvořena','%s taxonomy updated'=>'Taxonomie %s aktualizována','Taxonomy draft updated.'=>'Koncept taxonomie byl aktualizován.','Taxonomy scheduled for.'=>'Taxonomie byla naplánována.','Taxonomy submitted.'=>'Taxonomie odeslána.','Taxonomy saved.'=>'Taxonomie uložena.','Taxonomy deleted.'=>'Taxonomie smazána.','Taxonomy updated.'=>'Taxonomie aktualizována.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Tuto taxonomii nebylo možné zaregistrovat, protože její klíč je používán jinou taxonomií registrovanou jiným pluginem nebo šablonou.','Taxonomy synchronized.'=>'Taxonomie synchronizována.' . "\0" . '%s taxonomie synchronizovány.' . "\0" . '%s taxonomií synchronizováno.','Taxonomy duplicated.'=>'Taxonomie duplikována.' . "\0" . '%s taxonomie duplikovány.' . "\0" . '%s taxonomií duplikováno.','Taxonomy deactivated.'=>'Taxonomie deaktivována.' . "\0" . '%s taxonomie deaktivovány.' . "\0" . '%s taxonomií deaktivováno.','Taxonomy activated.'=>'Taxonomie aktivována.' . "\0" . '%s taxonomie aktivovány.' . "\0" . '%s taxonomií aktivováno.','Terms'=>'Pojmy','Post type synchronized.'=>'Typ obsahu synchronizován.' . "\0" . '%s typy obsahu synchronizovány.' . "\0" . '%s typů obsahu synchronizováno.','Post type duplicated.'=>'Typ obsahu duplikován.' . "\0" . '%s typy obsahu duplikovány.' . "\0" . '%s typů obsahu duplikováno.','Post type deactivated.'=>'Typ obsahu deaktivován.' . "\0" . '%s typy obsahu deaktivovány.' . "\0" . '%s typů obsahu deaktivováno.','Post type activated.'=>'Typ obsahu aktivován.' . "\0" . '%s typy obsahu aktivovány.' . "\0" . '%s typů obsahu aktivováno.','Post Types'=>'Typy obsahu','Advanced Settings'=>'Pokročilá nastavení','Basic Settings'=>'Základní nastavení','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Tento typ obsahu nemohl být zaregistrován, protože jeho klíč je používán jiným typem obsahu registrovaným jiným pluginem nebo šablonou.','Pages'=>'Stránky','Link Existing Field Groups'=>'Propojení stávajících skupin polí','%s post type created'=>'Typ obsahu %s vytvořen','Add fields to %s'=>'Přidání polí do %s','%s post type updated'=>'Typ obsahu %s aktualizován','Post type draft updated.'=>'Koncept typu obsahu byl aktualizován.','Post type scheduled for.'=>'Typ obsahu byl naplánován.','Post type submitted.'=>'Typ obsahu byl odeslán.','Post type saved.'=>'Typ obsahu byl uložen.','Post type updated.'=>'Typ obsahu byl aktualizován.','Post type deleted.'=>'Typ obsahu smazán.','Type to search...'=>'Pište pro hledání...','PRO Only'=>'Pouze PRO','Field groups linked successfully.'=>'Skupiny polí byly úspěšně propojeny.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importujte typy obsahu a taxonomie registrované pomocí pluginu Custom Post Type UI a spravujte je s ACF. Pusťme se do toho.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'typ obsahu','Done'=>'Hotovo','Field Group(s)'=>'Skupina(y) polí','Select one or many field groups...'=>'Vyberte jednu nebo více skupin polí...','Please select the field groups to link.'=>'Vyberte skupiny polí, které chcete propojit.','Field group linked successfully.'=>'Skupina polí úspěšně propojena.' . "\0" . 'Skupiny polí úspěšně propojeny.' . "\0" . 'Skupiny polí úspěšně propojeny.','post statusRegistration Failed'=>'Registrace se nezdařila','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Tuto položku nebylo možné zaregistrovat, protože její klíč je používán jinou položkou registrovanou jiným pluginem nebo šablonou.','REST API'=>'REST API','Permissions'=>'Oprávnění','URLs'=>'URL adresy','Visibility'=>'Viditelnost','Labels'=>'Štítky','Field Settings Tabs'=>'Karty nastavení pole','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Hodnota zkráceného kódu ACF vypnuta pro náhled]','Close Modal'=>'Zavřít modální okno','Field moved to other group'=>'Pole přesunuto do jiné skupiny','Close modal'=>'Zavřít modální okno','Start a new group of tabs at this tab.'=>'Začněte novou skupinu karet na této kartě.','New Tab Group'=>'Nová skupina karet','Use a stylized checkbox using select2'=>'Použití stylizovaného zaškrtávacího políčka pomocí select2','Save Other Choice'=>'Uložit jinou volbu','Allow Other Choice'=>'Povolit jinou volbu','Add Toggle All'=>'Přidat Přepnout vše','Save Custom Values'=>'Uložit uživatelské hodnoty','Allow Custom Values'=>'Povolit uživatelské hodnoty','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Uživatelské hodnoty zaškrtávacího políčka nemohou být prázdné. Zrušte zaškrtnutí všech prázdných hodnot.','Updates'=>'Aktualizace','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Uložit změny','Field Group Title'=>'Název skupiny polí','Add title'=>'Zadejte název','New to ACF? Take a look at our getting started guide.'=>'Jste v ACF nováčkem? Podívejte se na našeho průvodce pro začátečníky.','Add Field Group'=>'Přidat skupinu polí','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF používá skupiny polí pro seskupení uživatelských polí a následné připojení těchto polí k obrazovkám úprav.','Add Your First Field Group'=>'Přidejte první skupinu polí','Options Pages'=>'Stránky konfigurace','ACF Blocks'=>'Bloky ACF','Gallery Field'=>'Pole Galerie','Flexible Content Field'=>'Pole Flexibilní obsah','Repeater Field'=>'Pole Opakovač','Unlock Extra Features with ACF PRO'=>'Odemkněte další funkce s ACF PRO','Delete Field Group'=>'Smazat skupinu polí','Created on %1$s at %2$s'=>'Vytvořeno %1$s v %2$s','Group Settings'=>'Nastavení skupiny','Location Rules'=>'Pravidla umístění','Choose from over 30 field types. Learn more.'=>'Zvolte si z více než 30 typů polí. Zjistit více.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Začněte vytvářet nová vlastní pole pro příspěvky, stránky, vlastní typy obsahu a další obsah WordPressu.','Add Your First Field'=>'Přidejte první pole','#'=>'#','Add Field'=>'Přidat pole','Presentation'=>'Prezentace','Validation'=>'Validace','General'=>'Obecné','Import JSON'=>'Importovat JSON','Export As JSON'=>'Exportovat jako JSON','Field group deactivated.'=>'Skupina polí deaktivována.' . "\0" . '%s skupiny polí deaktivovány.' . "\0" . '%s skupin polí deaktivováno.','Field group activated.'=>'Skupina polí aktivována.' . "\0" . '%s skupiny polí aktivovány.' . "\0" . '%s skupin polí aktivováno.','Deactivate'=>'Deaktivovat','Deactivate this item'=>'Deaktivovat tuto položku','Activate'=>'Aktivovat','Activate this item'=>'Aktivovat tuto položku','Move field group to trash?'=>'Přesunout skupinu polí do koše?','post statusInactive'=>'Neaktivní','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Pluginy Advanced Custom Fields a Advanced Custom Fields PRO by neměly být aktivní současně. Plugin Advanced Custom Fields PRO jsme automaticky deaktivovali.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Pluginy Advanced Custom Fields a Advanced Custom Fields PRO by neměly být aktivní současně. Plugin Advanced Custom Fields jsme automaticky deaktivovali.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Zjistili jsme jedno nebo více volání k načtení hodnot polí ACF před inicializací ACF. Toto není podporováno a může mít za následek chybná nebo chybějící data. Přečtěte si, jak to opravit.','%1$s must have a user with the %2$s role.'=>'%1$s musí mít uživatele s rolí %2$s.' . "\0" . '%1$s musí mít uživatele s jednou z následujících rolí: %2$s' . "\0" . '%1$s musí mít uživatele s jednou z následujících rolí: %2$s','%1$s must have a valid user ID.'=>'%1$s musí mít platné ID uživatele.','Invalid request.'=>'Neplatný požadavek.','%1$s is not one of %2$s'=>'%1$s není jedním z %2$s','%1$s must have term %2$s.'=>'%1$s musí mít pojem %2$s.' . "\0" . '%1$s musí mít jeden z následujících pojmů: %2$s' . "\0" . '%1$s musí mít jeden z následujících pojmů: %2$s','%1$s must be of post type %2$s.'=>'%1$s musí být typu %2$s.' . "\0" . '%1$s musí být jeden z následujících typů obsahu: %2$s' . "\0" . '%1$s musí být jeden z následujících typů obsahu: %2$s','%1$s must have a valid post ID.'=>'%1$s musí mít platné ID příspěvku.','%s requires a valid attachment ID.'=>'%s vyžaduje platné ID přílohy.','Show in REST API'=>'Zobrazit v REST API','Enable Transparency'=>'Povolit průhlednost','RGBA Array'=>'Pole RGBA','RGBA String'=>'Řetězec RGBA','Hex String'=>'Řetězec Hex','Upgrade to PRO'=>'Zakoupit PRO verzi','post statusActive'=>'Aktivní','\'%s\' is not a valid email address'=>'\'%s\' není platná e-mailová adresa','Color value'=>'Hodnota barvy','Select default color'=>'Vyberte výchozí barvu','Clear color'=>'Zrušit barvu','Blocks'=>'Bloky','Options'=>'Konfigurace','Users'=>'Uživatelé','Menu items'=>'Položky menu','Widgets'=>'Widgety','Attachments'=>'Přílohy','Taxonomies'=>'Taxonomie','Posts'=>'Příspěvky','Last updated: %s'=>'Poslední aktualizace: %s','Sorry, this post is unavailable for diff comparison.'=>'Omlouváme se, ale tento příspěvek není k dispozici pro porovnání.','Invalid field group parameter(s).'=>'Jeden nebo více neplatných parametrů skupiny polí.','Awaiting save'=>'Čeká na uložení','Saved'=>'Uloženo','Import'=>'Import','Review changes'=>'Zkontrolovat změny','Located in: %s'=>'Umístěn v: %s','Located in plugin: %s'=>'Nachází se v pluginu: %s','Located in theme: %s'=>'Nachází se v šabloně: %s','Various'=>'Různé','Sync changes'=>'Synchronizovat změny','Loading diff'=>'Načítání diff','Review local JSON changes'=>'Přehled místních změn JSON','Visit website'=>'Navštívit stránky','View details'=>'Zobrazit podrobnosti','Version %s'=>'Verze %s','Information'=>'Informace','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Nápověda. Odborníci na podporu na našem help desku pomohou s hlubšími technickými problémy.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskuze. Na našich komunitních fórech máme aktivní a přátelskou komunitu, která může pomoci zjistit „jak na to“ ve světě ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentace. Naše rozsáhlá dokumentace obsahuje odkazy a návody pro většinu situací, se kterými se můžete setkat.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Jsme fanatici podpory a chceme, abyste ze svých webových stránek s ACF dostali to nejlepší. Pokud se setkáte s jakýmikoli potížemi, můžete najít pomoc na několika místech:','Help & Support'=>'Nápověda a podpora','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Pokud budete potřebovat pomoc, přejděte na záložku Nápověda a podpora.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Před vytvořením první skupiny polí doporučujeme přečíst našeho průvodce Začínáme, abyste se seznámili s filozofií pluginu a osvědčenými postupy.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Plugin Advanced Custom Fields poskytuje vizuální nástroj pro tvorbu formulářů, který umožňuje přizpůsobit editační obrazovky WordPressu pomocí dalších polí. Plugin nabízí intuitivní rozhraní API pro zobrazení hodnot vlastních polí v libovolném souboru šablony.','Overview'=>'Přehled','Location type "%s" is already registered.'=>'Typ umístění „%s“ je již zaregistrován.','Class "%s" does not exist.'=>'Třída "%s" neexistuje.','Invalid nonce.'=>'Neplatná hodnota.','Error loading field.'=>'Při načítání pole došlo k chybě.','Error: %s'=>'Chyba: %s','Widget'=>'Widget','User Role'=>'Uživatelská úroveň','Comment'=>'Komentář','Post Format'=>'Formát příspěvku','Menu Item'=>'Položka nabídky','Post Status'=>'Stav příspěvku','Menus'=>'Nabídky','Menu Locations'=>'Umístění nabídky','Menu'=>'Nabídka','Post Taxonomy'=>'Taxonomie příspěvku','Child Page (has parent)'=>'Podřazená stránka (má rodiče)','Parent Page (has children)'=>'Rodičovská stránka (má potomky)','Top Level Page (no parent)'=>'Stránka nejvyšší úrovně (žádný nadřazený)','Posts Page'=>'Stránka příspěvku','Front Page'=>'Hlavní stránka','Page Type'=>'Typ stránky','Viewing back end'=>'Prohlížíte backend','Viewing front end'=>'Prohlížíte frontend','Logged in'=>'Přihlášen','Current User'=>'Aktuální uživatel','Page Template'=>'Šablona stránky','Register'=>'Registrovat','Add / Edit'=>'Přidat / Editovat','User Form'=>'Uživatelský formulář','Page Parent'=>'Rodičovská stránka','Super Admin'=>'Super Admin','Current User Role'=>'Aktuální uživatelská role','Default Template'=>'Výchozí šablona','Post Template'=>'Šablona příspěvku','Post Category'=>'Rubrika příspěvku','All %s formats'=>'Všechny formáty %s','Attachment'=>'Příloha','%s value is required'=>'%s hodnota je vyžadována','Show this field if'=>'Zobrazit toto pole, pokud','Conditional Logic'=>'Podmíněná logika','and'=>'a','Local JSON'=>'Lokální JSON','Clone Field'=>'Pole Klonování','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Zkontrolujte také, zda jsou všechna prémiová rozšíření (%s) aktualizována na nejnovější verzi.','This version contains improvements to your database and requires an upgrade.'=>'Tato verze obsahuje vylepšení databáze a vyžaduje upgrade.','Thank you for updating to %1$s v%2$s!'=>'Děkujeme za aktualizaci na %1$s v%2$s!','Database Upgrade Required'=>'Vyžadován upgrade databáze','Options Page'=>'Stránka konfigurace','Gallery'=>'Galerie','Flexible Content'=>'Flexibilní obsah','Repeater'=>'Opakovač','Back to all tools'=>'Zpět na všechny nástroje','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)'=>'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)','Select items to hide them from the edit screen.'=>'Zvolte položky, které budou na obrazovce úprav skryté.','Hide on screen'=>'Skrýt na obrazovce','Send Trackbacks'=>'Odesílat zpětné linkování odkazů','Tags'=>'Štítky','Categories'=>'Kategorie','Page Attributes'=>'Atributy stránky','Format'=>'Formát','Author'=>'Autor','Slug'=>'Adresa','Revisions'=>'Revize','Comments'=>'Komentáře','Discussion'=>'Diskuze','Excerpt'=>'Stručný výpis','Content Editor'=>'Editor obsahu','Permalink'=>'Trvalý odkaz','Shown in field group list'=>'Zobrazit v seznamu skupin polí','Field groups with a lower order will appear first'=>'Skupiny polí s nižším pořadím se zobrazí první','Order No.'=>'Pořadové č.','Below fields'=>'Pod poli','Below labels'=>'Pod štítky','Side'=>'Na straně','Normal (after content)'=>'Normální (po obsahu)','High (after title)'=>'Vysoko (po nadpisu)','Position'=>'Pozice','Seamless (no metabox)'=>'Bezokrajové (bez metaboxu)','Standard (WP metabox)'=>'Standardní (WP metabox)','Style'=>'Styl','Type'=>'Typ','Key'=>'Klíč','Order'=>'Pořadí','Close Field'=>'Zavřít pole','id'=>'ID','class'=>'třída','width'=>'šířka','Wrapper Attributes'=>'Atributy obalového pole','Required'=>'Požadováno?','Instructions'=>'Instrukce','Field Type'=>'Typ pole','Single word, no spaces. Underscores and dashes allowed'=>'Jedno slovo, bez mezer. Podtržítka a pomlčky jsou povoleny','Field Name'=>'Jméno pole','This is the name which will appear on the EDIT page'=>'Toto je jméno, které se zobrazí na stránce úprav','Field Label'=>'Štítek pole','Delete'=>'Smazat','Delete field'=>'Smazat pole','Move'=>'Přesunout','Move field to another group'=>'Přesunout pole do jiné skupiny','Duplicate field'=>'Duplikovat pole','Edit field'=>'Upravit pole','Drag to reorder'=>'Přetažením změníte pořadí','Show this field group if'=>'Zobrazit tuto skupinu polí, pokud','No updates available.'=>'K dispozici nejsou žádné aktualizace.','Database upgrade complete. See what\'s new'=>'Upgrade databáze byl dokončen. Podívejte se, co je nového','Reading upgrade tasks...'=>'Čtení úkolů aktualizace...','Upgrade failed.'=>'Upgrade se nezdařil.','Upgrade complete.'=>'Aktualizace dokončena.','Upgrading data to version %s'=>'Aktualizace dat na verzi %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Důrazně doporučujeme zálohovat databázi před pokračováním. Opravdu chcete aktualizaci spustit?','Please select at least one site to upgrade.'=>'Vyberte alespoň jednu stránku, kterou chcete upgradovat.','Database Upgrade complete. Return to network dashboard'=>'Aktualizace databáze je dokončena. Návrat na nástěnku sítě','Site is up to date'=>'Stránky jsou aktuální','Site requires database upgrade from %1$s to %2$s'=>'Web vyžaduje aktualizaci databáze z %1$s na %2$s','Site'=>'Stránky','Upgrade Sites'=>'Upgradovat stránky','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Následující stránky vyžadují upgrade DB. Zaškrtněte ty, které chcete aktualizovat, a poté klikněte na %s.','Add rule group'=>'Přidat skupinu pravidel','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Vytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita tato vlastní pole','Rules'=>'Pravidla','Copied'=>'Zkopírováno','Copy to clipboard'=>'Zkopírovat od schránky','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Vybrat skupiny polí','No field groups selected'=>'Nebyly vybrány žádné skupiny polí','Generate PHP'=>'Vytvořit PHP','Export Field Groups'=>'Exportovat skupiny polí','Import file empty'=>'Importovaný soubor je prázdný','Incorrect file type'=>'Nesprávný typ souboru','Error uploading file. Please try again'=>'Chyba při nahrávání souboru. Prosím zkuste to znovu','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Vyberte Advanced Custom Fields JSON soubor, který chcete importovat. Po klepnutí na tlačítko importu níže bude ACF importovat skupiny polí.','Import Field Groups'=>'Importovat skupiny polí','Sync'=>'Synchronizace','Select %s'=>'Zvolit %s','Duplicate'=>'Duplikovat','Duplicate this item'=>'Duplikovat tuto položku','Supports'=>'Podporuje','Documentation'=>'Dokumentace','Description'=>'Popis','Sync available'=>'Synchronizace je k dispozici','Field group synchronized.'=>'Skupina polí synchronizována.' . "\0" . '%s skupiny polí synchronizovány.' . "\0" . '%s skupin polí synchronizováno.','Field group duplicated.'=>'Skupina polí duplikována.' . "\0" . '%s skupiny polí duplikovány.' . "\0" . '%s skupin polí duplikováno.','Active (%s)'=>'Aktivní (%s)' . "\0" . 'Aktivní (%s)' . "\0" . 'Aktivních (%s)','Review sites & upgrade'=>'Zkontrolujte stránky a aktualizujte','Upgrade Database'=>'Aktualizovat databázi','Custom Fields'=>'Vlastní pole','Move Field'=>'Přesunout pole','Please select the destination for this field'=>'Prosím zvolte umístění pro toto pole','The %1$s field can now be found in the %2$s field group'=>'Pole %1$s lze nyní nalézt ve skupině polí %2$s.','Move Complete.'=>'Přesun hotov.','Active'=>'Aktivní','Field Keys'=>'Klíče polí','Settings'=>'Nastavení','Location'=>'Umístění','Null'=>'Nula','copy'=>'kopírovat','(this field)'=>'(toto pole)','Checked'=>'Zaškrtnuto','Move Custom Field'=>'Přesunout vlastní pole','No toggle fields available'=>'Žádné zapínatelné pole není k dispozici','Field group title is required'=>'Vyžadován nadpis pro skupinu polí','This field cannot be moved until its changes have been saved'=>'Toto pole nelze přesunout, dokud nebudou uloženy jeho změny','The string "field_" may not be used at the start of a field name'=>'Řetězec "pole_" nesmí být použit na začátku názvu pole','Field group draft updated.'=>'Koncept skupiny polí aktualizován.','Field group scheduled for.'=>'Skupina polí byla naplánována.','Field group submitted.'=>'Skupina polí odeslána.','Field group saved.'=>'Skupina polí uložena.','Field group published.'=>'Skupina polí publikována.','Field group deleted.'=>'Skupina polí smazána.','Field group updated.'=>'Skupina polí aktualizována.','Tools'=>'Nástroje','is not equal to'=>'není rovno','is equal to'=>'je rovno','Forms'=>'Formuláře','Page'=>'Stránka','Post'=>'Příspěvek','Relational'=>'Relační','Choice'=>'Volba','Basic'=>'Základní','Unknown'=>'Neznámý','Field type does not exist'=>'Typ pole neexistuje','Spam Detected'=>'Zjištěn spam','Post updated'=>'Příspěvek aktualizován','Update'=>'Aktualizace','Validate Email'=>'Ověřit e-mail','Content'=>'Obsah','Title'=>'Název','Edit field group'=>'Editovat skupinu polí','Selection is less than'=>'Výběr je menší než','Selection is greater than'=>'Výběr je větší než','Value is less than'=>'Hodnota je menší než','Value is greater than'=>'Hodnota je větší než','Value contains'=>'Hodnota obsahuje','Value matches pattern'=>'Hodnota odpovídá masce','Value is not equal to'=>'Hodnota není rovna','Value is equal to'=>'Hodnota je rovna','Has no value'=>'Nemá hodnotu','Has any value'=>'Má libovolnou hodnotu','Cancel'=>'Zrušit','Are you sure?'=>'Jste si jistí?','%d fields require attention'=>'Několik polí vyžaduje pozornost (%d)','1 field requires attention'=>'1 pole vyžaduje pozornost','Validation failed'=>'Ověření selhalo','Validation successful'=>'Ověření úspěšné','Restricted'=>'Omezeno','Collapse Details'=>'Sbalit podrobnosti','Expand Details'=>'Rozbalit podrobnosti','Uploaded to this post'=>'Nahrán k tomuto příspěvku','verbUpdate'=>'Aktualizace','verbEdit'=>'Upravit','The changes you made will be lost if you navigate away from this page'=>'Pokud opustíte tuto stránku, změny, které jste provedli, budou ztraceny','File type must be %s.'=>'Typ souboru musí být %s.','or'=>'nebo','File size must not exceed %s.'=>'Velikost souboru nesmí překročit %s.','File size must be at least %s.'=>'Velikost souboru musí být alespoň %s.','Image height must not exceed %dpx.'=>'Výška obrázku nesmí přesáhnout %dpx.','Image height must be at least %dpx.'=>'Výška obrázku musí být alespoň %dpx.','Image width must not exceed %dpx.'=>'Šířka obrázku nesmí přesáhnout %dpx.','Image width must be at least %dpx.'=>'Šířka obrázku musí být alespoň %dpx.','(no title)'=>'(bez názvu)','Full Size'=>'Plná velikost','Large'=>'Velký','Medium'=>'Střední','Thumbnail'=>'Miniatura','(no label)'=>'(bez štítku)','Sets the textarea height'=>'Nastavuje výšku textového pole','Rows'=>'Řádky','Text Area'=>'Textové pole','Prepend an extra checkbox to toggle all choices'=>'Přidat zaškrtávátko navíc pro přepnutí všech možností','Save \'custom\' values to the field\'s choices'=>'Uložit \'vlastní\' hodnoty do voleb polí','Allow \'custom\' values to be added'=>'Povolit přidání \'vlastních\' hodnot','Add new choice'=>'Přidat novou volbu','Toggle All'=>'Přepnout vše','Allow Archives URLs'=>'Umožnit URL adresy archivu','Archives'=>'Archivy','Page Link'=>'Odkaz stránky','Add'=>'Přidat','Name'=>'Jméno','%s added'=>'%s přidán','%s already exists'=>'%s již existuje','User unable to add new %s'=>'Uživatel není schopen přidat nové %s','Term ID'=>'ID pojmu','Term Object'=>'Objekt pojmu','Load value from posts terms'=>'Nahrát pojmy z příspěvků','Load Terms'=>'Nahrát pojmy','Connect selected terms to the post'=>'Připojte vybrané pojmy k příspěvku','Save Terms'=>'Uložit pojmy','Allow new terms to be created whilst editing'=>'Povolit vytvoření nových pojmů během editace','Create Terms'=>'Vytvořit pojmy','Radio Buttons'=>'Radio přepínače','Single Value'=>'Jednotlivá hodnota','Multi Select'=>'Vícenásobný výběr','Checkbox'=>'Zaškrtávátko','Multiple Values'=>'Více hodnot','Select the appearance of this field'=>'Vyberte vzhled tohoto pole','Appearance'=>'Vzhled','Select the taxonomy to be displayed'=>'Zvolit zobrazovanou taxonomii','No TermsNo %s'=>'Nic pro %s','Value must be equal to or lower than %d'=>'Hodnota musí být rovna nebo menší než %d','Value must be equal to or higher than %d'=>'Hodnota musí být rovna nebo větší než %d','Value must be a number'=>'Hodnota musí být číslo','Number'=>'Číslo','Save \'other\' values to the field\'s choices'=>'Uložit \'jiné\' hodnoty do voleb polí','Add \'other\' choice to allow for custom values'=>'Přidat volbu \'jiné\', která umožňuje vlastní hodnoty','Other'=>'Jiné','Radio Button'=>'Přepínač','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definujte koncový bod pro předchozí akordeon. Tento akordeon nebude viditelný.','Allow this accordion to open without closing others.'=>'Povolit otevření tohoto akordeonu bez zavření ostatních.','Display this accordion as open on page load.'=>'Zobrazit tento akordeon jako otevřený při načtení stránky.','Open'=>'Otevřít','Accordion'=>'Akordeon','Restrict which files can be uploaded'=>'Omezte, které typy souborů lze nahrát','File ID'=>'ID souboru','File URL'=>'Adresa souboru','File Array'=>'Pole souboru','Add File'=>'Přidat soubor','No file selected'=>'Dokument nevybrán','File name'=>'Jméno souboru','Update File'=>'Aktualizovat soubor','Edit File'=>'Upravit soubor','Select File'=>'Vybrat soubor','File'=>'Soubor','Password'=>'Heslo','Specify the value returned'=>'Zadat konkrétní návratovou hodnotu','Use AJAX to lazy load choices?'=>'K načtení volby použít AJAX lazy load?','Enter each default value on a new line'=>'Zadejte každou výchozí hodnotu na nový řádek','verbSelect'=>'Vybrat','Select2 JS load_failLoading failed'=>'Načítání selhalo','Select2 JS searchingSearching…'=>'Vyhledávání…','Select2 JS load_moreLoading more results…'=>'Načítání dalších výsledků…','Select2 JS selection_too_long_nYou can only select %d items'=>'Můžete vybrat pouze %d položek','Select2 JS selection_too_long_1You can only select 1 item'=>'Můžete vybrat pouze 1 položku','Select2 JS input_too_long_nPlease delete %d characters'=>'Prosím odstraňte %d znaků','Select2 JS input_too_long_1Please delete 1 character'=>'Prosím odstraňte 1 znak','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Prosím zadejte %d nebo více znaků','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Prosím zadejte 1 nebo více znaků','Select2 JS matches_0No matches found'=>'Nebyly nalezeny žádné výsledky','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d výsledků je k dispozici, použijte šipky nahoru a dolů pro navigaci.','Select2 JS matches_1One result is available, press enter to select it.'=>'Jeden výsledek je k dispozici, stiskněte klávesu enter pro jeho vybrání.','nounSelect'=>'Vybrat','User ID'=>'ID uživatele','User Object'=>'Objekt uživatele','User Array'=>'Pole uživatelů','All user roles'=>'Všechny uživatelské role','User'=>'Uživatel','Separator'=>'Oddělovač','Select Color'=>'Výběr barvy','Default'=>'Výchozí nastavení','Clear'=>'Vymazat','Color Picker'=>'Výběr barvy','Date Time Picker JS pmTextShortP'=>'do','Date Time Picker JS pmTextPM'=>'odp','Date Time Picker JS amTextShortA'=>'od','Date Time Picker JS amTextAM'=>'dop','Date Time Picker JS selectTextSelect'=>'Vybrat','Date Time Picker JS closeTextDone'=>'Hotovo','Date Time Picker JS currentTextNow'=>'Nyní','Date Time Picker JS timezoneTextTime Zone'=>'Časové pásmo','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunda','Date Time Picker JS millisecTextMillisecond'=>'Milisekunda','Date Time Picker JS secondTextSecond'=>'Vteřina','Date Time Picker JS minuteTextMinute'=>'Minuta','Date Time Picker JS hourTextHour'=>'Hodina','Date Time Picker JS timeTextTime'=>'Čas','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zvolit čas','Date Time Picker'=>'Výběr data a času','Endpoint'=>'Koncový bod','Left aligned'=>'Zarovnat zleva','Top aligned'=>'Zarovnat shora','Placement'=>'Umístění','Tab'=>'Záložka','Value must be a valid URL'=>'Hodnota musí být validní adresa URL','Link URL'=>'URL adresa odkazu','Link Array'=>'Pole odkazů','Opens in a new window/tab'=>'Otevřít v novém okně/záložce','Select Link'=>'Vybrat odkaz','Link'=>'Odkaz','Email'=>'E-mail','Step Size'=>'Velikost kroku','Maximum Value'=>'Maximální hodnota','Minimum Value'=>'Minimální hodnota','Range'=>'Rozmezí','Both (Array)'=>'Obě (pole)','Label'=>'Štítek','Value'=>'Hodnota','Vertical'=>'Vertikální','Horizontal'=>'Horizontální','red : Red'=>'cervena : Červená','For more control, you may specify both a value and label like this:'=>'Pro větší kontrolu můžete zadat jak hodnotu, tak štítek:','Enter each choice on a new line.'=>'Zadejte každou volbu na nový řádek.','Choices'=>'Možnosti','Button Group'=>'Skupina tlačítek','Parent'=>'Rodič','TinyMCE will not be initialized until field is clicked'=>'TinyMCE se inicializuje až po kliknutí na pole','Toolbar'=>'Lišta nástrojů','Text Only'=>'Pouze text','Visual Only'=>'Pouze grafika','Visual & Text'=>'Grafika a text','Tabs'=>'Záložky','Click to initialize TinyMCE'=>'Klikněte pro inicializaci TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Grafika','Value must not exceed %d characters'=>'Hodnota nesmí překročit %d znaků','Leave blank for no limit'=>'Nechte prázdné pro nastavení bez omezení','Character Limit'=>'Limit znaků','Appears after the input'=>'Zobrazí se za inputem','Append'=>'Zobrazit po','Appears before the input'=>'Zobrazí se před inputem','Prepend'=>'Zobrazit před','Appears within the input'=>'Zobrazí se v inputu','Placeholder Text'=>'Zástupný text','Appears when creating a new post'=>'Objeví se při vytváření nového příspěvku','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s vyžaduje alespoň %2$s volbu' . "\0" . '%1$s vyžaduje alespoň %2$s volby' . "\0" . '%1$s vyžaduje alespoň %2$s voleb','Post ID'=>'ID příspěvku','Post Object'=>'Objekt příspěvku','Featured Image'=>'Uživatelský obrázek','Selected elements will be displayed in each result'=>'Vybrané prvky se zobrazí v každém výsledku','Elements'=>'Prvky','Taxonomy'=>'Taxonomie','Post Type'=>'Typ příspěvku','Filters'=>'Filtry','All taxonomies'=>'Všechny taxonomie','Filter by Taxonomy'=>'Filtrovat dle taxonomie','All post types'=>'Všechny typy příspěvků','Filter by Post Type'=>'Filtrovat dle typu příspěvku','Search...'=>'Hledat...','Select taxonomy'=>'Zvolit taxonomii','Select post type'=>'Zvolit typ příspěvku','No matches found'=>'Nebyly nalezeny žádné výsledky','Loading'=>'Načítání','Maximum values reached ( {max} values )'=>'Dosaženo maximálního množství hodnot ( {max} hodnot )','Relationship'=>'Vztah','Comma separated list. Leave blank for all types'=>'Seznam oddělený čárkami. Nechte prázdné pro povolení všech typů','Maximum'=>'Maximum','File size'=>'Velikost souboru','Restrict which images can be uploaded'=>'Omezte, které typy obrázků je možné nahrát','Minimum'=>'Minimum','Uploaded to post'=>'Nahráno k příspěvku','All'=>'Vše','Limit the media library choice'=>'Omezit výběr knihovny médií','Library'=>'Knihovna','Preview Size'=>'Velikost náhledu','Image ID'=>'ID obrázku','Image URL'=>'Adresa obrázku','Image Array'=>'Pole obrázku','Specify the returned value on front end'=>'Zadat konkrétní návratovou hodnotu na frontendu','Return Value'=>'Vrátit hodnotu','Add Image'=>'Přidat obrázek','No image selected'=>'Není vybrán žádný obrázek','Remove'=>'Odstranit','Edit'=>'Upravit','All images'=>'Všechny obrázky','Update Image'=>'Aktualizovat obrázek','Edit Image'=>'Upravit obrázek','Select Image'=>'Vybrat obrázek','Image'=>'Obrázek','Allow HTML markup to display as visible text instead of rendering'=>'Nevykreslovat efekt, ale zobrazit značky HTML jako prostý text','Escape HTML'=>'Escapovat HTML','No Formatting'=>'Žádné formátování','Automatically add <br>'=>'Automaticky přidávat <br>','Automatically add paragraphs'=>'Automaticky přidávat odstavce','Controls how new lines are rendered'=>'Řídí, jak se vykreslují nové řádky','New Lines'=>'Nové řádky','Week Starts On'=>'Týden začíná','The format used when saving a value'=>'Formát použitý při ukládání hodnoty','Save Format'=>'Uložit formát','Date Picker JS weekHeaderWk'=>'Týden','Date Picker JS prevTextPrev'=>'Předchozí','Date Picker JS nextTextNext'=>'Následující','Date Picker JS currentTextToday'=>'Dnes','Date Picker JS closeTextDone'=>'Hotovo','Date Picker'=>'Výběr data','Width'=>'Šířka','Embed Size'=>'Velikost pro Embed','Enter URL'=>'Vložte URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text zobrazený při neaktivním poli','Off Text'=>'Text (neaktivní)','Text shown when active'=>'Text zobrazený při aktivním poli','On Text'=>'Text (aktivní)','Stylized UI'=>'Stylizované uživatelské rozhraní','Default Value'=>'Výchozí hodnota','Displays text alongside the checkbox'=>'Zobrazí text vedle zaškrtávacího políčka','Message'=>'Zpráva','No'=>'Ne','Yes'=>'Ano','True / False'=>'Pravda / Nepravda','Row'=>'Řádek','Table'=>'Tabulka','Block'=>'Blok','Specify the style used to render the selected fields'=>'Určení stylu použitého pro vykreslení vybraných polí','Layout'=>'Typ zobrazení','Sub Fields'=>'Podřazená pole','Group'=>'Skupina','Customize the map height'=>'Přizpůsobení výšky mapy','Height'=>'Výška','Set the initial zoom level'=>'Nastavit počáteční úroveň přiblížení','Zoom'=>'Přiblížení','Center the initial map'=>'Vycentrovat počáteční zobrazení mapy','Center'=>'Vycentrovat','Search for address...'=>'Vyhledat adresu...','Find current location'=>'Najít aktuální umístění','Clear location'=>'Vymazat polohu','Search'=>'Hledat','Sorry, this browser does not support geolocation'=>'Je nám líto, ale tento prohlížeč nepodporuje geolokaci','Google Map'=>'Mapa Google','The format returned via template functions'=>'Formát vrácen pomocí funkcí šablony','Return Format'=>'Formát návratové hodnoty','Custom:'=>'Vlastní:','The format displayed when editing a post'=>'Formát zobrazený při úpravě příspěvku','Display Format'=>'Formát zobrazení','Time Picker'=>'Výběr času','Inactive (%s)'=>'Neaktivní (%s)' . "\0" . 'Neaktivní (%s)' . "\0" . 'Neaktivní (%s)','No Fields found in Trash'=>'V koši nenalezeno žádné pole','No Fields found'=>'Nenalezeno žádné pole','Search Fields'=>'Vyhledat pole','View Field'=>'Zobrazit pole','New Field'=>'Nové pole','Edit Field'=>'Upravit pole','Add New Field'=>'Přidat nové pole','Field'=>'Pole','Fields'=>'Pole','No Field Groups found in Trash'=>'V koši nebyly nalezeny žádné skupiny polí','No Field Groups found'=>'Nebyly nalezeny žádné skupiny polí','Search Field Groups'=>'Hledat skupiny polí','View Field Group'=>'Prohlížet skupinu polí','New Field Group'=>'Nová skupina polí','Edit Field Group'=>'Upravit skupinu polí','Add New Field Group'=>'Přidat novou skupinu polí','Add New'=>'Přidat nové','Field Group'=>'Skupina polí','Field Groups'=>'Skupiny polí','Customize WordPress with powerful, professional and intuitive fields.'=>'Přizpůsobte si WordPress pomocí efektivních, profesionálních a intuitivních polí.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s hodnota je vyžadována','%s settings'=>'Nastavení','Options Updated'=>'Nastavení aktualizováno','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Chcete-li povolit aktualizace, zadejte prosím licenční klíč na stránce Aktualizace. Pokud nemáte licenční klíč, přečtěte si podrobnosti a ceny.','ACF Activation Error. An error occurred when connecting to activation server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Check Again'=>'Zkontrolujte znovu','ACF Activation Error. Could not connect to activation server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Publish'=>'Publikovat','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nebyly nalezeny žádné vlastní skupiny polí. Vytvořit vlastní skupinu polí','Error. Could not connect to update server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Select one or more fields you wish to clone'=>'Vyberte jedno nebo více polí, které chcete klonovat','Display'=>'Zobrazovat','Specify the style used to render the clone field'=>'Určení stylu použitého pro vykreslení klonovaných polí','Group (displays selected fields in a group within this field)'=>'Skupina (zobrazuje vybrané pole ve skupině v tomto poli)','Seamless (replaces this field with selected fields)'=>'Bezešvé (nahradí toto pole vybranými poli)','Labels will be displayed as %s'=>'Štítky budou zobrazeny jako %s','Prefix Field Labels'=>'Prefix štítku pole','Values will be saved as %s'=>'Hodnoty budou uloženy jako %s','Prefix Field Names'=>'Prefix jména pole','Unknown field'=>'Neznámé pole','Unknown field group'=>'Skupina neznámých polí','All fields from %s field group'=>'Všechna pole z skupiny polí %s','Add Row'=>'Přidat řádek','layout'=>'typ zobrazení' . "\0" . 'typ zobrazení' . "\0" . 'typ zobrazení','layouts'=>'typy zobrazení','This field requires at least {min} {label} {identifier}'=>'Toto pole vyžaduje alespoň {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Toto pole má limit {max}{label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostupný (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} povinný (min {min})','Flexible Content requires at least 1 layout'=>'Flexibilní obsah vyžaduje minimálně jedno rozložení obsahu','Click the "%s" button below to start creating your layout'=>'Klikněte na tlačítko "%s" níže pro vytvoření vlastního typu zobrazení','Add layout'=>'Přidat typ zobrazení','Duplicate layout'=>'Duplikovat typ zobrazení','Remove layout'=>'Odstranit typ zobrazení','Click to toggle'=>'Klikněte pro přepnutí','Delete Layout'=>'Smazat typ zobrazení','Duplicate Layout'=>'Duplikovat typ zobrazení','Add New Layout'=>'Přidat nový typ zobrazení','Add Layout'=>'Přidat typ zobrazení','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimální rozložení','Maximum Layouts'=>'Maximální rozložení','Button Label'=>'Nápis tlačítka','Add Image to Gallery'=>'Přidat obrázek do galerie','Maximum selection reached'=>'Maximální výběr dosažen','Length'=>'Délka','Caption'=>'Popisek','Alt Text'=>'Alternativní text','Add to gallery'=>'Přidat do galerie','Bulk actions'=>'Hromadné akce','Sort by date uploaded'=>'Řadit dle data nahrání','Sort by date modified'=>'Řadit dle data změny','Sort by title'=>'Řadit dle názvu','Reverse current order'=>'Převrátit aktuální pořadí','Close'=>'Zavřít','Minimum Selection'=>'Minimální výběr','Maximum Selection'=>'Maximální výběr','Allowed file types'=>'Povolené typy souborů','Insert'=>'Vložit','Specify where new attachments are added'=>'Určete, kde budou přidány nové přílohy','Append to the end'=>'Přidat na konec','Prepend to the beginning'=>'Přidat na začátek','Minimum rows not reached ({min} rows)'=>'Minimální počet řádků dosažen ({min} řádků)','Maximum rows reached ({max} rows)'=>'Maximální počet řádků dosažen ({max} řádků)','Rows Per Page'=>'Stránka příspěvku','Set the number of rows to be displayed on a page.'=>'Zvolit zobrazovanou taxonomii','Minimum Rows'=>'Minimum řádků','Maximum Rows'=>'Maximum řádků','Collapsed'=>'Sbaleno','Select a sub field to show when row is collapsed'=>'Zvolte dílčí pole, které se zobrazí při sbalení řádku','Click to reorder'=>'Přetažením změníte pořadí','Add row'=>'Přidat řádek','Duplicate row'=>'Duplikovat','Remove row'=>'Odebrat řádek','Current Page'=>'Rodičovská stránka','First Page'=>'Hlavní stránka','Previous Page'=>'Stránka příspěvku','Next Page'=>'Rodičovská stránka','Last Page'=>'Stránka příspěvku','No block types exist'=>'Neexistuje stránka nastavení','No options pages exist'=>'Neexistuje stránka nastavení','Deactivate License'=>'Deaktivujte licenci','Activate License'=>'Aktivujte licenci','License Information'=>'Informace o licenci','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Chcete-li povolit aktualizace, zadejte prosím licenční klíč. Pokud nemáte licenční klíč, přečtěte si podrobnosti a ceny.','License Key'=>'Licenční klíč','Retry Activation'=>'Aktivační kód','Update Information'=>'Aktualizovat informace','Current Version'=>'Současná verze','Latest Version'=>'Nejnovější verze','Update Available'=>'Aktualizace je dostupná','Upgrade Notice'=>'Upozornění na aktualizaci','Enter your license key to unlock updates'=>'Pro odemčení aktualizací zadejte prosím výše svůj licenční klíč','Update Plugin'=>'Aktualizovat plugin','Please reactivate your license to unlock updates'=>'Pro odemčení aktualizací zadejte prosím výše svůj licenční klíč']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'Vybrat více','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Pouze malá písmena, podtržítka a pomlčky, max. 32 znaků.','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'Další nástroje od WP Engine','Built for those that build with WordPress, by the team at %s'=>'Vytvořeno pro ty, kteří vytvářejí ve WordPressu, týmem %s','View Pricing & Upgrade'=>'Zobrazit ceny a upgrade','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'Pole pro %s','No terms'=>'Žádné pojmy','No post types'=>'Žádné typy obsahu','No posts'=>'Žádné příspěvky','No taxonomies'=>'Žádné taxonomie','No field groups'=>'Žádné skupiny polí','No fields'=>'Žádná pole','No description'=>'Bez popisu','Any post status'=>'Jakýkoli stav příspěvku','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Tento klíč taxonomie je již používán jinou taxonomií registrovanou mimo ACF a nelze jej použít.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Tento klíč taxonomie je již používán jinou taxonomií v ACF a nelze jej použít.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klíč taxonomie musí obsahovat pouze malé alfanumerické znaky, podtržítka nebo pomlčky.','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'V koši nebyly nalezeny žádné taxonomie','No Taxonomies found'=>'Nebyly nalezeny žádné taxonomie','Search Taxonomies'=>'Hledat taxonomie','View Taxonomy'=>'Zobrazit taxonomii','New Taxonomy'=>'Nová taxonomie','Edit Taxonomy'=>'Upravit taxonomii','Add New Taxonomy'=>'Přidat novou taxonomii','No Post Types found in Trash'=>'V koši nejsou žádné typy obsahu','No Post Types found'=>'Nebyly nalezeny žádné typy obsahu','Search Post Types'=>'Hledat typy obsahu','View Post Type'=>'Zobrazit typ obsahu','New Post Type'=>'Nový typ obsahu','Edit Post Type'=>'Upravit typ obsahu','Add New Post Type'=>'Přidat nový typ obsahu','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Tento klíč typu obsahu je již používán jiným typem obsahu registrovaným mimo ACF a nelze jej použít.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Tento klíč typu obsahu je již používán jiným typem obsahu v ACF a nelze jej použít.','This field must not be a WordPress reserved term.'=>'Toto pole nesmí být vyhrazený termín WordPressu.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klíč typu obsahu musí obsahovat pouze malé alfanumerické znaky, podtržítka nebo pomlčky.','The post type key must be under 20 characters.'=>'Klíč typu obsahu musí mít méně než 20 znaků.','We do not recommend using this field in ACF Blocks.'=>'Nedoporučujeme používat toto pole v blocích ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zobrazí WYSIWYG editor WordPressu používaný k úpravám příspěvků a stránek, který umožňuje bohatou editaci textu a také multimediální obsah.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Umožňuje výběr jednoho nebo více uživatelů, které lze použít k vytvoření vztahů mezi datovými objekty.','A text input specifically designed for storing web addresses.'=>'Textové pole určené speciálně pro ukládání webových adres.','URL'=>'URL adresa','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Přepínač, který umožňuje vybrat hodnotu 1 nebo 0 (zapnuto nebo vypnuto, pravda nebo nepravda atd.). Může být prezentován jako stylizovaný přepínač nebo zaškrtávací políčko.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr času. Formát času lze přizpůsobit pomocí nastavení pole.','A basic textarea input for storing paragraphs of text.'=>'Základní textové pole pro ukládání odstavců textu.','A basic text input, useful for storing single string values.'=>'Základní textové pole užitečné pro ukládání jednoslovných textových hodnot.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Umožňuje výběr jednoho nebo více pojmů taxonomie na základě kritérií a možností uvedených v nastavení polí.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Umožňuje seskupit pole do sekcí s kartami na obrazovce úprav. Užitečné pro udržení přehlednosti a struktury polí.','A dropdown list with a selection of choices that you specify.'=>'Rozbalovací seznam s výběrem možností, které zadáte.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Rozhraní se dvěma sloupci, které umožňuje vybrat jeden nebo více příspěvků, stránek nebo uživatelských typů obsahu a vytvořit vztah s položkou, kterou právě upravujete. Obsahuje možnosti vyhledávání a filtrování.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Vstupní pole pro výběr číselné hodnoty v zadaném rozsahu pomocí posuvného prvku rozsahu.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Skupina s přepínači, která umožňuje uživateli výběr jedné z hodnot, které zadáte.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktivní a přizpůsobitelné uživatelské rozhraní pro výběr jednoho či více příspěvků, stránek nebo typů obsahu s možností vyhledávání. ','An input for providing a password using a masked field.'=>'Vstup pro zadání hesla pomocí maskovaného pole.','Filter by Post Status'=>'Filtrovat podle stavu příspěvku','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Interaktivní rozbalovací seznam pro výběr jednoho nebo více příspěvků, stránek, uživatelských typů obsahu nebo adres URL archivu s možností vyhledávání.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Interaktivní komponenta pro vkládání videí, obrázků, tweetů, zvuku a dalšího obsahu s využitím nativní funkce WordPress oEmbed.','An input limited to numerical values.'=>'Vstup omezený na číselné hodnoty.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Slouží k zobrazení zprávy pro editory vedle jiných polí. Užitečné pro poskytnutí dalšího kontextu nebo pokynů k polím.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Umožňuje zadat odkaz a jeho vlastnosti jako jsou text odkazu a jeho cíl pomocí nativního nástroje pro výběr odkazů ve WordPressu.','Uses the native WordPress media picker to upload, or choose images.'=>'K nahrávání nebo výběru obrázků používá nativní nástroj pro výběr médií ve WordPressu.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Umožňuje strukturovat pole do skupin a lépe tak uspořádat data a obrazovku úprav.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktivní uživatelské rozhraní pro výběr místa pomocí Map Google. Pro správné zobrazení vyžaduje klíč Google Maps API a další konfiguraci.','Uses the native WordPress media picker to upload, or choose files.'=>'K nahrávání nebo výběru souborů používá nativní nástroj pro výběr médií ve WordPressu.','A text input specifically designed for storing email addresses.'=>'Textové pole určené speciálně pro ukládání e-mailových adres.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr data a času. Formát vráceného data lze přizpůsobit pomocí nastavení pole.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktivní uživatelské rozhraní pro výběr data. Formát vráceného data lze přizpůsobit pomocí nastavení pole.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktivní uživatelské rozhraní pro výběr barvy nebo zadání hodnoty Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Skupina zaškrtávacích políček, která umožňují uživateli vybrat jednu nebo více zadaných hodnot.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Skupina tlačítek s předdefinovanými hodnotami. Uživatelé mohou vybrat jednu možnost z uvedených hodnot.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Umožňuje seskupit a uspořádat vlastní pole do skládacích panelů, které se zobrazují při úpravách obsahu. Užitečné pro udržování pořádku ve velkých souborech dat.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Nabízí řešení pro opakování obsahu, jako jsou snímky, členové týmu a dlaždice s výzvou k akci, tím, že funguje jako nadřazené pole pro sadu podpolí, která lze opakovat znovu a znovu.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Poskytuje interaktivní rozhraní pro správu sbírky příloh. Většina nastavení je podobná typu pole Obrázek. Další nastavení umožňují určit, kam se budou v galerii přidávat nové přílohy, a minimální/maximální povolený počet příloh.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Poskytuje jednoduchý, strukturovaný editor založený na rozvržení. Pole Flexibilní obsah umožňuje definovat, vytvářet a spravovat obsah s naprostou kontrolou pomocí rozvržení a podpolí pro návrh dostupných bloků.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Umožňuje vybrat a zobrazit existující pole. Neduplikuje žádná pole v databázi, ale načítá a zobrazuje vybraná pole za běhu. Pole Klonování se může buď nahradit vybranými poli, nebo zobrazit vybraná pole jako skupinu podpolí.','nounClone'=>'Klonování','PRO'=>'PRO','Advanced'=>'Pokročilé','JSON (newer)'=>'JSON (novější)','Original'=>'Původní','Invalid post ID.'=>'Neplatné ID příspěvku.','Invalid post type selected for review.'=>'Ke kontrole byl vybrán neplatný typ obsahu.','More'=>'Více','Tutorial'=>'Tutoriál','Select Field'=>'Vybrat pole','Try a different search term or browse %s'=>'Zkuste použít jiný vyhledávací výraz nebo projít %s','Popular fields'=>'Oblíbená pole','No search results for \'%s\''=>'Žádné výsledky hledání pro „%s“','Search fields...'=>'Hledat pole...','Select Field Type'=>'Výběr typu pole','Popular'=>'Oblíbená','Add Taxonomy'=>'Přidat taxonomii','Create custom taxonomies to classify post type content'=>'Vytvořte vlastní taxonomie pro klasifikaci obsahu','Add Your First Taxonomy'=>'Přidejte první taxonomii','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchické taxonomie mohou mít potomky (stejně jako rubriky).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Zviditelní taxonomii ve frontendu a na nástěnce správce.','One or many post types that can be classified with this taxonomy.'=>'Jeden nebo více typů obsahu, které lze klasifikovat pomocí této taxonomie.','genre'=>'žánr','Genre'=>'Žánr','Genres'=>'Žánry','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Volitelný kontrolér, který se použije místo `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Zveřejněte tento typ obsahu v rozhraní REST API.','Customize the query variable name'=>'Přizpůsobení názvu proměnné dotazu','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'K pojmům lze přistupovat pomocí nepěkného trvalého odkazu, např. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Nadřazené a podřazené pojmy v adresách URL pro hierarchické taxonomie.','Customize the slug used in the URL'=>'Přizpůsobení názvu použitém v adrese URL','Permalinks for this taxonomy are disabled.'=>'Trvalé odkazy pro tuto taxonomii jsou zakázány.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Přepište adresu URL pomocí klíče taxonomie jako názvu v URL. Struktura trvalého odkazu bude následující','Taxonomy Key'=>'Klíč taxonomie','Select the type of permalink to use for this taxonomy.'=>'Vyberte typ trvalého odkazu, který chcete pro tuto taxonomii použít.','Display a column for the taxonomy on post type listing screens.'=>'Zobrazení sloupce pro taxonomii na obrazovkách s výpisem typů obsahu.','Show Admin Column'=>'Zobrazit sloupec správce','Show the taxonomy in the quick/bulk edit panel.'=>'Zobrazení taxonomie v panelu rychlých/hromadných úprav.','Quick Edit'=>'Rychlé úpravy','List the taxonomy in the Tag Cloud Widget controls.'=>'Uveďte taxonomii v ovládacích prvcích bloku Shluk štítků.','Tag Cloud'=>'Shluk štítků','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'Callback pro sanitaci metaboxu','Register Meta Box Callback'=>'Registrovat callback metaboxu','No Meta Box'=>'Žádný metabox','Custom Meta Box'=>'Vlastní metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Ovládá pole meta na obrazovce editoru obsahu. Ve výchozím nastavení se u hierarchických taxonomií zobrazuje metabox Rubriky a u nehierarchických taxonomií metabox Štítky.','Meta Box'=>'Metabox','Categories Meta Box'=>'Metabox pro rubriky','Tags Meta Box'=>'Metabox pro štítky','A link to a tag'=>'Odkaz na štítek','Describes a navigation link block variation used in the block editor.'=>'Popisuje variantu bloku navigačního odkazu použitou v editoru bloků.','A link to a %s'=>'Odkaz na %s','Tag Link'=>'Odkaz štítku','Assigns a title for navigation link block variation used in the block editor.'=>'Přiřadí název pro variantu bloku navigačního odkazu použitou v editoru bloků.','← Go to tags'=>'← Přejít na štítky','Assigns the text used to link back to the main index after updating a term.'=>'Přiřadí text, který se po aktualizaci pojmu použije k odkazu zpět na hlavní rejstřík.','Back To Items'=>'Zpět na položky','← Go to %s'=>'← Přejít na %s','Tags list'=>'Seznam štítků','Assigns text to the table hidden heading.'=>'Přiřadí text skrytému záhlaví tabulky.','Tags list navigation'=>'Navigace v seznamu štítků','Assigns text to the table pagination hidden heading.'=>'Přiřadí text skrytému záhlaví stránkování tabulky.','Filter by category'=>'Filtrovat podle rubriky','Assigns text to the filter button in the posts lists table.'=>'Přiřadí text tlačítku filtru v tabulce seznamů příspěvků.','Filter By Item'=>'Filtrovat podle položky','Filter by %s'=>'Filtrovat podle %s','The description is not prominent by default; however, some themes may show it.'=>'Popis není ve výchozím nastavení viditelný, některé šablony jej však mohou zobrazovat.','Describes the Description field on the Edit Tags screen.'=>'Popisuje pole Popis na obrazovce Upravit štítky.','Description Field Description'=>'Popis pole Popis','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Přiřazením nadřazeného pojmu vytvoříte hierarchii. Například pojem Jazz bude nadřazený výrazům Bebop a Big Band.','Describes the Parent field on the Edit Tags screen.'=>'Popisuje pole Nadřazený na obrazovce Upravit štítky.','Parent Field Description'=>'Popis pole Nadřazený','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Název v URL je verze vhodná pro adresy URL. Obvykle se píše malými písmeny a obsahuje pouze písmena bez diakritiky, číslice a pomlčky.','Describes the Slug field on the Edit Tags screen.'=>'Popisuje pole Název v URL na obrazovce Upravit štítky.','Slug Field Description'=>'Popis pole Název v URL','The name is how it appears on your site'=>'Název se bude v této podobě zobrazovat na webu','Describes the Name field on the Edit Tags screen.'=>'Popisuje pole Název na obrazovce Upravit štítky.','Name Field Description'=>'Popis pole Název','No tags'=>'Žádné štítky','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Přiřazuje text zobrazený v tabulkách seznamů příspěvků a médií, pokud nejsou k dispozici žádné štítky nebo rubriky.','No Terms'=>'Žádné pojmy','No %s'=>'Žádné %s','No tags found'=>'Nebyly nalezeny žádné štítky','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Přiřazuje text zobrazený po kliknutí na text „zvolit z nejpoužívanějších“ v metaboxu taxonomie, pokud nejsou k dispozici žádné štítky, a přiřazuje text použitý v tabulce seznamu pojmů, pokud pro taxonomii neexistují žádné položky.','Not Found'=>'Nenalezeno','Assigns text to the Title field of the Most Used tab.'=>'Přiřadí text do pole Název na kartě Nejpoužívanější.','Most Used'=>'Nejčastější','Choose from the most used tags'=>'Vyberte si z nejpoužívanějších štítků','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Přiřazuje text pro „zvolit z nejpoužívanějších“, který se používá v metaboxu při vypnutém JavaScriptu. Používá se pouze u nehierarchických taxonomií.','Choose From Most Used'=>'Zvolit z nejpoužívanějších','Choose from the most used %s'=>'Vyberte si z nejpoužívanějších %s','Add or remove tags'=>'Přidat nebo odebrat štítky','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Přiřazuje text přidávání nebo odebírání položek použitý v metaboxu při vypnutém JavaScriptu. Používá se pouze u nehierarchických taxonomií.','Add Or Remove Items'=>'Přidat nebo odstranit položky','Add or remove %s'=>'Přidat nebo odstranit %s','Separate tags with commas'=>'Více štítků oddělte čárkami','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Přiřadí text pro oddělení položek čárkami používaný v metaboxu. Používá se pouze u nehierarchických taxonomií.','Separate Items With Commas'=>'Oddělujte položky čárkami','Separate %s with commas'=>'Oddělte %s čárkami','Popular Tags'=>'Oblíbené štítky','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Přiřadí text pro oblíbené položky. Používá se pouze pro nehierarchické taxonomie.','Popular Items'=>'Oblíbené položky','Popular %s'=>'Oblíbené %s','Search Tags'=>'Hledat štítky','Assigns search items text.'=>'Přiřadí text pro hledání položek.','Parent Category:'=>'Nadřazená rubrika:','Assigns parent item text, but with a colon (:) added to the end.'=>'Přiřadí text nadřazené položky, ale s dvojtečkou (:) na konci.','Parent Item With Colon'=>'Nadřazená položka s dvojtečkou','Parent Category'=>'Nadřazená rubrika','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Přiřadí text nadřazené položky. Používá se pouze u hierarchických taxonomií.','Parent Item'=>'Nadřazená položka','Parent %s'=>'Nadřazený %s','New Tag Name'=>'Název nového štítku','Assigns the new item name text.'=>'Přiřadí text pro název nové položky.','New Item Name'=>'Název nové položky','New %s Name'=>'Název nového %s','Add New Tag'=>'Vytvořit nový štítek','Assigns the add new item text.'=>'Přiřadí text pro vytvoření nové položky.','Update Tag'=>'Aktualizovat štítek','Assigns the update item text.'=>'Přiřadí text pro aktualizaci položky.','Update Item'=>'Aktualizovat položku','Update %s'=>'Aktualizovat %s','View Tag'=>'Zobrazit štítek','In the admin bar to view term during editing.'=>'Na panelu správce pro zobrazení pojmu během úprav.','Edit Tag'=>'Upravit štítek','At the top of the editor screen when editing a term.'=>'V horní části obrazovky editoru při úpravě položky.','All Tags'=>'Všechny štítky','Assigns the all items text.'=>'Přiřadí text pro všechny položky.','Assigns the menu name text.'=>'Přiřadí text názvu menu.','Menu Label'=>'Označení menu','Active taxonomies are enabled and registered with WordPress.'=>'Aktivní taxonomie jsou povoleny a zaregistrovány ve WordPressu.','A descriptive summary of the taxonomy.'=>'Popisné shrnutí taxonomie.','A descriptive summary of the term.'=>'Popisné shrnutí pojmu.','Term Description'=>'Popis pojmu','Single word, no spaces. Underscores and dashes allowed.'=>'Jedno slovo, bez mezer. Podtržítka a pomlčky jsou povoleny.','Term Slug'=>'Název pojmu v URL','The name of the default term.'=>'Název výchozího pojmu.','Term Name'=>'Název pojmu','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Vytvoření pojmu pro taxonomii, který nelze odstranit. Ve výchozím nastavení nebude vybrán pro příspěvky.','Default Term'=>'Výchozí pojem','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Zda mají být pojmy v této taxonomii seřazeny v pořadí, v jakém byly zadány do `wp_set_object_terms()`.','Sort Terms'=>'Řadit pojmy','Add Post Type'=>'Přidat typ obsahu','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Rozšiřte funkčnost WordPressu nad rámec standardních příspěvků a stránek pomocí vlastních typů obsahu.','Add Your First Post Type'=>'Přidejte první typ obsahu','I know what I\'m doing, show me all the options.'=>'Vím, co dělám, ukažte mi všechny možnosti.','Advanced Configuration'=>'Pokročilá konfigurace','Hierarchical post types can have descendants (like pages).'=>'Hierarchické typy obsahu mohou mít potomky (stejně jako stránky).','Hierarchical'=>'Hierarchické','Visible on the frontend and in the admin dashboard.'=>'Je viditelný ve frontendu a na nástěnce správce.','Public'=>'Veřejné','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Pouze malá písmena, podtržítka a pomlčky, max. 20 znaků.','Movie'=>'Film','Singular Label'=>'Štítek v jednotném čísle','Movies'=>'Filmy','Plural Label'=>'Štítek pro množné číslo','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Volitelný kontrolér, který se použije místo `WP_REST_Posts_Controller`.','Controller Class'=>'Třída kontroléru','The namespace part of the REST API URL.'=>'Část adresy URL rozhraní REST API obsahující jmenný prostor.','Namespace Route'=>'Cesta jmenného prostoru','The base URL for the post type REST API URLs.'=>'Základní URL pro adresy daného typu obsahu v rozhraní REST API.','Base URL'=>'Základní URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zveřejní tento typ obsahu v rozhraní REST API. Vyžadováno pro použití editoru bloků.','Show In REST API'=>'Zobrazit v rozhraní REST API','Customize the query variable name.'=>'Přizpůsobte název proměnné dotazu.','Query Variable'=>'Proměnná dotazu','No Query Variable Support'=>'Chybějící podpora proměnné dotazu','Custom Query Variable'=>'Uživatelská proměnná dotazu','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'K položkám lze přistupovat pomocí nepěkného trvalého odkazu, např. {post_type}={post_slug}.','Query Variable Support'=>'Podpora proměnné dotazu','URLs for an item and items can be accessed with a query string.'=>'K adresám URL položky a položek lze přistupovat pomocí řetězce dotazů.','Publicly Queryable'=>'Veřejně dotazovatelné','Custom slug for the Archive URL.'=>'Vlastní název v adrese URL archivu.','Archive Slug'=>'Název archivu v URL','Has an item archive that can be customized with an archive template file in your theme.'=>'Má archiv položek, který lze přizpůsobit pomocí souboru šablony archivu v šabloně webu.','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Podpora stránkování pro adresy URL položek jako jsou archivy.','Pagination'=>'Stránkování','RSS feed URL for the post type items.'=>'Adresa URL zdroje RSS pro položky daného typu obsahu.','Feed URL'=>'Adresa URL zdroje','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Změní strukturu trvalých odkazů tak, že do adres URL přidá předponu `WP_Rewrite::$front`.','Front URL Prefix'=>'Předpona URL','Customize the slug used in the URL.'=>'Přizpůsobte název, který se používá v adrese URL.','URL Slug'=>'Název v URL','Permalinks for this post type are disabled.'=>'Trvalé odkazy pro tento typ obsahu jsou zakázány.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Přepište adresu URL pomocí názvu definovaném v poli níže. Struktura trvalého odkazu bude následující','No Permalink (prevent URL rewriting)'=>'Žádný trvalý odkaz (zabránění přepisování URL)','Custom Permalink'=>'Uživatelský trvalý odkaz','Post Type Key'=>'Klíč typu obsahu','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Přepište adresu URL pomocí klíče typu obsahu jako názvu v URL. Struktura trvalého odkazu bude následující','Permalink Rewrite'=>'Přepsání trvalého odkazu','Delete items by a user when that user is deleted.'=>'Smazat položky uživatele při jeho smazání.','Delete With User'=>'Smazat s uživatelem','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Povolte exportování typu obsahu z Nástroje > Export.','Can Export'=>'Může exportovat','Optionally provide a plural to be used in capabilities.'=>'Volitelně uveďte množné číslo, které se použije pro oprávnění.','Plural Capability Name'=>'Název oprávnění v množném čísle','Choose another post type to base the capabilities for this post type.'=>'Zvolte jiný typ obsahu, z něhož budou odvozeny oprávnění pro tento typ obsahu.','Singular Capability Name'=>'Název oprávnění v jednotném čísle','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Ve výchozím nastavení zdědí názvy oprávnění z typu „Příspěvek“, např. edit_post, delete_posts. Povolte pro použití oprávnění specifických pro daný typ obsahu, např. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Přejmenovat oprávnění','Exclude From Search'=>'Vyloučit z vyhledávání','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Povolení přidávání položek do menu na obrazovce Vzhled > Menu. Musí být zapnuto v Nastavení zobrazených informací.','Appearance Menus Support'=>'Podpora menu Vzhled','Appears as an item in the \'New\' menu in the admin bar.'=>'Zobrazí se jako položka v menu „Akce“ na panelu správce.','Show In Admin Bar'=>'Zobrazit na panelu správce','Custom Meta Box Callback'=>'Vlastní callback metaboxu','Menu Icon'=>'Ikona menu','The position in the sidebar menu in the admin dashboard.'=>'Pozice v menu postranního panelu na nástěnce správce.','Menu Position'=>'Pozice menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Ve výchozím nastavení získá typ obsahu novou položku nejvyšší úrovně v menu správce. Pokud je zde uvedena existující položka nejvyšší úrovně, typ obsahu bude přidán jako položka podřazená pod ni.','Admin Menu Parent'=>'Nadřazené menu','Admin editor navigation in the sidebar menu.'=>'Navigace v editoru správce v menu postranního panelu.','Show In Admin Menu'=>'Zobrazit v menu správce','Items can be edited and managed in the admin dashboard.'=>'Položky lze upravovat a spravovat na nástěnce správce.','Show In UI'=>'Zobrazit v uživatelském rozhraní','A link to a post.'=>'Odkaz na příspěvek.','Description for a navigation link block variation.'=>'Popis varianty bloku navigačního odkazu.','Item Link Description'=>'Popis odkazu položky','A link to a %s.'=>'Odkaz na %s.','Post Link'=>'Odkaz příspěvku','Title for a navigation link block variation.'=>'Název varianty bloku navigačního odkazu.','Item Link'=>'Odkaz položky','%s Link'=>'Odkaz na %s','Post updated.'=>'Příspěvek byl aktualizován.','In the editor notice after an item is updated.'=>'V oznámení editoru po aktualizaci položky.','Item Updated'=>'Položka byla aktualizována','%s updated.'=>'%s aktualizován.','Post scheduled.'=>'Příspěvek byl naplánován.','In the editor notice after scheduling an item.'=>'V oznámení editoru po naplánování položky.','Item Scheduled'=>'Položka naplánována','%s scheduled.'=>'%s byl naplánován.','Post reverted to draft.'=>'Příspěvek byl převeden na koncept.','In the editor notice after reverting an item to draft.'=>'V oznámení editoru po převedení položky na koncept.','Item Reverted To Draft'=>'Položka převedena na koncept','%s reverted to draft.'=>'%s byl převeden na koncept.','Post published privately.'=>'Příspěvek byl publikován soukromě.','In the editor notice after publishing a private item.'=>'V oznámení editoru po publikování položky soukromě.','Item Published Privately'=>'Položka publikována soukromě','%s published privately.'=>'%s byl publikován soukromě.','Post published.'=>'Příspěvek byl publikován.','In the editor notice after publishing an item.'=>'V oznámení editoru po publikování položky.','Item Published'=>'Položka publikována','%s published.'=>'%s publikován.','Posts list'=>'Seznam příspěvků','Used by screen readers for the items list on the post type list screen.'=>'Používá se čtečkami obrazovky na obrazovce se seznamem položek daného typu obsahu.','Items List'=>'Seznam položek','%s list'=>'Seznam %s','Posts list navigation'=>'Navigace v seznamu příspěvků','Used by screen readers for the filter list pagination on the post type list screen.'=>'Používá se čtečkami obrazovky pro stránkování filtru na obrazovce se seznamem typů obsahu.','Items List Navigation'=>'Navigace v seznamu položek','%s list navigation'=>'Navigace v seznamu %s','Filter posts by date'=>'Filtrovat příspěvky podle data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Používá se čtečkami obrazovky pro filtr podle data na obrazovce se seznamem typů obsahu.','Filter Items By Date'=>'Filtrovat položky podle data','Filter %s by date'=>'Filtrovat %s podle data','Filter posts list'=>'Filtrovat seznam příspěvků','Used by screen readers for the filter links heading on the post type list screen.'=>'Používá se čtečkami obrazovky pro odkazy filtru na obrazovce se seznamem typů obsahu.','Filter Items List'=>'Filtrovat seznam položek','Filter %s list'=>'Filtrovat seznam %s','In the media modal showing all media uploaded to this item.'=>'V modálním okně médií se zobrazí všechna média nahraná k této položce.','Uploaded To This Item'=>'Nahrané k této položce','Uploaded to this %s'=>'Nahráno do tohoto %s','Insert into post'=>'Vložit do příspěvku','As the button label when adding media to content.'=>'Jako popisek tlačítka při přidávání médií do obsahu.','Insert Into Media Button'=>'Tlačítko pro vložení médií','Insert into %s'=>'Vložit do %s','Use as featured image'=>'Použít jako náhledový obrázek','As the button label for selecting to use an image as the featured image.'=>'Jako popisek tlačítka pro výběr použití obrázku jako náhledového.','Use Featured Image'=>'Použít náhledový obrázek','Remove featured image'=>'Odstranit náhledový obrázek','As the button label when removing the featured image.'=>'Jako popisek tlačítka při odebrání náhledového obrázku.','Remove Featured Image'=>'Odstranit náhledový obrázek','Set featured image'=>'Zvolit náhledový obrázek','As the button label when setting the featured image.'=>'Jako popisek tlačítka při nastavení náhledového obrázku.','Set Featured Image'=>'Zvolit náhledový obrázek','Featured image'=>'Náhledový obrázek','In the editor used for the title of the featured image meta box.'=>'V editoru používán pro název metaboxu náhledového obrázku.','Featured Image Meta Box'=>'Metabox náhledového obrázku','Post Attributes'=>'Vlastnosti příspěvku','In the editor used for the title of the post attributes meta box.'=>'V editoru použitý pro název metaboxu s vlastnostmi příspěvku.','Attributes Meta Box'=>'Metabox pro vlastnosti','%s Attributes'=>'Vlastnosti %s','Post Archives'=>'Archivy příspěvků','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Přidá položky „Archiv typu obsahu“ s tímto označením do seznamu příspěvků zobrazených při přidávání položek do existujícího menu v CPT s povolenými archivy. Zobrazuje se pouze při úpravách menu v režimu „Aktuální náhled“ a při zadání uživatelského názvu archivu v URL.','Archives Nav Menu'=>'Navigační menu archivu','%s Archives'=>'Archivy pro %s','No posts found in Trash'=>'V koši nebyly nalezeny žádné příspěvky','At the top of the post type list screen when there are no posts in the trash.'=>'V horní části obrazovky seznamu příspěvků daného typu, když v koši nejsou žádné příspěvky.','No Items Found in Trash'=>'V koši nebyly nalezeny žádné položky','No %s found in Trash'=>'V koši nebyly nalezeny žádné %s','No posts found'=>'Nebyly nalezeny žádné příspěvky','At the top of the post type list screen when there are no posts to display.'=>'V horní části obrazovky seznamu příspěvků daného typu, když nejsou žádné příspěvky k zobrazení.','No Items Found'=>'Nebyly nalezeny žádné položky','No %s found'=>'Nenalezeny žádné položky typu %s','Search Posts'=>'Hledat příspěvky','At the top of the items screen when searching for an item.'=>'V horní části obrazovky s položkami při hledání položky.','Search Items'=>'Hledat položky','Search %s'=>'Hledat %s','Parent Page:'=>'Nadřazená stránka:','For hierarchical types in the post type list screen.'=>'Pro hierarchické typy na obrazovce se seznamem typů obsahu.','Parent Item Prefix'=>'Předpona nadřazené položky','Parent %s:'=>'Nadřazené %s:','New Post'=>'Nový příspěvek','New Item'=>'Nová položka','New %s'=>'Nový %s','Add New Post'=>'Vytvořit příspěvek','At the top of the editor screen when adding a new item.'=>'V horní části obrazovky editoru při vytváření nové položky.','Add New Item'=>'Vytvořit novou položku','Add New %s'=>'Přidat nový %s','View Posts'=>'Zobrazit příspěvky','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Zobrazí se na panelu správce v zobrazení „Přehled příspěvků“, pokud typ obsahu podporuje archivy a domovská stránka není archivem daného typu obsahu.','View Items'=>'Zobrazit položky','View Post'=>'Zobrazit příspěvek','In the admin bar to view item when editing it.'=>'Na panelu správce pro zobrazení položky při její úpravě.','View Item'=>'Zobrazit položku','View %s'=>'Zobrazit %s','Edit Post'=>'Upravit příspěvek','At the top of the editor screen when editing an item.'=>'V horní části obrazovky editoru při úpravě položky.','Edit Item'=>'Upravit položku','Edit %s'=>'Upravit %s','All Posts'=>'Přehled příspěvků','In the post type submenu in the admin dashboard.'=>'V podmenu typu obsahu na nástěnce správce.','All Items'=>'Všechny položky','All %s'=>'Přehled %s','Admin menu name for the post type.'=>'Název menu správce pro daný typ obsahu.','Menu Name'=>'Název menu','Regenerate all labels using the Singular and Plural labels'=>'Přegenerovat všechny štítky pomocí štítků pro jednotné a množné číslo','Regenerate'=>'Přegenerovat','Active post types are enabled and registered with WordPress.'=>'Aktivní typy obsahu jsou povoleny a zaregistrovány ve WordPressu.','A descriptive summary of the post type.'=>'Popisné shrnutí typu obsahu.','Add Custom'=>'Přidat vlastní','Enable various features in the content editor.'=>'Povolte různé funkce v editoru obsahu.','Post Formats'=>'Formáty příspěvků','Editor'=>'Editor','Trackbacks'=>'Trackbacky','Select existing taxonomies to classify items of the post type.'=>'Vyberte existující taxonomie pro klasifikaci položek daného typu obsahu.','Browse Fields'=>'Procházet pole','Nothing to import'=>'Nic k importu','. The Custom Post Type UI plugin can be deactivated.'=>'. Plugin Custom Post Type UI lze deaktivovat.','Imported %d item from Custom Post Type UI -'=>'Importována %d položka z Custom Post Type UI -' . "\0" . 'Importovány %d položky z Custom Post Type UI -' . "\0" . 'Importováno %d položek z Custom Post Type UI -','Failed to import taxonomies.'=>'Nepodařilo se importovat taxonomie.','Failed to import post types.'=>'Nepodařilo se importovat typy obsahu.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nic z pluginu Custom Post Type UI vybráno pro import.','Imported 1 item'=>'Importována 1 položka' . "\0" . 'Importovány %s položky' . "\0" . 'Importováno %s položek','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importování typu obsahu nebo taxonomie se stejným klíčem jako u již existujícího typu obsahu nebo taxonomie přepíše nastavení existujícího typu obsahu nebo taxonomie těmi z importu.','Import from Custom Post Type UI'=>'Import z pluginu Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Následující kód lze použít k registraci místní verze vybraných položek. Lokální uložení skupin polí, typů obsahu nebo taxonomií může přinést mnoho výhod, například rychlejší načítání, správu verzí a dynamická pole/nastavení. Jednoduše zkopírujte a vložte následující kód do souboru šablony functions.php nebo jej zahrňte do externího souboru a poté deaktivujte nebo odstraňte položky z administrace ACF.','Export - Generate PHP'=>'Exportovat - Vytvořit PHP','Export'=>'Export','Select Taxonomies'=>'Vybrat taxonomie','Select Post Types'=>'Vybrat typy obsahu','Exported 1 item.'=>'Exportována 1 položka.' . "\0" . 'Exportovány %s položky.' . "\0" . 'Exportováno %s položek.','Category'=>'Rubrika','Tag'=>'Štítek','%s taxonomy created'=>'Taxonomie %s vytvořena','%s taxonomy updated'=>'Taxonomie %s aktualizována','Taxonomy draft updated.'=>'Koncept taxonomie byl aktualizován.','Taxonomy scheduled for.'=>'Taxonomie byla naplánována.','Taxonomy submitted.'=>'Taxonomie odeslána.','Taxonomy saved.'=>'Taxonomie uložena.','Taxonomy deleted.'=>'Taxonomie smazána.','Taxonomy updated.'=>'Taxonomie aktualizována.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Tuto taxonomii nebylo možné zaregistrovat, protože její klíč je používán jinou taxonomií registrovanou jiným pluginem nebo šablonou.','Taxonomy synchronized.'=>'Taxonomie synchronizována.' . "\0" . '%s taxonomie synchronizovány.' . "\0" . '%s taxonomií synchronizováno.','Taxonomy duplicated.'=>'Taxonomie duplikována.' . "\0" . '%s taxonomie duplikovány.' . "\0" . '%s taxonomií duplikováno.','Taxonomy deactivated.'=>'Taxonomie deaktivována.' . "\0" . '%s taxonomie deaktivovány.' . "\0" . '%s taxonomií deaktivováno.','Taxonomy activated.'=>'Taxonomie aktivována.' . "\0" . '%s taxonomie aktivovány.' . "\0" . '%s taxonomií aktivováno.','Terms'=>'Pojmy','Post type synchronized.'=>'Typ obsahu synchronizován.' . "\0" . '%s typy obsahu synchronizovány.' . "\0" . '%s typů obsahu synchronizováno.','Post type duplicated.'=>'Typ obsahu duplikován.' . "\0" . '%s typy obsahu duplikovány.' . "\0" . '%s typů obsahu duplikováno.','Post type deactivated.'=>'Typ obsahu deaktivován.' . "\0" . '%s typy obsahu deaktivovány.' . "\0" . '%s typů obsahu deaktivováno.','Post type activated.'=>'Typ obsahu aktivován.' . "\0" . '%s typy obsahu aktivovány.' . "\0" . '%s typů obsahu aktivováno.','Post Types'=>'Typy obsahu','Advanced Settings'=>'Pokročilá nastavení','Basic Settings'=>'Základní nastavení','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Tento typ obsahu nemohl být zaregistrován, protože jeho klíč je používán jiným typem obsahu registrovaným jiným pluginem nebo šablonou.','Pages'=>'Stránky','Link Existing Field Groups'=>'Propojení stávajících skupin polí','%s post type created'=>'Typ obsahu %s vytvořen','Add fields to %s'=>'Přidání polí do %s','%s post type updated'=>'Typ obsahu %s aktualizován','Post type draft updated.'=>'Koncept typu obsahu byl aktualizován.','Post type scheduled for.'=>'Typ obsahu byl naplánován.','Post type submitted.'=>'Typ obsahu byl odeslán.','Post type saved.'=>'Typ obsahu byl uložen.','Post type updated.'=>'Typ obsahu byl aktualizován.','Post type deleted.'=>'Typ obsahu smazán.','Type to search...'=>'Pište pro hledání...','PRO Only'=>'Pouze PRO','Field groups linked successfully.'=>'Skupiny polí byly úspěšně propojeny.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importujte typy obsahu a taxonomie registrované pomocí pluginu Custom Post Type UI a spravujte je s ACF. Pusťme se do toho.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'typ obsahu','Done'=>'Hotovo','Field Group(s)'=>'Skupina(y) polí','Select one or many field groups...'=>'Vyberte jednu nebo více skupin polí...','Please select the field groups to link.'=>'Vyberte skupiny polí, které chcete propojit.','Field group linked successfully.'=>'Skupina polí úspěšně propojena.' . "\0" . 'Skupiny polí úspěšně propojeny.' . "\0" . 'Skupiny polí úspěšně propojeny.','post statusRegistration Failed'=>'Registrace se nezdařila','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Tuto položku nebylo možné zaregistrovat, protože její klíč je používán jinou položkou registrovanou jiným pluginem nebo šablonou.','REST API'=>'REST API','Permissions'=>'Oprávnění','URLs'=>'URL adresy','Visibility'=>'Viditelnost','Labels'=>'Štítky','Field Settings Tabs'=>'Karty nastavení pole','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Hodnota zkráceného kódu ACF vypnuta pro náhled]','Close Modal'=>'Zavřít modální okno','Field moved to other group'=>'Pole přesunuto do jiné skupiny','Close modal'=>'Zavřít modální okno','Start a new group of tabs at this tab.'=>'Začněte novou skupinu karet na této kartě.','New Tab Group'=>'Nová skupina karet','Use a stylized checkbox using select2'=>'Použití stylizovaného zaškrtávacího políčka pomocí select2','Save Other Choice'=>'Uložit jinou volbu','Allow Other Choice'=>'Povolit jinou volbu','Add Toggle All'=>'Přidat Přepnout vše','Save Custom Values'=>'Uložit uživatelské hodnoty','Allow Custom Values'=>'Povolit uživatelské hodnoty','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Uživatelské hodnoty zaškrtávacího políčka nemohou být prázdné. Zrušte zaškrtnutí všech prázdných hodnot.','Updates'=>'Aktualizace','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Uložit změny','Field Group Title'=>'Název skupiny polí','Add title'=>'Zadejte název','New to ACF? Take a look at our getting started guide.'=>'Jste v ACF nováčkem? Podívejte se na našeho průvodce pro začátečníky.','Add Field Group'=>'Přidat skupinu polí','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF používá skupiny polí pro seskupení uživatelských polí a následné připojení těchto polí k obrazovkám úprav.','Add Your First Field Group'=>'Přidejte první skupinu polí','Options Pages'=>'Stránky konfigurace','ACF Blocks'=>'Bloky ACF','Gallery Field'=>'Pole Galerie','Flexible Content Field'=>'Pole Flexibilní obsah','Repeater Field'=>'Pole Opakovač','Unlock Extra Features with ACF PRO'=>'Odemkněte další funkce s ACF PRO','Delete Field Group'=>'Smazat skupinu polí','Created on %1$s at %2$s'=>'Vytvořeno %1$s v %2$s','Group Settings'=>'Nastavení skupiny','Location Rules'=>'Pravidla umístění','Choose from over 30 field types. Learn more.'=>'Zvolte si z více než 30 typů polí. Zjistit více.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Začněte vytvářet nová vlastní pole pro příspěvky, stránky, vlastní typy obsahu a další obsah WordPressu.','Add Your First Field'=>'Přidejte první pole','#'=>'#','Add Field'=>'Přidat pole','Presentation'=>'Prezentace','Validation'=>'Validace','General'=>'Obecné','Import JSON'=>'Importovat JSON','Export As JSON'=>'Exportovat jako JSON','Field group deactivated.'=>'Skupina polí deaktivována.' . "\0" . '%s skupiny polí deaktivovány.' . "\0" . '%s skupin polí deaktivováno.','Field group activated.'=>'Skupina polí aktivována.' . "\0" . '%s skupiny polí aktivovány.' . "\0" . '%s skupin polí aktivováno.','Deactivate'=>'Deaktivovat','Deactivate this item'=>'Deaktivovat tuto položku','Activate'=>'Aktivovat','Activate this item'=>'Aktivovat tuto položku','Move field group to trash?'=>'Přesunout skupinu polí do koše?','post statusInactive'=>'Neaktivní','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Pluginy Advanced Custom Fields a Advanced Custom Fields PRO by neměly být aktivní současně. Plugin Advanced Custom Fields PRO jsme automaticky deaktivovali.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Pluginy Advanced Custom Fields a Advanced Custom Fields PRO by neměly být aktivní současně. Plugin Advanced Custom Fields jsme automaticky deaktivovali.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Zjistili jsme jedno nebo více volání k načtení hodnot polí ACF před inicializací ACF. Toto není podporováno a může mít za následek chybná nebo chybějící data. Přečtěte si, jak to opravit.','%1$s must have a user with the %2$s role.'=>'%1$s musí mít uživatele s rolí %2$s.' . "\0" . '%1$s musí mít uživatele s jednou z následujících rolí: %2$s' . "\0" . '%1$s musí mít uživatele s jednou z následujících rolí: %2$s','%1$s must have a valid user ID.'=>'%1$s musí mít platné ID uživatele.','Invalid request.'=>'Neplatný požadavek.','%1$s is not one of %2$s'=>'%1$s není jedním z %2$s','%1$s must have term %2$s.'=>'%1$s musí mít pojem %2$s.' . "\0" . '%1$s musí mít jeden z následujících pojmů: %2$s' . "\0" . '%1$s musí mít jeden z následujících pojmů: %2$s','%1$s must be of post type %2$s.'=>'%1$s musí být typu %2$s.' . "\0" . '%1$s musí být jeden z následujících typů obsahu: %2$s' . "\0" . '%1$s musí být jeden z následujících typů obsahu: %2$s','%1$s must have a valid post ID.'=>'%1$s musí mít platné ID příspěvku.','%s requires a valid attachment ID.'=>'%s vyžaduje platné ID přílohy.','Show in REST API'=>'Zobrazit v REST API','Enable Transparency'=>'Povolit průhlednost','RGBA Array'=>'Pole RGBA','RGBA String'=>'Řetězec RGBA','Hex String'=>'Řetězec Hex','Upgrade to PRO'=>'Zakoupit PRO verzi','post statusActive'=>'Aktivní','\'%s\' is not a valid email address'=>'\'%s\' není platná e-mailová adresa','Color value'=>'Hodnota barvy','Select default color'=>'Vyberte výchozí barvu','Clear color'=>'Zrušit barvu','Blocks'=>'Bloky','Options'=>'Konfigurace','Users'=>'Uživatelé','Menu items'=>'Položky menu','Widgets'=>'Widgety','Attachments'=>'Přílohy','Taxonomies'=>'Taxonomie','Posts'=>'Příspěvky','Last updated: %s'=>'Poslední aktualizace: %s','Sorry, this post is unavailable for diff comparison.'=>'Omlouváme se, ale tento příspěvek není k dispozici pro porovnání.','Invalid field group parameter(s).'=>'Jeden nebo více neplatných parametrů skupiny polí.','Awaiting save'=>'Čeká na uložení','Saved'=>'Uloženo','Import'=>'Import','Review changes'=>'Zkontrolovat změny','Located in: %s'=>'Umístěn v: %s','Located in plugin: %s'=>'Nachází se v pluginu: %s','Located in theme: %s'=>'Nachází se v šabloně: %s','Various'=>'Různé','Sync changes'=>'Synchronizovat změny','Loading diff'=>'Načítání diff','Review local JSON changes'=>'Přehled místních změn JSON','Visit website'=>'Navštívit stránky','View details'=>'Zobrazit podrobnosti','Version %s'=>'Verze %s','Information'=>'Informace','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Nápověda. Odborníci na podporu na našem help desku pomohou s hlubšími technickými problémy.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskuze. Na našich komunitních fórech máme aktivní a přátelskou komunitu, která může pomoci zjistit „jak na to“ ve světě ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentace. Naše rozsáhlá dokumentace obsahuje odkazy a návody pro většinu situací, se kterými se můžete setkat.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Jsme fanatici podpory a chceme, abyste ze svých webových stránek s ACF dostali to nejlepší. Pokud se setkáte s jakýmikoli potížemi, můžete najít pomoc na několika místech:','Help & Support'=>'Nápověda a podpora','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Pokud budete potřebovat pomoc, přejděte na záložku Nápověda a podpora.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Před vytvořením první skupiny polí doporučujeme přečíst našeho průvodce Začínáme, abyste se seznámili s filozofií pluginu a osvědčenými postupy.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Plugin Advanced Custom Fields poskytuje vizuální nástroj pro tvorbu formulářů, který umožňuje přizpůsobit editační obrazovky WordPressu pomocí dalších polí. Plugin nabízí intuitivní rozhraní API pro zobrazení hodnot vlastních polí v libovolném souboru šablony.','Overview'=>'Přehled','Location type "%s" is already registered.'=>'Typ umístění „%s“ je již zaregistrován.','Class "%s" does not exist.'=>'Třída "%s" neexistuje.','Invalid nonce.'=>'Neplatná hodnota.','Error loading field.'=>'Při načítání pole došlo k chybě.','Error: %s'=>'Chyba: %s','Widget'=>'Widget','User Role'=>'Uživatelská úroveň','Comment'=>'Komentář','Post Format'=>'Formát příspěvku','Menu Item'=>'Položka nabídky','Post Status'=>'Stav příspěvku','Menus'=>'Nabídky','Menu Locations'=>'Umístění nabídky','Menu'=>'Nabídka','Post Taxonomy'=>'Taxonomie příspěvku','Child Page (has parent)'=>'Podřazená stránka (má rodiče)','Parent Page (has children)'=>'Rodičovská stránka (má potomky)','Top Level Page (no parent)'=>'Stránka nejvyšší úrovně (žádný nadřazený)','Posts Page'=>'Stránka příspěvku','Front Page'=>'Hlavní stránka','Page Type'=>'Typ stránky','Viewing back end'=>'Prohlížíte backend','Viewing front end'=>'Prohlížíte frontend','Logged in'=>'Přihlášen','Current User'=>'Aktuální uživatel','Page Template'=>'Šablona stránky','Register'=>'Registrovat','Add / Edit'=>'Přidat / Editovat','User Form'=>'Uživatelský formulář','Page Parent'=>'Rodičovská stránka','Super Admin'=>'Super Admin','Current User Role'=>'Aktuální uživatelská role','Default Template'=>'Výchozí šablona','Post Template'=>'Šablona příspěvku','Post Category'=>'Rubrika příspěvku','All %s formats'=>'Všechny formáty %s','Attachment'=>'Příloha','%s value is required'=>'%s hodnota je vyžadována','Show this field if'=>'Zobrazit toto pole, pokud','Conditional Logic'=>'Podmíněná logika','and'=>'a','Local JSON'=>'Lokální JSON','Clone Field'=>'Pole Klonování','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Zkontrolujte také, zda jsou všechna prémiová rozšíření (%s) aktualizována na nejnovější verzi.','This version contains improvements to your database and requires an upgrade.'=>'Tato verze obsahuje vylepšení databáze a vyžaduje upgrade.','Thank you for updating to %1$s v%2$s!'=>'Děkujeme za aktualizaci na %1$s v%2$s!','Database Upgrade Required'=>'Vyžadován upgrade databáze','Options Page'=>'Stránka konfigurace','Gallery'=>'Galerie','Flexible Content'=>'Flexibilní obsah','Repeater'=>'Opakovač','Back to all tools'=>'Zpět na všechny nástroje','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)'=>'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)','Select items to hide them from the edit screen.'=>'Zvolte položky, které budou na obrazovce úprav skryté.','Hide on screen'=>'Skrýt na obrazovce','Send Trackbacks'=>'Odesílat zpětné linkování odkazů','Tags'=>'Štítky','Categories'=>'Kategorie','Page Attributes'=>'Atributy stránky','Format'=>'Formát','Author'=>'Autor','Slug'=>'Adresa','Revisions'=>'Revize','Comments'=>'Komentáře','Discussion'=>'Diskuze','Excerpt'=>'Stručný výpis','Content Editor'=>'Editor obsahu','Permalink'=>'Trvalý odkaz','Shown in field group list'=>'Zobrazit v seznamu skupin polí','Field groups with a lower order will appear first'=>'Skupiny polí s nižším pořadím se zobrazí první','Order No.'=>'Pořadové č.','Below fields'=>'Pod poli','Below labels'=>'Pod štítky','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Na straně','Normal (after content)'=>'Normální (po obsahu)','High (after title)'=>'Vysoko (po nadpisu)','Position'=>'Pozice','Seamless (no metabox)'=>'Bezokrajové (bez metaboxu)','Standard (WP metabox)'=>'Standardní (WP metabox)','Style'=>'Styl','Type'=>'Typ','Key'=>'Klíč','Order'=>'Pořadí','Close Field'=>'Zavřít pole','id'=>'ID','class'=>'třída','width'=>'šířka','Wrapper Attributes'=>'Atributy obalového pole','Required'=>'Požadováno?','Instructions'=>'Instrukce','Field Type'=>'Typ pole','Single word, no spaces. Underscores and dashes allowed'=>'Jedno slovo, bez mezer. Podtržítka a pomlčky jsou povoleny','Field Name'=>'Jméno pole','This is the name which will appear on the EDIT page'=>'Toto je jméno, které se zobrazí na stránce úprav','Field Label'=>'Štítek pole','Delete'=>'Smazat','Delete field'=>'Smazat pole','Move'=>'Přesunout','Move field to another group'=>'Přesunout pole do jiné skupiny','Duplicate field'=>'Duplikovat pole','Edit field'=>'Upravit pole','Drag to reorder'=>'Přetažením změníte pořadí','Show this field group if'=>'Zobrazit tuto skupinu polí, pokud','No updates available.'=>'K dispozici nejsou žádné aktualizace.','Database upgrade complete. See what\'s new'=>'Upgrade databáze byl dokončen. Podívejte se, co je nového','Reading upgrade tasks...'=>'Čtení úkolů aktualizace...','Upgrade failed.'=>'Upgrade se nezdařil.','Upgrade complete.'=>'Aktualizace dokončena.','Upgrading data to version %s'=>'Aktualizace dat na verzi %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Důrazně doporučujeme zálohovat databázi před pokračováním. Opravdu chcete aktualizaci spustit?','Please select at least one site to upgrade.'=>'Vyberte alespoň jednu stránku, kterou chcete upgradovat.','Database Upgrade complete. Return to network dashboard'=>'Aktualizace databáze je dokončena. Návrat na nástěnku sítě','Site is up to date'=>'Stránky jsou aktuální','Site requires database upgrade from %1$s to %2$s'=>'Web vyžaduje aktualizaci databáze z %1$s na %2$s','Site'=>'Stránky','Upgrade Sites'=>'Upgradovat stránky','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Následující stránky vyžadují upgrade DB. Zaškrtněte ty, které chcete aktualizovat, a poté klikněte na %s.','Add rule group'=>'Přidat skupinu pravidel','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Vytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita tato vlastní pole','Rules'=>'Pravidla','Copied'=>'Zkopírováno','Copy to clipboard'=>'Zkopírovat od schránky','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Vybrat skupiny polí','No field groups selected'=>'Nebyly vybrány žádné skupiny polí','Generate PHP'=>'Vytvořit PHP','Export Field Groups'=>'Exportovat skupiny polí','Import file empty'=>'Importovaný soubor je prázdný','Incorrect file type'=>'Nesprávný typ souboru','Error uploading file. Please try again'=>'Chyba při nahrávání souboru. Prosím zkuste to znovu','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Vyberte Advanced Custom Fields JSON soubor, který chcete importovat. Po klepnutí na tlačítko importu níže bude ACF importovat skupiny polí.','Import Field Groups'=>'Importovat skupiny polí','Sync'=>'Synchronizace','Select %s'=>'Zvolit %s','Duplicate'=>'Duplikovat','Duplicate this item'=>'Duplikovat tuto položku','Supports'=>'Podporuje','Documentation'=>'Dokumentace','Description'=>'Popis','Sync available'=>'Synchronizace je k dispozici','Field group synchronized.'=>'Skupina polí synchronizována.' . "\0" . '%s skupiny polí synchronizovány.' . "\0" . '%s skupin polí synchronizováno.','Field group duplicated.'=>'Skupina polí duplikována.' . "\0" . '%s skupiny polí duplikovány.' . "\0" . '%s skupin polí duplikováno.','Active (%s)'=>'Aktivní (%s)' . "\0" . 'Aktivní (%s)' . "\0" . 'Aktivních (%s)','Review sites & upgrade'=>'Zkontrolujte stránky a aktualizujte','Upgrade Database'=>'Aktualizovat databázi','Custom Fields'=>'Vlastní pole','Move Field'=>'Přesunout pole','Please select the destination for this field'=>'Prosím zvolte umístění pro toto pole','The %1$s field can now be found in the %2$s field group'=>'Pole %1$s lze nyní nalézt ve skupině polí %2$s.','Move Complete.'=>'Přesun hotov.','Active'=>'Aktivní','Field Keys'=>'Klíče polí','Settings'=>'Nastavení','Location'=>'Umístění','Null'=>'Nula','copy'=>'kopírovat','(this field)'=>'(toto pole)','Checked'=>'Zaškrtnuto','Move Custom Field'=>'Přesunout vlastní pole','No toggle fields available'=>'Žádné zapínatelné pole není k dispozici','Field group title is required'=>'Vyžadován nadpis pro skupinu polí','This field cannot be moved until its changes have been saved'=>'Toto pole nelze přesunout, dokud nebudou uloženy jeho změny','The string "field_" may not be used at the start of a field name'=>'Řetězec "pole_" nesmí být použit na začátku názvu pole','Field group draft updated.'=>'Koncept skupiny polí aktualizován.','Field group scheduled for.'=>'Skupina polí byla naplánována.','Field group submitted.'=>'Skupina polí odeslána.','Field group saved.'=>'Skupina polí uložena.','Field group published.'=>'Skupina polí publikována.','Field group deleted.'=>'Skupina polí smazána.','Field group updated.'=>'Skupina polí aktualizována.','Tools'=>'Nástroje','is not equal to'=>'není rovno','is equal to'=>'je rovno','Forms'=>'Formuláře','Page'=>'Stránka','Post'=>'Příspěvek','Relational'=>'Relační','Choice'=>'Volba','Basic'=>'Základní','Unknown'=>'Neznámý','Field type does not exist'=>'Typ pole neexistuje','Spam Detected'=>'Zjištěn spam','Post updated'=>'Příspěvek aktualizován','Update'=>'Aktualizace','Validate Email'=>'Ověřit e-mail','Content'=>'Obsah','Title'=>'Název','Edit field group'=>'Editovat skupinu polí','Selection is less than'=>'Výběr je menší než','Selection is greater than'=>'Výběr je větší než','Value is less than'=>'Hodnota je menší než','Value is greater than'=>'Hodnota je větší než','Value contains'=>'Hodnota obsahuje','Value matches pattern'=>'Hodnota odpovídá masce','Value is not equal to'=>'Hodnota není rovna','Value is equal to'=>'Hodnota je rovna','Has no value'=>'Nemá hodnotu','Has any value'=>'Má libovolnou hodnotu','Cancel'=>'Zrušit','Are you sure?'=>'Jste si jistí?','%d fields require attention'=>'Několik polí vyžaduje pozornost (%d)','1 field requires attention'=>'1 pole vyžaduje pozornost','Validation failed'=>'Ověření selhalo','Validation successful'=>'Ověření úspěšné','Restricted'=>'Omezeno','Collapse Details'=>'Sbalit podrobnosti','Expand Details'=>'Rozbalit podrobnosti','Uploaded to this post'=>'Nahrán k tomuto příspěvku','verbUpdate'=>'Aktualizace','verbEdit'=>'Upravit','The changes you made will be lost if you navigate away from this page'=>'Pokud opustíte tuto stránku, změny, které jste provedli, budou ztraceny','File type must be %s.'=>'Typ souboru musí být %s.','or'=>'nebo','File size must not exceed %s.'=>'Velikost souboru nesmí překročit %s.','File size must be at least %s.'=>'Velikost souboru musí být alespoň %s.','Image height must not exceed %dpx.'=>'Výška obrázku nesmí přesáhnout %dpx.','Image height must be at least %dpx.'=>'Výška obrázku musí být alespoň %dpx.','Image width must not exceed %dpx.'=>'Šířka obrázku nesmí přesáhnout %dpx.','Image width must be at least %dpx.'=>'Šířka obrázku musí být alespoň %dpx.','(no title)'=>'(bez názvu)','Full Size'=>'Plná velikost','Large'=>'Velký','Medium'=>'Střední','Thumbnail'=>'Miniatura','(no label)'=>'(bez štítku)','Sets the textarea height'=>'Nastavuje výšku textového pole','Rows'=>'Řádky','Text Area'=>'Textové pole','Prepend an extra checkbox to toggle all choices'=>'Přidat zaškrtávátko navíc pro přepnutí všech možností','Save \'custom\' values to the field\'s choices'=>'Uložit \'vlastní\' hodnoty do voleb polí','Allow \'custom\' values to be added'=>'Povolit přidání \'vlastních\' hodnot','Add new choice'=>'Přidat novou volbu','Toggle All'=>'Přepnout vše','Allow Archives URLs'=>'Umožnit URL adresy archivu','Archives'=>'Archivy','Page Link'=>'Odkaz stránky','Add'=>'Přidat','Name'=>'Jméno','%s added'=>'%s přidán','%s already exists'=>'%s již existuje','User unable to add new %s'=>'Uživatel není schopen přidat nové %s','Term ID'=>'ID pojmu','Term Object'=>'Objekt pojmu','Load value from posts terms'=>'Nahrát pojmy z příspěvků','Load Terms'=>'Nahrát pojmy','Connect selected terms to the post'=>'Připojte vybrané pojmy k příspěvku','Save Terms'=>'Uložit pojmy','Allow new terms to be created whilst editing'=>'Povolit vytvoření nových pojmů během editace','Create Terms'=>'Vytvořit pojmy','Radio Buttons'=>'Radio přepínače','Single Value'=>'Jednotlivá hodnota','Multi Select'=>'Vícenásobný výběr','Checkbox'=>'Zaškrtávátko','Multiple Values'=>'Více hodnot','Select the appearance of this field'=>'Vyberte vzhled tohoto pole','Appearance'=>'Vzhled','Select the taxonomy to be displayed'=>'Zvolit zobrazovanou taxonomii','No TermsNo %s'=>'Nic pro %s','Value must be equal to or lower than %d'=>'Hodnota musí být rovna nebo menší než %d','Value must be equal to or higher than %d'=>'Hodnota musí být rovna nebo větší než %d','Value must be a number'=>'Hodnota musí být číslo','Number'=>'Číslo','Save \'other\' values to the field\'s choices'=>'Uložit \'jiné\' hodnoty do voleb polí','Add \'other\' choice to allow for custom values'=>'Přidat volbu \'jiné\', která umožňuje vlastní hodnoty','Other'=>'Jiné','Radio Button'=>'Přepínač','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definujte koncový bod pro předchozí akordeon. Tento akordeon nebude viditelný.','Allow this accordion to open without closing others.'=>'Povolit otevření tohoto akordeonu bez zavření ostatních.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Zobrazit tento akordeon jako otevřený při načtení stránky.','Open'=>'Otevřít','Accordion'=>'Akordeon','Restrict which files can be uploaded'=>'Omezte, které typy souborů lze nahrát','File ID'=>'ID souboru','File URL'=>'Adresa souboru','File Array'=>'Pole souboru','Add File'=>'Přidat soubor','No file selected'=>'Dokument nevybrán','File name'=>'Jméno souboru','Update File'=>'Aktualizovat soubor','Edit File'=>'Upravit soubor','Select File'=>'Vybrat soubor','File'=>'Soubor','Password'=>'Heslo','Specify the value returned'=>'Zadat konkrétní návratovou hodnotu','Use AJAX to lazy load choices?'=>'K načtení volby použít AJAX lazy load?','Enter each default value on a new line'=>'Zadejte každou výchozí hodnotu na nový řádek','verbSelect'=>'Vybrat','Select2 JS load_failLoading failed'=>'Načítání selhalo','Select2 JS searchingSearching…'=>'Vyhledávání…','Select2 JS load_moreLoading more results…'=>'Načítání dalších výsledků…','Select2 JS selection_too_long_nYou can only select %d items'=>'Můžete vybrat pouze %d položek','Select2 JS selection_too_long_1You can only select 1 item'=>'Můžete vybrat pouze 1 položku','Select2 JS input_too_long_nPlease delete %d characters'=>'Prosím odstraňte %d znaků','Select2 JS input_too_long_1Please delete 1 character'=>'Prosím odstraňte 1 znak','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Prosím zadejte %d nebo více znaků','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Prosím zadejte 1 nebo více znaků','Select2 JS matches_0No matches found'=>'Nebyly nalezeny žádné výsledky','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d výsledků je k dispozici, použijte šipky nahoru a dolů pro navigaci.','Select2 JS matches_1One result is available, press enter to select it.'=>'Jeden výsledek je k dispozici, stiskněte klávesu enter pro jeho vybrání.','nounSelect'=>'Vybrat','User ID'=>'ID uživatele','User Object'=>'Objekt uživatele','User Array'=>'Pole uživatelů','All user roles'=>'Všechny uživatelské role','Filter by Role'=>'','User'=>'Uživatel','Separator'=>'Oddělovač','Select Color'=>'Výběr barvy','Default'=>'Výchozí nastavení','Clear'=>'Vymazat','Color Picker'=>'Výběr barvy','Date Time Picker JS pmTextShortP'=>'do','Date Time Picker JS pmTextPM'=>'odp','Date Time Picker JS amTextShortA'=>'od','Date Time Picker JS amTextAM'=>'dop','Date Time Picker JS selectTextSelect'=>'Vybrat','Date Time Picker JS closeTextDone'=>'Hotovo','Date Time Picker JS currentTextNow'=>'Nyní','Date Time Picker JS timezoneTextTime Zone'=>'Časové pásmo','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunda','Date Time Picker JS millisecTextMillisecond'=>'Milisekunda','Date Time Picker JS secondTextSecond'=>'Vteřina','Date Time Picker JS minuteTextMinute'=>'Minuta','Date Time Picker JS hourTextHour'=>'Hodina','Date Time Picker JS timeTextTime'=>'Čas','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zvolit čas','Date Time Picker'=>'Výběr data a času','Endpoint'=>'Koncový bod','Left aligned'=>'Zarovnat zleva','Top aligned'=>'Zarovnat shora','Placement'=>'Umístění','Tab'=>'Záložka','Value must be a valid URL'=>'Hodnota musí být validní adresa URL','Link URL'=>'URL adresa odkazu','Link Array'=>'Pole odkazů','Opens in a new window/tab'=>'Otevřít v novém okně/záložce','Select Link'=>'Vybrat odkaz','Link'=>'Odkaz','Email'=>'E-mail','Step Size'=>'Velikost kroku','Maximum Value'=>'Maximální hodnota','Minimum Value'=>'Minimální hodnota','Range'=>'Rozmezí','Both (Array)'=>'Obě (pole)','Label'=>'Štítek','Value'=>'Hodnota','Vertical'=>'Vertikální','Horizontal'=>'Horizontální','red : Red'=>'cervena : Červená','For more control, you may specify both a value and label like this:'=>'Pro větší kontrolu můžete zadat jak hodnotu, tak štítek:','Enter each choice on a new line.'=>'Zadejte každou volbu na nový řádek.','Choices'=>'Možnosti','Button Group'=>'Skupina tlačítek','Allow Null'=>'','Parent'=>'Rodič','TinyMCE will not be initialized until field is clicked'=>'TinyMCE se inicializuje až po kliknutí na pole','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Lišta nástrojů','Text Only'=>'Pouze text','Visual Only'=>'Pouze grafika','Visual & Text'=>'Grafika a text','Tabs'=>'Záložky','Click to initialize TinyMCE'=>'Klikněte pro inicializaci TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Grafika','Value must not exceed %d characters'=>'Hodnota nesmí překročit %d znaků','Leave blank for no limit'=>'Nechte prázdné pro nastavení bez omezení','Character Limit'=>'Limit znaků','Appears after the input'=>'Zobrazí se za inputem','Append'=>'Zobrazit po','Appears before the input'=>'Zobrazí se před inputem','Prepend'=>'Zobrazit před','Appears within the input'=>'Zobrazí se v inputu','Placeholder Text'=>'Zástupný text','Appears when creating a new post'=>'Objeví se při vytváření nového příspěvku','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s vyžaduje alespoň %2$s volbu' . "\0" . '%1$s vyžaduje alespoň %2$s volby' . "\0" . '%1$s vyžaduje alespoň %2$s voleb','Post ID'=>'ID příspěvku','Post Object'=>'Objekt příspěvku','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Uživatelský obrázek','Selected elements will be displayed in each result'=>'Vybrané prvky se zobrazí v každém výsledku','Elements'=>'Prvky','Taxonomy'=>'Taxonomie','Post Type'=>'Typ příspěvku','Filters'=>'Filtry','All taxonomies'=>'Všechny taxonomie','Filter by Taxonomy'=>'Filtrovat dle taxonomie','All post types'=>'Všechny typy příspěvků','Filter by Post Type'=>'Filtrovat dle typu příspěvku','Search...'=>'Hledat...','Select taxonomy'=>'Zvolit taxonomii','Select post type'=>'Zvolit typ příspěvku','No matches found'=>'Nebyly nalezeny žádné výsledky','Loading'=>'Načítání','Maximum values reached ( {max} values )'=>'Dosaženo maximálního množství hodnot ( {max} hodnot )','Relationship'=>'Vztah','Comma separated list. Leave blank for all types'=>'Seznam oddělený čárkami. Nechte prázdné pro povolení všech typů','Allowed File Types'=>'','Maximum'=>'Maximum','File size'=>'Velikost souboru','Restrict which images can be uploaded'=>'Omezte, které typy obrázků je možné nahrát','Minimum'=>'Minimum','Uploaded to post'=>'Nahráno k příspěvku','All'=>'Vše','Limit the media library choice'=>'Omezit výběr knihovny médií','Library'=>'Knihovna','Preview Size'=>'Velikost náhledu','Image ID'=>'ID obrázku','Image URL'=>'Adresa obrázku','Image Array'=>'Pole obrázku','Specify the returned value on front end'=>'Zadat konkrétní návratovou hodnotu na frontendu','Return Value'=>'Vrátit hodnotu','Add Image'=>'Přidat obrázek','No image selected'=>'Není vybrán žádný obrázek','Remove'=>'Odstranit','Edit'=>'Upravit','All images'=>'Všechny obrázky','Update Image'=>'Aktualizovat obrázek','Edit Image'=>'Upravit obrázek','Select Image'=>'Vybrat obrázek','Image'=>'Obrázek','Allow HTML markup to display as visible text instead of rendering'=>'Nevykreslovat efekt, ale zobrazit značky HTML jako prostý text','Escape HTML'=>'Escapovat HTML','No Formatting'=>'Žádné formátování','Automatically add <br>'=>'Automaticky přidávat <br>','Automatically add paragraphs'=>'Automaticky přidávat odstavce','Controls how new lines are rendered'=>'Řídí, jak se vykreslují nové řádky','New Lines'=>'Nové řádky','Week Starts On'=>'Týden začíná','The format used when saving a value'=>'Formát použitý při ukládání hodnoty','Save Format'=>'Uložit formát','Date Picker JS weekHeaderWk'=>'Týden','Date Picker JS prevTextPrev'=>'Předchozí','Date Picker JS nextTextNext'=>'Následující','Date Picker JS currentTextToday'=>'Dnes','Date Picker JS closeTextDone'=>'Hotovo','Date Picker'=>'Výběr data','Width'=>'Šířka','Embed Size'=>'Velikost pro Embed','Enter URL'=>'Vložte URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text zobrazený při neaktivním poli','Off Text'=>'Text (neaktivní)','Text shown when active'=>'Text zobrazený při aktivním poli','On Text'=>'Text (aktivní)','Stylized UI'=>'Stylizované uživatelské rozhraní','Default Value'=>'Výchozí hodnota','Displays text alongside the checkbox'=>'Zobrazí text vedle zaškrtávacího políčka','Message'=>'Zpráva','No'=>'Ne','Yes'=>'Ano','True / False'=>'Pravda / Nepravda','Row'=>'Řádek','Table'=>'Tabulka','Block'=>'Blok','Specify the style used to render the selected fields'=>'Určení stylu použitého pro vykreslení vybraných polí','Layout'=>'Typ zobrazení','Sub Fields'=>'Podřazená pole','Group'=>'Skupina','Customize the map height'=>'Přizpůsobení výšky mapy','Height'=>'Výška','Set the initial zoom level'=>'Nastavit počáteční úroveň přiblížení','Zoom'=>'Přiblížení','Center the initial map'=>'Vycentrovat počáteční zobrazení mapy','Center'=>'Vycentrovat','Search for address...'=>'Vyhledat adresu...','Find current location'=>'Najít aktuální umístění','Clear location'=>'Vymazat polohu','Search'=>'Hledat','Sorry, this browser does not support geolocation'=>'Je nám líto, ale tento prohlížeč nepodporuje geolokaci','Google Map'=>'Mapa Google','The format returned via template functions'=>'Formát vrácen pomocí funkcí šablony','Return Format'=>'Formát návratové hodnoty','Custom:'=>'Vlastní:','The format displayed when editing a post'=>'Formát zobrazený při úpravě příspěvku','Display Format'=>'Formát zobrazení','Time Picker'=>'Výběr času','Inactive (%s)'=>'Neaktivní (%s)' . "\0" . 'Neaktivní (%s)' . "\0" . 'Neaktivní (%s)','No Fields found in Trash'=>'V koši nenalezeno žádné pole','No Fields found'=>'Nenalezeno žádné pole','Search Fields'=>'Vyhledat pole','View Field'=>'Zobrazit pole','New Field'=>'Nové pole','Edit Field'=>'Upravit pole','Add New Field'=>'Přidat nové pole','Field'=>'Pole','Fields'=>'Pole','No Field Groups found in Trash'=>'V koši nebyly nalezeny žádné skupiny polí','No Field Groups found'=>'Nebyly nalezeny žádné skupiny polí','Search Field Groups'=>'Hledat skupiny polí','View Field Group'=>'Prohlížet skupinu polí','New Field Group'=>'Nová skupina polí','Edit Field Group'=>'Upravit skupinu polí','Add New Field Group'=>'Přidat novou skupinu polí','Add New'=>'Přidat nové','Field Group'=>'Skupina polí','Field Groups'=>'Skupiny polí','Customize WordPress with powerful, professional and intuitive fields.'=>'Přizpůsobte si WordPress pomocí efektivních, profesionálních a intuitivních polí.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s hodnota je vyžadována','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Nastavení','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Nastavení aktualizováno','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Chcete-li povolit aktualizace, zadejte prosím licenční klíč na stránce Aktualizace. Pokud nemáte licenční klíč, přečtěte si podrobnosti a ceny.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Check Again'=>'Zkontrolujte znovu','ACF Activation Error. Could not connect to activation server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Publish'=>'Publikovat','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nebyly nalezeny žádné vlastní skupiny polí. Vytvořit vlastní skupinu polí','Error. Could not connect to update server'=>'Chyba. Nelze se připojit k serveru a aktualizovat','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Vyberte jedno nebo více polí, které chcete klonovat','Display'=>'Zobrazovat','Specify the style used to render the clone field'=>'Určení stylu použitého pro vykreslení klonovaných polí','Group (displays selected fields in a group within this field)'=>'Skupina (zobrazuje vybrané pole ve skupině v tomto poli)','Seamless (replaces this field with selected fields)'=>'Bezešvé (nahradí toto pole vybranými poli)','Labels will be displayed as %s'=>'Štítky budou zobrazeny jako %s','Prefix Field Labels'=>'Prefix štítku pole','Values will be saved as %s'=>'Hodnoty budou uloženy jako %s','Prefix Field Names'=>'Prefix jména pole','Unknown field'=>'Neznámé pole','Unknown field group'=>'Skupina neznámých polí','All fields from %s field group'=>'Všechna pole z skupiny polí %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Přidat řádek','layout'=>'typ zobrazení' . "\0" . 'typ zobrazení' . "\0" . 'typ zobrazení','layouts'=>'typy zobrazení','This field requires at least {min} {label} {identifier}'=>'Toto pole vyžaduje alespoň {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Toto pole má limit {max}{label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostupný (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} povinný (min {min})','Flexible Content requires at least 1 layout'=>'Flexibilní obsah vyžaduje minimálně jedno rozložení obsahu','Click the "%s" button below to start creating your layout'=>'Klikněte na tlačítko "%s" níže pro vytvoření vlastního typu zobrazení','Add layout'=>'Přidat typ zobrazení','Duplicate layout'=>'Duplikovat typ zobrazení','Remove layout'=>'Odstranit typ zobrazení','Click to toggle'=>'Klikněte pro přepnutí','Delete Layout'=>'Smazat typ zobrazení','Duplicate Layout'=>'Duplikovat typ zobrazení','Add New Layout'=>'Přidat nový typ zobrazení','Add Layout'=>'Přidat typ zobrazení','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimální rozložení','Maximum Layouts'=>'Maximální rozložení','Button Label'=>'Nápis tlačítka','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Přidat obrázek do galerie','Maximum selection reached'=>'Maximální výběr dosažen','Length'=>'Délka','Caption'=>'Popisek','Alt Text'=>'Alternativní text','Add to gallery'=>'Přidat do galerie','Bulk actions'=>'Hromadné akce','Sort by date uploaded'=>'Řadit dle data nahrání','Sort by date modified'=>'Řadit dle data změny','Sort by title'=>'Řadit dle názvu','Reverse current order'=>'Převrátit aktuální pořadí','Close'=>'Zavřít','Minimum Selection'=>'Minimální výběr','Maximum Selection'=>'Maximální výběr','Allowed file types'=>'Povolené typy souborů','Insert'=>'Vložit','Specify where new attachments are added'=>'Určete, kde budou přidány nové přílohy','Append to the end'=>'Přidat na konec','Prepend to the beginning'=>'Přidat na začátek','Minimum rows not reached ({min} rows)'=>'Minimální počet řádků dosažen ({min} řádků)','Maximum rows reached ({max} rows)'=>'Maximální počet řádků dosažen ({max} řádků)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Stránka příspěvku','Set the number of rows to be displayed on a page.'=>'Zvolit zobrazovanou taxonomii','Minimum Rows'=>'Minimum řádků','Maximum Rows'=>'Maximum řádků','Collapsed'=>'Sbaleno','Select a sub field to show when row is collapsed'=>'Zvolte dílčí pole, které se zobrazí při sbalení řádku','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Přetažením změníte pořadí','Add row'=>'Přidat řádek','Duplicate row'=>'Duplikovat','Remove row'=>'Odebrat řádek','Current Page'=>'Rodičovská stránka','First Page'=>'Hlavní stránka','Previous Page'=>'Stránka příspěvku','paging%1$s of %2$s'=>'','Next Page'=>'Rodičovská stránka','Last Page'=>'Stránka příspěvku','No block types exist'=>'Neexistuje stránka nastavení','No options pages exist'=>'Neexistuje stránka nastavení','Deactivate License'=>'Deaktivujte licenci','Activate License'=>'Aktivujte licenci','License Information'=>'Informace o licenci','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Chcete-li povolit aktualizace, zadejte prosím licenční klíč. Pokud nemáte licenční klíč, přečtěte si podrobnosti a ceny.','License Key'=>'Licenční klíč','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Aktivační kód','Update Information'=>'Aktualizovat informace','Current Version'=>'Současná verze','Latest Version'=>'Nejnovější verze','Update Available'=>'Aktualizace je dostupná','Upgrade Notice'=>'Upozornění na aktualizaci','Check For Updates'=>'','Enter your license key to unlock updates'=>'Pro odemčení aktualizací zadejte prosím výše svůj licenční klíč','Update Plugin'=>'Aktualizovat plugin','Please reactivate your license to unlock updates'=>'Pro odemčení aktualizací zadejte prosím výše svůj licenční klíč'],'language'=>'cs_CZ','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-cs_CZ.mo b/lang/acf-cs_CZ.mo
index a0512a2..f4fa4b5 100644
Binary files a/lang/acf-cs_CZ.mo and b/lang/acf-cs_CZ.mo differ
diff --git a/lang/acf-cs_CZ.po b/lang/acf-cs_CZ.po
index 44a9643..a44ffcb 100644
--- a/lang/acf-cs_CZ.po
+++ b/lang/acf-cs_CZ.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: cs_CZ\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4550,7 +4566,7 @@ msgstr ""
"Importujte typy obsahu a taxonomie registrované pomocí pluginu Custom Post "
"Type UI a spravujte je s ACF. Pusťme se do toho."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4886,7 +4902,7 @@ msgstr "Aktivovat tuto položku"
msgid "Move field group to trash?"
msgstr "Přesunout skupinu polí do koše?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4899,7 +4915,7 @@ msgstr "Neaktivní"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4908,7 +4924,7 @@ msgstr ""
"aktivní současně. Plugin Advanced Custom Fields PRO jsme automaticky "
"deaktivovali."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5359,7 +5375,7 @@ msgstr "Všechny formáty %s"
msgid "Attachment"
msgstr "Příloha"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s hodnota je vyžadována"
@@ -5847,7 +5863,7 @@ msgstr "Duplikovat tuto položku"
msgid "Supports"
msgstr "Podporuje"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentace"
@@ -6147,8 +6163,8 @@ msgstr "Několik polí vyžaduje pozornost (%d)"
msgid "1 field requires attention"
msgstr "1 pole vyžaduje pozornost"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Ověření selhalo"
@@ -7526,91 +7542,91 @@ msgid "Time Picker"
msgstr "Výběr času"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Neaktivní (%s)"
msgstr[1] "Neaktivní (%s)"
msgstr[2] "Neaktivní (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "V koši nenalezeno žádné pole"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Nenalezeno žádné pole"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Vyhledat pole"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Zobrazit pole"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nové pole"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Upravit pole"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Přidat nové pole"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Pole"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Pole"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "V koši nebyly nalezeny žádné skupiny polí"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Nebyly nalezeny žádné skupiny polí"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Hledat skupiny polí"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Prohlížet skupinu polí"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nová skupina polí"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Upravit skupinu polí"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Přidat novou skupinu polí"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Přidat nové"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Skupina polí"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-da_DK.l10n.php b/lang/acf-da_DK.l10n.php
index 006e814..82799ab 100644
--- a/lang/acf-da_DK.l10n.php
+++ b/lang/acf-da_DK.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'da_DK','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-05-22T11:47:45+00:00','x-generator'=>'gettext','messages'=>['[ACF shortcode value disabled for preview]'=>'[Værdien af ACF shortcode vises ikke i preview]','Close Modal'=>'Luk modal','Field moved to other group'=>'Felt er flyttet til en anden gruppe','Close modal'=>'Luk modal','Start a new group of tabs at this tab.'=>'Start en ny gruppe af tabs med denne tab.','New Tab Group'=>'Ny tab gruppe','Use a stylized checkbox using select2'=>'Brug en stylet checkbox med select2','Save Other Choice'=>'Gem andre valg','Allow Other Choice'=>'Tillad Andet valg','Add Toggle All'=>'Tilføj "Vælg alle"','Save Custom Values'=>'Gem brugerdefineret værdier','Allow Custom Values'=>'Tillad brugerdefinerede værdier','Updates'=>'Opdateringer','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Gem ændringer','Field Group Title'=>'Feltgruppe titel','Add title'=>'Tilføj titel','New to ACF? Take a look at our getting started guide.'=>'Ny til ACF? Tag et kig på vores kom godt i gang guide.','Error: %s'=>'FEJL: %s','Widget'=>'Widget','User Role'=>'Brugerrolle','Comment'=>'Kommentar','Post Format'=>'Indlægsformat','Menu Item'=>'Menu element','Post Status'=>'Indlægs status','Menus'=>'Menuer','Menu Locations'=>'Menu områder','Menu'=>'Menu','Post Taxonomy'=>'Indlægstaksonomi','Posts Page'=>'Indlægsside','Front Page'=>'Forside','Page Type'=>'Sidetype','Viewing back end'=>'Viser backend','Viewing front end'=>'Viser frontend','Logged in'=>'Logget ind','Current User'=>'Nuværende bruger','Page Template'=>'Sideskabelon','Register'=>'Registrer','Add / Edit'=>'Tilføj / rediger','User Form'=>'Brugerformular','Page Parent'=>'Sideforælder','Super Admin'=>'Superadministrator','Current User Role'=>'Nuværende brugerrolle','Default Template'=>'Standard skabelon','Post Template'=>'Indlægsskabelon','Post Category'=>'Indlægskategori','All %s formats'=>'Alle %s formater','Attachment'=>'Vedhæftning','%s value is required'=>'%s værdi er påkrævet','Show this field if'=>'Vis dette felt hvis','Conditional Logic'=>'Betinget logik','and'=>'og','Local JSON'=>'Lokal JSON','Clone Field'=>'Klon felt','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Tjek også at alle premium add-ons (%s) er opdateret til den seneste version.','This version contains improvements to your database and requires an upgrade.'=>'Denne version indeholder en opdatering af din database og kræver en opgradering.','Thank you for updating to %1$s v%2$s!'=>'Tak fordi du opdaterede til %1$s v%2$s!','Database Upgrade Required'=>'Databaseopgradering påkrævet','Options Page'=>'Indstillinger side','Gallery'=>'Galleri','Flexible Content'=>'Fleksibelt indhold','Repeater'=>'Gentagelser','Back to all tools'=>'Tilbage til alle værktøjer','Select items to hide them from the edit screen.'=>'Vælg elementer for at skjule dem i på redigeringssiden.','Hide on screen'=>'Skjul på skærm','Send Trackbacks'=>'Send trackbacks','Tags'=>'Tags','Categories'=>'Kategorier','Page Attributes'=>'Sideegenskaber','Format'=>'Format','Author'=>'Forfatter','Slug'=>'Korttitel','Revisions'=>'Ændringer','Comments'=>'Kommentarer','Discussion'=>'Diskussion','Excerpt'=>'Uddrag','Content Editor'=>'Indholdseditor','Permalink'=>'Permalink','Shown in field group list'=>'Vist i feltgruppe liste','Field groups with a lower order will appear first'=>'Feltgrupper med et lavere rækkefølge nr. vises først.','Order No.'=>'Rækkefølge nr.','Below fields'=>'Under felter','Below labels'=>'Under labels','Instruction Placement'=>'Instruktions placering','Label Placement'=>'Label placering','Side'=>'Side','Normal (after content)'=>'Normal (efter indhold)','High (after title)'=>'Høj (efter titel)','Position'=>'Placering','Seamless (no metabox)'=>'Integreret (ingen metaboks)','Standard (WP metabox)'=>'Standard (WP Metaboks)','Style'=>'Stil','Type'=>'Type','Key'=>'Nøgle','Order'=>'Sortering','Close Field'=>'Luk felt','id'=>'id','class'=>'class','width'=>'bredde','Required'=>'Påkrævet','Instructions for authors. Shown when submitting data'=>'Instruktioner til forfattere. Bliver vist når data indsendes','Instructions'=>'Instruktioner','Field Type'=>'Felttype','Single word, no spaces. Underscores and dashes allowed'=>'Enkelt ord, ingen mellemrum. Understregning og bindestreger er tilladt.','Field Name'=>'Feltnavn','This is the name which will appear on the EDIT page'=>'Dette er navnet der vil blive vist på REDIGER siden','Field Label'=>'Felt label','Delete'=>'Slet','Delete field'=>'Slet felt','Move'=>'Flyt','Move field to another group'=>'Flyt felt til anden gruppe','Duplicate field'=>'Duplikér felt','Edit field'=>'Rediger felt','Drag to reorder'=>'Træk for at ændre rækkefølgen','Show this field group if'=>'Vis denne feltgruppe hvis','No updates available.'=>'Ingen tilgængelige opdateringer','Database upgrade complete. See what\'s new'=>'Database opgradering udført. Se hvad der er ændret','Reading upgrade tasks...'=>'Indlæser opgraderings opgaver...','Upgrade failed.'=>'Opdatering fejlede.','Upgrade complete.'=>'Opdatering gennemført','Upgrading data to version %s'=>'Opdaterer data til version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det er yderst anbefalet at du tager en backup af din database inden du fortsætter. Er du sikker på at du vil køre opdateringen nu?','Please select at least one site to upgrade.'=>'Vælg venligst mindst et websted at opgradere.','Database Upgrade complete. Return to network dashboard'=>'Databaseopgradering udført. Tilbage til netværk kontrolpanel','Site is up to date'=>'Webstedet er opdateret','Site requires database upgrade from %1$s to %2$s'=>'Webstedet kræver en databaseopgradering %1$s til %2$s','Site'=>'Websted','Upgrade Sites'=>'Opgrader websteder','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De følgende websteder kræver en databaseopgradering. Vælg dem du ønsker at opgradere og klik på %s.','Add rule group'=>'Tilføj regelgruppe','Rules'=>'Regler','Copied'=>'Kopieret','Copy to clipboard'=>'Kopier til udklipsholder','Select Field Groups'=>'Vælg feltgrupper','No field groups selected'=>'Ingen feltgrupper valgt','Generate PHP'=>'Generér PHP','Export Field Groups'=>'Eksporter feltgrupper','Import file empty'=>'Importeret fil er tom','Incorrect file type'=>'Forkert filtype','Error uploading file. Please try again'=>'Fejl ved upload af fil. Prøv venligst igen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Vælg ACF JSON filen du gerne vil importere. Når du klikker import herunder, vil ACF importere feltgrupperne.','Import Field Groups'=>'Importer feltgrupper','Sync'=>'Synkroniser','Select %s'=>'Vælg %s','Duplicate'=>'Duplikér','Duplicate this item'=>'Dupliker dette element','Supports'=>'Understøtter','Documentation'=>'Dokumentation','Description'=>'Beskrivelse','Sync available'=>'Synkronisering tilgængelig','Field group synchronized.'=>'Feltgruppe synkroniseret.' . "\0" . '%s feltgrupper synkroniseret.','Field group duplicated.'=>'Feltgruppe duplikeret.' . "\0" . '%s feltgrupper duplikeret.','Active (%s)'=>'Aktive (%s)' . "\0" . 'Aktive (%s)','Review sites & upgrade'=>'Gennemgå websteder og opdater','Upgrade Database'=>'Opgradér database','Custom Fields'=>'Tilpasset felter','Move Field'=>'Flyt felt','Please select the destination for this field'=>'Vælg venligst destinationen for dette felt','The %1$s field can now be found in the %2$s field group'=>'Feltet %1$s kan nu findes i %2$s feltgruppen','Move Complete.'=>'Flytning udført.','Active'=>'Aktiv','Field Keys'=>'Feltnøgler','Settings'=>'Indstillinger','Location'=>'Placering','Null'=>'Null','copy'=>'Kopier','(this field)'=>'(dette felt)','Checked'=>'Valgt','Move Custom Field'=>'Flyt tilpasset Felt','Field group title is required'=>'Feltgruppe titel er påkrævet','This field cannot be moved until its changes have been saved'=>'Dette felt kan ikke flyttes før ændringerne er blevet gemt','The string "field_" may not be used at the start of a field name'=>'Strengen "field_" må ikke bruges i starten af et felts navn','Field group draft updated.'=>'Feltgruppe kladde opdateret.','Field group scheduled for.'=>'Feltgruppe planlagt til.','Field group submitted.'=>'Feltgruppe indsendt.','Field group saved.'=>'Feltgruppe gemt.','Field group published.'=>'Feltgruppe udgivet.','Field group deleted.'=>'Feltgruppe slettet.','Field group updated.'=>'Feltgruppe opdateret.','Tools'=>'Værktøjer','is not equal to'=>'er ikke lig med','is equal to'=>'er lig med','Forms'=>'Formularer','Page'=>'Side','Post'=>'Indlæg','Choice'=>'Valg','Basic'=>'Grundlæggende','Unknown'=>'Ukendt','Field type does not exist'=>'Felttype eksisterer ikke','Spam Detected'=>'Spam opdaget','Post updated'=>'Indlæg opdateret','Update'=>'Opdater','Validate Email'=>'Validér e-mail','Content'=>'Indhold','Title'=>'Titel','Edit field group'=>'Rediger feltgruppe','Selection is less than'=>'Det valgte er mindre end','Selection is greater than'=>'Det valgte er større end','Value is less than'=>'Værdien er mindre end','Value is greater than'=>'Værdien er højere end','Value contains'=>'Værdi indeholder','Value is not equal to'=>'Værdien er ikke lige med','Value is equal to'=>'Værdien er lige med','Has no value'=>'Har ingen værdi','Has any value'=>'Har enhver værdi','Cancel'=>'Annuller','Are you sure?'=>'Er du sikker?','%d fields require attention'=>'%d felter kræver opmærksomhed','1 field requires attention'=>'1 felt kræver opmærksomhed','Validation failed'=>'Validering fejlede','Validation successful'=>'Validering lykkedes','Restricted'=>'Begrænset','Collapse Details'=>'Skjul detaljer','Expand Details'=>'Udvid detailer','Uploaded to this post'=>'Uploadet til dette indlæg','verbUpdate'=>'Opdater','verbEdit'=>'Rediger','The changes you made will be lost if you navigate away from this page'=>'Dine ændringer vil gå tabt, hvis du går væk fra denne side','File type must be %s.'=>'Filtypen skal være %s.','or'=>'eller','File size must not exceed %s.'=>'Filstørrelsen må ikke overskride %s. ','File size must be at least %s.'=>'Filens størrelse skal være mindst %s.','Image height must not exceed %dpx.'=>'Billedets højde må ikke overskride %dpx.','Image height must be at least %dpx.'=>'Billedets højde skal være mindst %dpx.','Image width must not exceed %dpx.'=>'Billedets bredde må ikke overskride %dpx.','Image width must be at least %dpx.'=>'Billedets bredde skal være mindst %dpx.','(no title)'=>'(ingen titel)','Full Size'=>'Fuld størrelse','Large'=>'Stor','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(intet mærkat)','Sets the textarea height'=>'Sætter tekstområdets højde','Rows'=>'Rækker','Text Area'=>'Tekstområde','Add new choice'=>'Tilføj nyt valg','Toggle All'=>'Vælg alle','Allow Archives URLs'=>'Tillad Arkiv URLer','Archives'=>'Arkiver','Page Link'=>'Side link','Add'=>'Tilføj','Name'=>'Navn','%s added'=>'%s tilføjet','%s already exists'=>'%s findes allerede','User unable to add new %s'=>'Brugeren kan ikke tilføje ny %s','Term ID'=>'Term ID','Term Object'=>'Term Objekt','Load value from posts terms'=>'Indlæs værdi fra indlæggets termer','Load Terms'=>'Indlæs termer','Connect selected terms to the post'=>'Forbind valgte termer til indlæget','Save Terms'=>'Gem termer','Create Terms'=>'Opret termer','Radio Buttons'=>'Radioknapper','Single Value'=>'Enkelt værdi','Multiple Values'=>'Flere værdier','Select the appearance of this field'=>'Vælg udseendet for dette felt','Appearance'=>'Udseende','Select the taxonomy to be displayed'=>'Vælg klassificeringen der vises','No TermsNo %s'=>'Ingen %s','Value must be equal to or lower than %d'=>'Værdien skal være mindre end eller lig med %d','Value must be equal to or higher than %d'=>'Værdien skal være lig med eller højere end %d','Value must be a number'=>'Værdien skal være et tal','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'Gem \'andre\' værdier i feltet valgmuligheder','Add \'other\' choice to allow for custom values'=>'Tilføj \'andet\' muligheden for at tillade tilpasset værdier','Other'=>'Andre','Radio Button'=>'Radio-knap','Open'=>'Åben','Accordion'=>'Akkordion','Restrict which files can be uploaded'=>'Begræns hvilke filer der kan uploades','File ID'=>'Fil ID','File URL'=>'Fil URL','File Array'=>'Fil array','Add File'=>'Tilføj fil','No file selected'=>'Ingen fil valgt','File name'=>'Filnavn','Update File'=>'Opdater fil','Edit File'=>'Rediger fil','Select File'=>'Vælg fil','File'=>'Fil','Password'=>'Adgangskode','Enter each default value on a new line'=>'Indtast hver standardværdi på en ny linie','verbSelect'=>'Vælg','Select2 JS load_failLoading failed'=>'Indlæsning fejlede','Select2 JS searchingSearching…'=>'Søger…','Select2 JS load_moreLoading more results…'=>'Indlæser flere resultater…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan kun vælge %d elementer','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan kun vælge 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Fjern venligst %d karakterer','Select2 JS input_too_long_1Please delete 1 character'=>'Fjern venligst 1 karakter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Tilføj venligst %d eller flere karakterer','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Tilføj venligst 1 eller flere karakterer','Select2 JS matches_0No matches found'=>'Ingen match fundet','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultater fundet, brug piletasterne op og ned for at navigere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Et resultat er tilgængeligt, tryk enter for at vælge det.','nounSelect'=>'Vælg','User ID'=>'Bruger ID','User Object'=>'Bruger objekt','User Array'=>'Bruger array','All user roles'=>'Alle brugerroller','Filter by Role'=>'Filtrer efter rolle','User'=>'Bruger','Separator'=>'Separator','Select Color'=>'Vælg farve','Default'=>'Standard','Clear'=>'Ryd','Color Picker'=>'Farvevælger','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Vælg','Date Time Picker JS closeTextDone'=>'Udført','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tidszone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Time','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Vælg tidpunkt','Date Time Picker'=>'Datovælger','Endpoint'=>'Endpoint','Left aligned'=>'Venstrejusteret','Placement'=>'Placering','Tab'=>'Tab','Value must be a valid URL'=>'Værdien skal være en valid URL','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Åbner i et nyt vindue/faneblad','Select Link'=>'Vælg link','Link'=>'Link','Email'=>'E-mail','Maximum Value'=>'Maksimum værdi','Minimum Value'=>'Minimum værdi','Both (Array)'=>'Begge (Array)','Label'=>'Etiket','Value'=>'Værdi','Vertical'=>'Vertikal','Horizontal'=>'Horisontal','red : Red'=>'rød : Rød','For more control, you may specify both a value and label like this:'=>'For mere kontrol, kan du specificere både værdi og label, sådan:','Choices'=>'Valg','Button Group'=>'Knappe gruppe','Allow Null'=>'Tillad null','Parent'=>'Forælder','Toolbar'=>'Værktøjslinje','Text Only'=>'Kun tekst','Visual Only'=>'Kun visuelt','Visual & Text'=>'Visuelt & tekst','Tabs'=>'Tabs','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visuel','Value must not exceed %d characters'=>'Værdi må ikke overskride %d karakterer','Character Limit'=>'Karakterbegrænsning','Appears after the input'=>'Vises efter feltet','Append'=>'Tilføj før','Appears before the input'=>'Vises før feltet','Prepend'=>'Tilføj efter','Appears within the input'=>'Vises i feltet','Appears when creating a new post'=>'Vises når et nyt indlæg oprettes','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s kræver mindst %2$s valg' . "\0" . '%1$s kræver mindst %2$s valg','Post ID'=>'Indlægs ID','Post Object'=>'Indlægs objekt','Maximum Posts'=>'Maksimum antal indlæg','Minimum Posts'=>'Minimum antal indlæg','Featured Image'=>'Fremhævet billede','Selected elements will be displayed in each result'=>'Valgte elementer vil blive vist i hvert resultat','Elements'=>'Elementer','Taxonomy'=>'Klassificering','Post Type'=>'Indholdstype','Filters'=>'Filtre','All taxonomies'=>'Alle klassificeringer','Filter by Taxonomy'=>'Filtrer efter klassificeringer','All post types'=>'Alle indholdstyper','Filter by Post Type'=>'Filtrer efter indholdstype','Search...'=>'Søg...','Select taxonomy'=>'Vælg klassificering','Select post type'=>'Vælg indholdstype','No matches found'=>'Ingen match fundet','Loading'=>'Indlæser','Maximum values reached ( {max} values )'=>'Maksimalt antal værdier nået ( {max} værdier )','Relationship'=>'Relation','Comma separated list. Leave blank for all types'=>'Kommasepareret liste. Efterlad blank hvis alle typer tillades','Allowed File Types'=>'Tilladte filtyper','Maximum'=>'Maksimum','File size'=>'Filstørrelse','Minimum'=>'Minimum','Uploaded to post'=>'Uploadet til indlæg','All'=>'Alle','Library'=>'Bibliotek','Preview Size'=>'Størrelse på forhåndsvisning','Image ID'=>'Billede ID','Image URL'=>'Billede URL','Image Array'=>'Billede array','Specify the returned value on front end'=>'Specificerer værdien der returneres til frontenden','Return Value'=>'Returneret værdi','Add Image'=>'Tilføj billede','No image selected'=>'Intet billede valgt','Remove'=>'Fjern','Edit'=>'Rediger','All images'=>'Alle billeder','Update Image'=>'Opdater billede','Edit Image'=>'Rediger billede','Select Image'=>'Vælg billede','Image'=>'Billede','Allow HTML markup to display as visible text instead of rendering'=>'Tillad at HTML kode bliver vist som tekst i stedet for at blive renderet','Escape HTML'=>'Escape HTML','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Tilføj automatisk <br>','Automatically add paragraphs'=>'Tilføj automatisk afsnit','Controls how new lines are rendered'=>'Kontroller hvordan linjeskift vises','New Lines'=>'Linjeskift','Week Starts On'=>'Ugen starter','Save Format'=>'Gem format','Date Picker JS weekHeaderWk'=>'Uge','Date Picker JS prevTextPrev'=>'Forrige','Date Picker JS nextTextNext'=>'Næste','Date Picker JS closeTextDone'=>'Udført','Date Picker'=>'Datovælger','Width'=>'Bredde','Enter URL'=>'Indtast URL','oEmbed'=>'oEmbed','Default Value'=>'Standardværdi','Message'=>'Besked','No'=>'Nej','Yes'=>'Ja','True / False'=>'Sand / Falsk','Row'=>'Række','Table'=>'Tabel','Block'=>'Blok','Layout'=>'Layout','Sub Fields'=>'Underfelter','Group'=>'Gruppe','Customize the map height'=>'Tilpas kortets højde','Height'=>'Højde','Set the initial zoom level'=>'Sæt standard zoom niveau','Zoom'=>'Zoom','Center the initial map'=>'Kortets centrum fra start','Center'=>'Centrum','Search for address...'=>'Søg efter adresse...','Find current location'=>'Find nuværende lokation','Clear location'=>'Ryd lokation','Search'=>'Søg','Sorry, this browser does not support geolocation'=>'Beklager, denne browser understøtter ikke geolokation','Google Map'=>'Google Map','Custom:'=>'Tilpasset:','Inactive (%s)'=>'Inaktivt (%s)' . "\0" . 'Inaktive (%s)','No Fields found in Trash'=>'Ingen felter fundet i papirkurven.','No Fields found'=>'Ingen felter fundet','Search Fields'=>'Søge felter','View Field'=>'Vis felt','New Field'=>'Nyt felt','Edit Field'=>'Rediger felt','Add New Field'=>'Tilføj nyt felt','Field'=>'Felt','Fields'=>'Felter','No Field Groups found in Trash'=>'Ingen gruppefelter fundet i papirkurven','No Field Groups found'=>'Ingen gruppefelter fundet','Search Field Groups'=>'Søg feltgrupper','View Field Group'=>'Vis feltgruppe','New Field Group'=>'Ny feltgruppe','Edit Field Group'=>'Rediger feltgruppe','Add New Field Group'=>'Tilføj ny feltgruppe','Add New'=>'Tilføj ny','Field Group'=>'Feltgruppe','Field Groups'=>'Feltgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Tilpas WordPress med effektfulde, professionelle og intuitive felter.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['The core ACF block binding source name for fields on the current pageACF Fields'=>'','Learn how to fix this'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s. %3$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','The icon used for the post type menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'','Dashicon class name'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'[Værdien af ACF shortcode vises ikke i preview]','Close Modal'=>'Luk modal','Field moved to other group'=>'Felt er flyttet til en anden gruppe','Close modal'=>'Luk modal','Start a new group of tabs at this tab.'=>'Start en ny gruppe af tabs med denne tab.','New Tab Group'=>'Ny tab gruppe','Use a stylized checkbox using select2'=>'Brug en stylet checkbox med select2','Save Other Choice'=>'Gem andre valg','Allow Other Choice'=>'Tillad Andet valg','Add Toggle All'=>'Tilføj "Vælg alle"','Save Custom Values'=>'Gem brugerdefineret værdier','Allow Custom Values'=>'Tillad brugerdefinerede værdier','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Opdateringer','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Gem ændringer','Field Group Title'=>'Feltgruppe titel','Add title'=>'Tilføj titel','New to ACF? Take a look at our getting started guide.'=>'Ny til ACF? Tag et kig på vores kom godt i gang guide.','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'','Enable Transparency'=>'','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'','post statusActive'=>'','\'%s\' is not a valid email address'=>'','Color value'=>'','Select default color'=>'','Clear color'=>'','Blocks'=>'','Options'=>'','Users'=>'','Menu items'=>'','Widgets'=>'','Attachments'=>'','Taxonomies'=>'','Posts'=>'','Last updated: %s'=>'','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'','Awaiting save'=>'','Saved'=>'','Import'=>'','Review changes'=>'','Located in: %s'=>'','Located in plugin: %s'=>'','Located in theme: %s'=>'','Various'=>'','Sync changes'=>'','Loading diff'=>'','Review local JSON changes'=>'','Visit website'=>'','View details'=>'','Version %s'=>'','Information'=>'','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'','Location type "%s" is already registered.'=>'','Class "%s" does not exist.'=>'','Invalid nonce.'=>'','Error loading field.'=>'','Location not found: %s'=>'','Error: %s'=>'FEJL: %s','Widget'=>'Widget','User Role'=>'Brugerrolle','Comment'=>'Kommentar','Post Format'=>'Indlægsformat','Menu Item'=>'Menu element','Post Status'=>'Indlægs status','Menus'=>'Menuer','Menu Locations'=>'Menu områder','Menu'=>'Menu','Post Taxonomy'=>'Indlægstaksonomi','Child Page (has parent)'=>'','Parent Page (has children)'=>'','Top Level Page (no parent)'=>'','Posts Page'=>'Indlægsside','Front Page'=>'Forside','Page Type'=>'Sidetype','Viewing back end'=>'Viser backend','Viewing front end'=>'Viser frontend','Logged in'=>'Logget ind','Current User'=>'Nuværende bruger','Page Template'=>'Sideskabelon','Register'=>'Registrer','Add / Edit'=>'Tilføj / rediger','User Form'=>'Brugerformular','Page Parent'=>'Sideforælder','Super Admin'=>'Superadministrator','Current User Role'=>'Nuværende brugerrolle','Default Template'=>'Standard skabelon','Post Template'=>'Indlægsskabelon','Post Category'=>'Indlægskategori','All %s formats'=>'Alle %s formater','Attachment'=>'Vedhæftning','%s value is required'=>'%s værdi er påkrævet','Show this field if'=>'Vis dette felt hvis','Conditional Logic'=>'Betinget logik','and'=>'og','Local JSON'=>'Lokal JSON','Clone Field'=>'Klon felt','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Tjek også at alle premium add-ons (%s) er opdateret til den seneste version.','This version contains improvements to your database and requires an upgrade.'=>'Denne version indeholder en opdatering af din database og kræver en opgradering.','Thank you for updating to %1$s v%2$s!'=>'Tak fordi du opdaterede til %1$s v%2$s!','Database Upgrade Required'=>'Databaseopgradering påkrævet','Options Page'=>'Indstillinger side','Gallery'=>'Galleri','Flexible Content'=>'Fleksibelt indhold','Repeater'=>'Gentagelser','Back to all tools'=>'Tilbage til alle værktøjer','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)'=>'','Select items to hide them from the edit screen.'=>'Vælg elementer for at skjule dem i på redigeringssiden.','Hide on screen'=>'Skjul på skærm','Send Trackbacks'=>'Send trackbacks','Tags'=>'Tags','Categories'=>'Kategorier','Page Attributes'=>'Sideegenskaber','Format'=>'Format','Author'=>'Forfatter','Slug'=>'Korttitel','Revisions'=>'Ændringer','Comments'=>'Kommentarer','Discussion'=>'Diskussion','Excerpt'=>'Uddrag','Content Editor'=>'Indholdseditor','Permalink'=>'Permalink','Shown in field group list'=>'Vist i feltgruppe liste','Field groups with a lower order will appear first'=>'Feltgrupper med et lavere rækkefølge nr. vises først.','Order No.'=>'Rækkefølge nr.','Below fields'=>'Under felter','Below labels'=>'Under labels','Instruction Placement'=>'Instruktions placering','Label Placement'=>'Label placering','Side'=>'Side','Normal (after content)'=>'Normal (efter indhold)','High (after title)'=>'Høj (efter titel)','Position'=>'Placering','Seamless (no metabox)'=>'Integreret (ingen metaboks)','Standard (WP metabox)'=>'Standard (WP Metaboks)','Style'=>'Stil','Type'=>'Type','Key'=>'Nøgle','Order'=>'Sortering','Close Field'=>'Luk felt','id'=>'id','class'=>'class','width'=>'bredde','Wrapper Attributes'=>'','Required'=>'Påkrævet','Instructions for authors. Shown when submitting data'=>'Instruktioner til forfattere. Bliver vist når data indsendes','Instructions'=>'Instruktioner','Field Type'=>'Felttype','Single word, no spaces. Underscores and dashes allowed'=>'Enkelt ord, ingen mellemrum. Understregning og bindestreger er tilladt.','Field Name'=>'Feltnavn','This is the name which will appear on the EDIT page'=>'Dette er navnet der vil blive vist på REDIGER siden','Field Label'=>'Felt label','Delete'=>'Slet','Delete field'=>'Slet felt','Move'=>'Flyt','Move field to another group'=>'Flyt felt til anden gruppe','Duplicate field'=>'Duplikér felt','Edit field'=>'Rediger felt','Drag to reorder'=>'Træk for at ændre rækkefølgen','Show this field group if'=>'Vis denne feltgruppe hvis','No updates available.'=>'Ingen tilgængelige opdateringer','Database upgrade complete. See what\'s new'=>'Database opgradering udført. Se hvad der er ændret','Reading upgrade tasks...'=>'Indlæser opgraderings opgaver...','Upgrade failed.'=>'Opdatering fejlede.','Upgrade complete.'=>'Opdatering gennemført','Upgrading data to version %s'=>'Opdaterer data til version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det er yderst anbefalet at du tager en backup af din database inden du fortsætter. Er du sikker på at du vil køre opdateringen nu?','Please select at least one site to upgrade.'=>'Vælg venligst mindst et websted at opgradere.','Database Upgrade complete. Return to network dashboard'=>'Databaseopgradering udført. Tilbage til netværk kontrolpanel','Site is up to date'=>'Webstedet er opdateret','Site requires database upgrade from %1$s to %2$s'=>'Webstedet kræver en databaseopgradering %1$s til %2$s','Site'=>'Websted','Upgrade Sites'=>'Opgrader websteder','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De følgende websteder kræver en databaseopgradering. Vælg dem du ønsker at opgradere og klik på %s.','Add rule group'=>'Tilføj regelgruppe','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'','Rules'=>'Regler','Copied'=>'Kopieret','Copy to clipboard'=>'Kopier til udklipsholder','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Vælg feltgrupper','No field groups selected'=>'Ingen feltgrupper valgt','Generate PHP'=>'Generér PHP','Export Field Groups'=>'Eksporter feltgrupper','Import file empty'=>'Importeret fil er tom','Incorrect file type'=>'Forkert filtype','Error uploading file. Please try again'=>'Fejl ved upload af fil. Prøv venligst igen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Vælg ACF JSON filen du gerne vil importere. Når du klikker import herunder, vil ACF importere feltgrupperne.','Import Field Groups'=>'Importer feltgrupper','Sync'=>'Synkroniser','Select %s'=>'Vælg %s','Duplicate'=>'Duplikér','Duplicate this item'=>'Dupliker dette element','Supports'=>'Understøtter','Documentation'=>'Dokumentation','Description'=>'Beskrivelse','Sync available'=>'Synkronisering tilgængelig','Field group synchronized.'=>'Feltgruppe synkroniseret.' . "\0" . '%s feltgrupper synkroniseret.','Field group duplicated.'=>'Feltgruppe duplikeret.' . "\0" . '%s feltgrupper duplikeret.','Active (%s)'=>'Aktive (%s)' . "\0" . 'Aktive (%s)','Review sites & upgrade'=>'Gennemgå websteder og opdater','Upgrade Database'=>'Opgradér database','Custom Fields'=>'Tilpasset felter','Move Field'=>'Flyt felt','Please select the destination for this field'=>'Vælg venligst destinationen for dette felt','The %1$s field can now be found in the %2$s field group'=>'Feltet %1$s kan nu findes i %2$s feltgruppen','Move Complete.'=>'Flytning udført.','Active'=>'Aktiv','Field Keys'=>'Feltnøgler','Settings'=>'Indstillinger','Location'=>'Placering','Null'=>'Null','copy'=>'Kopier','(this field)'=>'(dette felt)','Checked'=>'Valgt','Move Custom Field'=>'Flyt tilpasset Felt','No toggle fields available'=>'','Field group title is required'=>'Feltgruppe titel er påkrævet','This field cannot be moved until its changes have been saved'=>'Dette felt kan ikke flyttes før ændringerne er blevet gemt','The string "field_" may not be used at the start of a field name'=>'Strengen "field_" må ikke bruges i starten af et felts navn','Field group draft updated.'=>'Feltgruppe kladde opdateret.','Field group scheduled for.'=>'Feltgruppe planlagt til.','Field group submitted.'=>'Feltgruppe indsendt.','Field group saved.'=>'Feltgruppe gemt.','Field group published.'=>'Feltgruppe udgivet.','Field group deleted.'=>'Feltgruppe slettet.','Field group updated.'=>'Feltgruppe opdateret.','Tools'=>'Værktøjer','is not equal to'=>'er ikke lig med','is equal to'=>'er lig med','Forms'=>'Formularer','Page'=>'Side','Post'=>'Indlæg','Relational'=>'','Choice'=>'Valg','Basic'=>'Grundlæggende','Unknown'=>'Ukendt','Field type does not exist'=>'Felttype eksisterer ikke','Spam Detected'=>'Spam opdaget','Post updated'=>'Indlæg opdateret','Update'=>'Opdater','Validate Email'=>'Validér e-mail','Content'=>'Indhold','Title'=>'Titel','Edit field group'=>'Rediger feltgruppe','Selection is less than'=>'Det valgte er mindre end','Selection is greater than'=>'Det valgte er større end','Value is less than'=>'Værdien er mindre end','Value is greater than'=>'Værdien er højere end','Value contains'=>'Værdi indeholder','Value matches pattern'=>'','Value is not equal to'=>'Værdien er ikke lige med','Value is equal to'=>'Værdien er lige med','Has no value'=>'Har ingen værdi','Has any value'=>'Har enhver værdi','Cancel'=>'Annuller','Are you sure?'=>'Er du sikker?','%d fields require attention'=>'%d felter kræver opmærksomhed','1 field requires attention'=>'1 felt kræver opmærksomhed','Validation failed'=>'Validering fejlede','Validation successful'=>'Validering lykkedes','Restricted'=>'Begrænset','Collapse Details'=>'Skjul detaljer','Expand Details'=>'Udvid detailer','Uploaded to this post'=>'Uploadet til dette indlæg','verbUpdate'=>'Opdater','verbEdit'=>'Rediger','The changes you made will be lost if you navigate away from this page'=>'Dine ændringer vil gå tabt, hvis du går væk fra denne side','File type must be %s.'=>'Filtypen skal være %s.','or'=>'eller','File size must not exceed %s.'=>'Filstørrelsen må ikke overskride %s. ','File size must be at least %s.'=>'Filens størrelse skal være mindst %s.','Image height must not exceed %dpx.'=>'Billedets højde må ikke overskride %dpx.','Image height must be at least %dpx.'=>'Billedets højde skal være mindst %dpx.','Image width must not exceed %dpx.'=>'Billedets bredde må ikke overskride %dpx.','Image width must be at least %dpx.'=>'Billedets bredde skal være mindst %dpx.','(no title)'=>'(ingen titel)','Full Size'=>'Fuld størrelse','Large'=>'Stor','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(intet mærkat)','Sets the textarea height'=>'Sætter tekstområdets højde','Rows'=>'Rækker','Text Area'=>'Tekstområde','Prepend an extra checkbox to toggle all choices'=>'','Save \'custom\' values to the field\'s choices'=>'','Allow \'custom\' values to be added'=>'','Add new choice'=>'Tilføj nyt valg','Toggle All'=>'Vælg alle','Allow Archives URLs'=>'Tillad Arkiv URLer','Archives'=>'Arkiver','Page Link'=>'Side link','Add'=>'Tilføj','Name'=>'Navn','%s added'=>'%s tilføjet','%s already exists'=>'%s findes allerede','User unable to add new %s'=>'Brugeren kan ikke tilføje ny %s','Term ID'=>'Term ID','Term Object'=>'Term Objekt','Load value from posts terms'=>'Indlæs værdi fra indlæggets termer','Load Terms'=>'Indlæs termer','Connect selected terms to the post'=>'Forbind valgte termer til indlæget','Save Terms'=>'Gem termer','Allow new terms to be created whilst editing'=>'','Create Terms'=>'Opret termer','Radio Buttons'=>'Radioknapper','Single Value'=>'Enkelt værdi','Multi Select'=>'','Checkbox'=>'','Multiple Values'=>'Flere værdier','Select the appearance of this field'=>'Vælg udseendet for dette felt','Appearance'=>'Udseende','Select the taxonomy to be displayed'=>'Vælg klassificeringen der vises','No TermsNo %s'=>'Ingen %s','Value must be equal to or lower than %d'=>'Værdien skal være mindre end eller lig med %d','Value must be equal to or higher than %d'=>'Værdien skal være lig med eller højere end %d','Value must be a number'=>'Værdien skal være et tal','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'Gem \'andre\' værdier i feltet valgmuligheder','Add \'other\' choice to allow for custom values'=>'Tilføj \'andet\' muligheden for at tillade tilpasset værdier','Other'=>'Andre','Radio Button'=>'Radio-knap','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'','Allow this accordion to open without closing others.'=>'','Multi-Expand'=>'','Display this accordion as open on page load.'=>'','Open'=>'Åben','Accordion'=>'Akkordion','Restrict which files can be uploaded'=>'Begræns hvilke filer der kan uploades','File ID'=>'Fil ID','File URL'=>'Fil URL','File Array'=>'Fil array','Add File'=>'Tilføj fil','No file selected'=>'Ingen fil valgt','File name'=>'Filnavn','Update File'=>'Opdater fil','Edit File'=>'Rediger fil','Select File'=>'Vælg fil','File'=>'Fil','Password'=>'Adgangskode','Specify the value returned'=>'','Use AJAX to lazy load choices?'=>'','Enter each default value on a new line'=>'Indtast hver standardværdi på en ny linie','verbSelect'=>'Vælg','Select2 JS load_failLoading failed'=>'Indlæsning fejlede','Select2 JS searchingSearching…'=>'Søger…','Select2 JS load_moreLoading more results…'=>'Indlæser flere resultater…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan kun vælge %d elementer','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan kun vælge 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Fjern venligst %d karakterer','Select2 JS input_too_long_1Please delete 1 character'=>'Fjern venligst 1 karakter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Tilføj venligst %d eller flere karakterer','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Tilføj venligst 1 eller flere karakterer','Select2 JS matches_0No matches found'=>'Ingen match fundet','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultater fundet, brug piletasterne op og ned for at navigere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Et resultat er tilgængeligt, tryk enter for at vælge det.','nounSelect'=>'Vælg','User ID'=>'Bruger ID','User Object'=>'Bruger objekt','User Array'=>'Bruger array','All user roles'=>'Alle brugerroller','Filter by Role'=>'Filtrer efter rolle','User'=>'Bruger','Separator'=>'Separator','Select Color'=>'Vælg farve','Default'=>'Standard','Clear'=>'Ryd','Color Picker'=>'Farvevælger','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Vælg','Date Time Picker JS closeTextDone'=>'Udført','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tidszone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Time','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Vælg tidpunkt','Date Time Picker'=>'Datovælger','Endpoint'=>'Endpoint','Left aligned'=>'Venstrejusteret','Top aligned'=>'','Placement'=>'Placering','Tab'=>'Tab','Value must be a valid URL'=>'Værdien skal være en valid URL','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Åbner i et nyt vindue/faneblad','Select Link'=>'Vælg link','Link'=>'Link','Email'=>'E-mail','Step Size'=>'','Maximum Value'=>'Maksimum værdi','Minimum Value'=>'Minimum værdi','Range'=>'','Both (Array)'=>'Begge (Array)','Label'=>'Etiket','Value'=>'Værdi','Vertical'=>'Vertikal','Horizontal'=>'Horisontal','red : Red'=>'rød : Rød','For more control, you may specify both a value and label like this:'=>'For mere kontrol, kan du specificere både værdi og label, sådan:','Enter each choice on a new line.'=>'','Choices'=>'Valg','Button Group'=>'Knappe gruppe','Allow Null'=>'Tillad null','Parent'=>'Forælder','TinyMCE will not be initialized until field is clicked'=>'','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Værktøjslinje','Text Only'=>'Kun tekst','Visual Only'=>'Kun visuelt','Visual & Text'=>'Visuelt & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visuel','Value must not exceed %d characters'=>'Værdi må ikke overskride %d karakterer','Leave blank for no limit'=>'','Character Limit'=>'Karakterbegrænsning','Appears after the input'=>'Vises efter feltet','Append'=>'Tilføj før','Appears before the input'=>'Vises før feltet','Prepend'=>'Tilføj efter','Appears within the input'=>'Vises i feltet','Placeholder Text'=>'','Appears when creating a new post'=>'Vises når et nyt indlæg oprettes','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s kræver mindst %2$s valg' . "\0" . '%1$s kræver mindst %2$s valg','Post ID'=>'Indlægs ID','Post Object'=>'Indlægs objekt','Maximum Posts'=>'Maksimum antal indlæg','Minimum Posts'=>'Minimum antal indlæg','Featured Image'=>'Fremhævet billede','Selected elements will be displayed in each result'=>'Valgte elementer vil blive vist i hvert resultat','Elements'=>'Elementer','Taxonomy'=>'Klassificering','Post Type'=>'Indholdstype','Filters'=>'Filtre','All taxonomies'=>'Alle klassificeringer','Filter by Taxonomy'=>'Filtrer efter klassificeringer','All post types'=>'Alle indholdstyper','Filter by Post Type'=>'Filtrer efter indholdstype','Search...'=>'Søg...','Select taxonomy'=>'Vælg klassificering','Select post type'=>'Vælg indholdstype','No matches found'=>'Ingen match fundet','Loading'=>'Indlæser','Maximum values reached ( {max} values )'=>'Maksimalt antal værdier nået ( {max} værdier )','Relationship'=>'Relation','Comma separated list. Leave blank for all types'=>'Kommasepareret liste. Efterlad blank hvis alle typer tillades','Allowed File Types'=>'Tilladte filtyper','Maximum'=>'Maksimum','File size'=>'Filstørrelse','Restrict which images can be uploaded'=>'','Minimum'=>'Minimum','Uploaded to post'=>'Uploadet til indlæg','All'=>'Alle','Limit the media library choice'=>'','Library'=>'Bibliotek','Preview Size'=>'Størrelse på forhåndsvisning','Image ID'=>'Billede ID','Image URL'=>'Billede URL','Image Array'=>'Billede array','Specify the returned value on front end'=>'Specificerer værdien der returneres til frontenden','Return Value'=>'Returneret værdi','Add Image'=>'Tilføj billede','No image selected'=>'Intet billede valgt','Remove'=>'Fjern','Edit'=>'Rediger','All images'=>'Alle billeder','Update Image'=>'Opdater billede','Edit Image'=>'Rediger billede','Select Image'=>'Vælg billede','Image'=>'Billede','Allow HTML markup to display as visible text instead of rendering'=>'Tillad at HTML kode bliver vist som tekst i stedet for at blive renderet','Escape HTML'=>'Escape HTML','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Tilføj automatisk <br>','Automatically add paragraphs'=>'Tilføj automatisk afsnit','Controls how new lines are rendered'=>'Kontroller hvordan linjeskift vises','New Lines'=>'Linjeskift','Week Starts On'=>'Ugen starter','The format used when saving a value'=>'','Save Format'=>'Gem format','Date Picker JS weekHeaderWk'=>'Uge','Date Picker JS prevTextPrev'=>'Forrige','Date Picker JS nextTextNext'=>'Næste','Date Picker JS currentTextToday'=>'','Date Picker JS closeTextDone'=>'Udført','Date Picker'=>'Datovælger','Width'=>'Bredde','Embed Size'=>'','Enter URL'=>'Indtast URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'','Off Text'=>'','Text shown when active'=>'','On Text'=>'','Stylized UI'=>'','Default Value'=>'Standardværdi','Displays text alongside the checkbox'=>'','Message'=>'Besked','No'=>'Nej','Yes'=>'Ja','True / False'=>'Sand / Falsk','Row'=>'Række','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'','Layout'=>'Layout','Sub Fields'=>'Underfelter','Group'=>'Gruppe','Customize the map height'=>'Tilpas kortets højde','Height'=>'Højde','Set the initial zoom level'=>'Sæt standard zoom niveau','Zoom'=>'Zoom','Center the initial map'=>'Kortets centrum fra start','Center'=>'Centrum','Search for address...'=>'Søg efter adresse...','Find current location'=>'Find nuværende lokation','Clear location'=>'Ryd lokation','Search'=>'Søg','Sorry, this browser does not support geolocation'=>'Beklager, denne browser understøtter ikke geolokation','Google Map'=>'Google Map','The format returned via template functions'=>'','Return Format'=>'','Custom:'=>'Tilpasset:','The format displayed when editing a post'=>'','Display Format'=>'','Time Picker'=>'','Inactive (%s)'=>'Inaktivt (%s)' . "\0" . 'Inaktive (%s)','No Fields found in Trash'=>'Ingen felter fundet i papirkurven.','No Fields found'=>'Ingen felter fundet','Search Fields'=>'Søge felter','View Field'=>'Vis felt','New Field'=>'Nyt felt','Edit Field'=>'Rediger felt','Add New Field'=>'Tilføj nyt felt','Field'=>'Felt','Fields'=>'Felter','No Field Groups found in Trash'=>'Ingen gruppefelter fundet i papirkurven','No Field Groups found'=>'Ingen gruppefelter fundet','Search Field Groups'=>'Søg feltgrupper','View Field Group'=>'Vis feltgruppe','New Field Group'=>'Ny feltgruppe','Edit Field Group'=>'Rediger feltgruppe','Add New Field Group'=>'Tilføj ny feltgruppe','Add New'=>'Tilføj ny','Field Group'=>'Feltgruppe','Field Groups'=>'Feltgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Tilpas WordPress med effektfulde, professionelle og intuitive felter.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>''],'language'=>'da_DK','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-de_CH.l10n.php b/lang/acf-de_CH.l10n.php
index b053dc1..5559673 100644
--- a/lang/acf-de_CH.l10n.php
+++ b/lang/acf-de_CH.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'de_CH','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s Wert ist notwendig','%s settings'=>'Einstellungen','Options'=>'Optionen','Update'=>'Aktualisieren','Options Updated'=>'Optionen aktualisiert','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Bitte gib auf der Seite Aktualisierungen deinen Lizenzschlüssel ein, um Updates zu aktivieren. Solltest du keinen Lizenzschlüssel haben, findest du hier Details & Preise.','ACF Activation Error. An error occurred when connecting to activation server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Check Again'=>'Erneut suchen','ACF Activation Error. Could not connect to activation server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feld-Gruppen für die Options-Seite gefunden. Erstelle eine Feld-Gruppe','Edit field group'=>'Feld-Gruppen bearbeiten','Error. Could not connect to update server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Updates'=>'Aktualisierungen','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Konnte das Update-Paket nicht authentifizieren. Bitte überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fehler. Konnte das Update-Paket nicht authentifizieren. Bitte überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz.','nounClone'=>'Klonen','Fields'=>'Felder','Select one or more fields you wish to clone'=>'Wähle eines oder mehrere Felder aus, das/die du klonen willst','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Gib an, wie die geklonten Felder ausgegeben werden sollen','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Felds an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Layout'=>'Layout','Specify the style used to render the selected fields'=>'Gib an, wie die ausgewählten Felder angezeigt werden sollen','Block'=>'Block','Table'=>'Tabelle','Row'=>'Reihe','Labels will be displayed as %s'=>'Bezeichnungen werden angezeigt als %s','Prefix Field Labels'=>'Präfix für Feld Bezeichnungen','Values will be saved as %s'=>'Werte werden gespeichert als %s','Prefix Field Names'=>'Präfix für Feld Namen','Unknown field'=>'Unbekanntes Feld','(no title)'=>'(ohne Titel)','Unknown field group'=>'Unbekannte Feld-Gruppe','All fields from %s field group'=>'Alle Felder der %s Feld-Gruppe','Flexible Content'=>'Flexible Inhalte','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Drag to reorder'=>'Ziehen zum Sortieren','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Label'=>'Name','Name'=>'Feld-Name','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimum Layouts','Maximum Layouts'=>'Maximum Layouts','Button Label'=>'Button-Beschriftung','Gallery'=>'Galerie','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Edit'=>'Bearbeiten','Remove'=>'Entfernen','Title'=>'Titel','Caption'=>'Beschriftung','Alt Text'=>'Alt Text','Description'=>'Beschreibung','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schliessen','Return Format'=>'Rückgabewert','Image Array'=>'Bild-Array','Image URL'=>'Bild-URL','Image ID'=>'Bild-ID','Library'=>'Medienübersicht','Limit the media library choice'=>'Beschränkt die Auswahl in der Medienübersicht','All'=>'Alle','Uploaded to post'=>'Für den Beitrag hochgeladen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Erlaubt nur das Hochladen von Bildern, die die angegebenen Eigenschaften erfüllen','Width'=>'Breite','Height'=>'Höhe','File size'=>'Dateigrösse','Maximum'=>'Maximum','Allowed file types'=>'Erlaubte Datei-Formate','Comma separated list. Leave blank for all types'=>'Komma separierte Liste; ein leeres Feld bedeutet alle Dateiformate sind erlaubt','Insert'=>'Einfügen','Specify where new attachments are added'=>'Gib an, wo neue Anhänge eingefügt werden sollen','Append to the end'=>'Am Schluss anhängen','Prepend to the beginning'=>'Vor Beginn einfügen','Preview Size'=>'Masse der Vorschau','%1$s requires at least %2$s selection'=>'%s benötigt mindestens %s Selektion' . "\0" . '%s benötigt mindestens %s Selektionen','Repeater'=>'Wiederholung','Minimum rows not reached ({min} rows)'=>'Minimum der Einträge mit ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Maximum der Einträge mit ({max} Reihen) erreicht','Error loading page'=>'Fehler beim Laden des Update','Sub Fields'=>'Wiederholungsfelder','Pagination'=>'Position','Rows Per Page'=>'Beitrags-Seite','Set the number of rows to be displayed on a page.'=>'Wähle die Taxonomie, welche angezeigt werden soll','Minimum Rows'=>'Minimum der Einträge','Maximum Rows'=>'Maximum der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle welches der Wiederholungsfelder im zugeklappten Zustand angezeigt werden soll','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Duplizieren','Remove row'=>'Eintrag löschen','Current Page'=>'Aktueller Benutzer','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Options-Seiten vorhanden','Options Page'=>'Options-Seite','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformationen','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Bitte gib unten deinen Lizenzschlüssel ein, um Updates freizuschalten. Solltest du keinen Lizenzschlüssel haben, findest du hier Details & Preise.','License Key'=>'Lizenzschlüssel','Retry Activation'=>'Bessere Validierung','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','No'=>'Nein','Yes'=>'Ja','Upgrade Notice'=>'Aktualisierungs-Hinweis','Enter your license key to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren','Please reactivate your license to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit freizuschalten']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s Wert ist notwendig','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Einstellungen','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Optionen','Update'=>'Aktualisieren','Options Updated'=>'Optionen aktualisiert','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Bitte gib auf der Seite Aktualisierungen deinen Lizenzschlüssel ein, um Updates zu aktivieren. Solltest du keinen Lizenzschlüssel haben, findest du hier Details & Preise.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Check Again'=>'Erneut suchen','ACF Activation Error. Could not connect to activation server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feld-Gruppen für die Options-Seite gefunden. Erstelle eine Feld-Gruppe','Edit field group'=>'Feld-Gruppen bearbeiten','Error. Could not connect to update server'=>'Fehler. Verbindung zum Update-Server konnte nicht hergestellt werden','Updates'=>'Aktualisierungen','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Konnte das Update-Paket nicht authentifizieren. Bitte überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fehler. Konnte das Update-Paket nicht authentifizieren. Bitte überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz.','nounClone'=>'Klonen','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Felder','Select one or more fields you wish to clone'=>'Wähle eines oder mehrere Felder aus, das/die du klonen willst','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Gib an, wie die geklonten Felder ausgegeben werden sollen','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Felds an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Layout'=>'Layout','Specify the style used to render the selected fields'=>'Gib an, wie die ausgewählten Felder angezeigt werden sollen','Block'=>'Block','Table'=>'Tabelle','Row'=>'Reihe','Labels will be displayed as %s'=>'Bezeichnungen werden angezeigt als %s','Prefix Field Labels'=>'Präfix für Feld Bezeichnungen','Values will be saved as %s'=>'Werte werden gespeichert als %s','Prefix Field Names'=>'Präfix für Feld Namen','Unknown field'=>'Unbekanntes Feld','(no title)'=>'(ohne Titel)','Unknown field group'=>'Unbekannte Feld-Gruppe','All fields from %s field group'=>'Alle Felder der %s Feld-Gruppe','Flexible Content'=>'Flexible Inhalte','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Drag to reorder'=>'Ziehen zum Sortieren','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Label'=>'Name','Name'=>'Feld-Name','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimum Layouts','Maximum Layouts'=>'Maximum Layouts','Button Label'=>'Button-Beschriftung','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','Gallery'=>'Galerie','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Edit'=>'Bearbeiten','Remove'=>'Entfernen','Title'=>'Titel','Caption'=>'Beschriftung','Alt Text'=>'Alt Text','Description'=>'Beschreibung','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schliessen','Return Format'=>'Rückgabewert','Image Array'=>'Bild-Array','Image URL'=>'Bild-URL','Image ID'=>'Bild-ID','Library'=>'Medienübersicht','Limit the media library choice'=>'Beschränkt die Auswahl in der Medienübersicht','All'=>'Alle','Uploaded to post'=>'Für den Beitrag hochgeladen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Erlaubt nur das Hochladen von Bildern, die die angegebenen Eigenschaften erfüllen','Width'=>'Breite','Height'=>'Höhe','File size'=>'Dateigrösse','Maximum'=>'Maximum','Allowed file types'=>'Erlaubte Datei-Formate','Comma separated list. Leave blank for all types'=>'Komma separierte Liste; ein leeres Feld bedeutet alle Dateiformate sind erlaubt','Insert'=>'Einfügen','Specify where new attachments are added'=>'Gib an, wo neue Anhänge eingefügt werden sollen','Append to the end'=>'Am Schluss anhängen','Prepend to the beginning'=>'Vor Beginn einfügen','Preview Size'=>'Masse der Vorschau','%1$s requires at least %2$s selection'=>'%s benötigt mindestens %s Selektion' . "\0" . '%s benötigt mindestens %s Selektionen','Repeater'=>'Wiederholung','Minimum rows not reached ({min} rows)'=>'Minimum der Einträge mit ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Maximum der Einträge mit ({max} Reihen) erreicht','Error loading page'=>'Fehler beim Laden des Update','Order will be assigned upon save'=>'','Sub Fields'=>'Wiederholungsfelder','Pagination'=>'Position','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Beitrags-Seite','Set the number of rows to be displayed on a page.'=>'Wähle die Taxonomie, welche angezeigt werden soll','Minimum Rows'=>'Minimum der Einträge','Maximum Rows'=>'Maximum der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle welches der Wiederholungsfelder im zugeklappten Zustand angezeigt werden soll','Invalid nonce.'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Duplizieren','Remove row'=>'Eintrag löschen','Current Page'=>'Aktueller Benutzer','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','paging%1$s of %2$s'=>'','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Options-Seiten vorhanden','Options Page'=>'Options-Seite','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformationen','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Bitte gib unten deinen Lizenzschlüssel ein, um Updates freizuschalten. Solltest du keinen Lizenzschlüssel haben, findest du hier Details & Preise.','License Key'=>'Lizenzschlüssel','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Bessere Validierung','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','No'=>'Nein','Yes'=>'Ja','Upgrade Notice'=>'Aktualisierungs-Hinweis','Check For Updates'=>'','Enter your license key to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren','Please reactivate your license to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit freizuschalten'],'language'=>'de_CH','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-de_CH.mo b/lang/acf-de_CH.mo
index 0f26d5a..fe0ff66 100644
Binary files a/lang/acf-de_CH.mo and b/lang/acf-de_CH.mo differ
diff --git a/lang/acf-de_CH.po b/lang/acf-de_CH.po
index 8326e4b..52f95ed 100644
--- a/lang/acf-de_CH.po
+++ b/lang/acf-de_CH.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: de_CH\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-de_DE.l10n.php b/lang/acf-de_DE.l10n.php
index 3c84cb2..62f8f3e 100644
--- a/lang/acf-de_DE.l10n.php
+++ b/lang/acf-de_DE.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'de_DE','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Quelle aktualisieren','wordpress.org'=>'de.wordpress.org','Learn more.'=>'Mehr erfahren.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Der ACF-Shortcode kann keine Felder von nicht-öffentlichen Beiträgen anzeigen]','[The ACF shortcode is disabled on this site]'=>'[Der AFC-Shortcode ist auf dieser Website deaktiviert]','Businessman Icon'=>'Geschäftsmann-Icon','Forums Icon'=>'Foren-Icon','YouTube Icon'=>'YouTube-Icon','Xing Icon'=>'Xing-Icon','WhatsApp Icon'=>'WhatsApp-Icon','Write Blog Icon'=>'Blog-schreiben-Icon','Widgets Menus Icon'=>'Widgets-Menü-Icon','View Site Icon'=>'Website-anzeigen-Icon','Learn More Icon'=>'Mehr-erfahren-Icon','Add Page Icon'=>'Seite-hinzufügen-Icon','Twitch Icon'=>'Twitch-Icon','Tide Icon'=>'Tide-Icon','Text Page Icon'=>'Textseite-Icon','Table Row Delete Icon'=>'Tabellenzeile-löschen-Icon','Table Row Before Icon'=>'Tabellenzeile-davor-Icon','Table Row After Icon'=>'Tabellenzeile-danach-Icon','Table Col Delete Icon'=>'Tabellenspalte-löschen-Icon','Table Col Before Icon'=>'Tabellenspalte-davor-Icon','Table Col After Icon'=>'Tabellenspalte-danach-Icon','Superhero Icon'=>'Superheld-Icon','Spotify Icon'=>'Spotify-Icon','Shortcode Icon'=>'Shortcode-Icon','Saved Icon'=>'Gespeichert-Icon','RSS Icon'=>'RSS-Icon','REST API Icon'=>'REST-API-Icon','Remove Icon'=>'Entfernen-Icon','Reddit Icon'=>'Reddit-Icon','Privacy Icon'=>'Datenschutz-Icon','Printer Icon'=>'Drucker-Icon','Podio Icon'=>'Podio-Icon','Plugins Checked Icon'=>'Plugins-geprüft-Icon','Pinterest Icon'=>'Pinterest-Icon','Pets Icon'=>'Haustiere-Icon','PDF Icon'=>'PDF-Icon','Palm Tree Icon'=>'Palme-Icon','Open Folder Icon'=>'Offener-Ordner-Icon','Interactive Icon'=>'Interaktiv-Icon','Document Icon'=>'Dokument-Icon','Default Icon'=>'Standard-Icon','LinkedIn Icon'=>'LinkedIn-Icon','Instagram Icon'=>'Instagram-Icon','Insert Before Icon'=>'Davor-einfügen-Icon','Insert After Icon'=>'Danach-einfügen-Icon','Insert Icon'=>'Einfügen-Icon','Rotate Right Icon'=>'Nach-rechts-drehen-Icon','Rotate Left Icon'=>'Nach-links-drehen-Icon','Rotate Icon'=>'Drehen-Icon','Flip Vertical Icon'=>'Vertikal-spiegeln-Icon','Flip Horizontal Icon'=>'Horizontal-spiegeln-Icon','Crop Icon'=>'Zuschneiden-Icon','HTML Icon'=>'HTML-Icon','Hourglass Icon'=>'Sanduhr-Icon','Heading Icon'=>'Überschrift-Icon','Google Icon'=>'Google-Icon','Games Icon'=>'Spiele-Icon','Status Icon'=>'Status-Icon','Image Icon'=>'Bild-Icon','Gallery Icon'=>'Galerie-Icon','Chat Icon'=>'Chat-Icon','Audio Icon'=>'Audio-Icon','Food Icon'=>'Essen-Icon','Exit Icon'=>'Verlassen-Icon','Excerpt View Icon'=>'Textauszug-anzeigen-Icon','Embed Video Icon'=>'Video-einbetten-Icon','Embed Post Icon'=>'Beitrag-einbetten-Icon','Embed Photo Icon'=>'Foto-einbetten-Icon','Embed Generic Icon'=>'Einbetten-Icon','Embed Audio Icon'=>'Audio-einbetten-Icon','Custom Character Icon'=>'Individuelles-Zeichen-Icon','Edit Page Icon'=>'Seite-bearbeiten-Icon','Drumstick Icon'=>'Hähnchenkeule-Icon','Database View Icon'=>'Datenbank-anzeigen-Icon','Database Remove Icon'=>'Datenbank-entfernen-Icon','Database Import Icon'=>'Datenbank-importieren-Icon','Database Export Icon'=>'Datenbank-exportieren-Icon','Database Add Icon'=>'Datenbank-hinzufügen-Icon','Database Icon'=>'Datenbank-Icon','Cover Image Icon'=>'Titelbild-Icon','Repeat Icon'=>'Wiederholen-Icon','Play Icon'=>'Abspielen-Icon','Pause Icon'=>'Pause-Icon','Back Icon'=>'Zurück-Icon','Columns Icon'=>'Spalten-Icon','Color Picker Icon'=>'Farbwähler-Icon','Coffee Icon'=>'Kaffee-Icon','Code Standards Icon'=>'Code-Standards-Icon','Car Icon'=>'Auto-Icon','Calculator Icon'=>'Rechner-Icon','Button Icon'=>'Button-Icon','Topics Icon'=>'Themen-Icon','Replies Icon'=>'Antworten-Icon','Friends Icon'=>'Freunde-Icon','Community Icon'=>'Community-Icon','BuddyPress Icon'=>'BuddyPress-Icon','bbPress Icon'=>'bbPress-Icon','Activity Icon'=>'Aktivität-Icon','Block Default Icon'=>'Block-Standard-Icon','Bell Icon'=>'Glocke-Icon','Beer Icon'=>'Bier-Icon','Bank Icon'=>'Bank-Icon','Amazon Icon'=>'Amazon-Icon','Airplane Icon'=>'Flugzeug-Icon','Sorry, you do not have permission to do that.'=>'Du bist leider nicht berechtigt, diese Aktion durchzuführen.','ACF PRO logo'=>'ACF-PRO-Logo','ACF PRO Logo'=>'ACF-PRO-Logo','Yes Icon'=>'Ja-Icon','WordPress Icon'=>'WordPress-Icon','Warning Icon'=>'Warnung-Icon','Visibility Icon'=>'Sichtbarkeit-Icon','Vault Icon'=>'Tresorraum-Icon','Upload Icon'=>'Upload-Icon','Update Icon'=>'Aktualisieren-Icon','Unlock Icon'=>'Schloss-offen-Icon','Undo Icon'=>'Rückgängig-Icon','Twitter Icon'=>'Twitter-Icon','Trash Icon'=>'Papierkorb-Icon','Translation Icon'=>'Übersetzung-Icon','Tickets Icon'=>'Tickets-Icon','Thumbs Up Icon'=>'Daumen-hoch-Icon','Thumbs Down Icon'=>'Daumen-runter-Icon','Text Icon'=>'Text-Icon','Tagcloud Icon'=>'Schlagwortwolke-Icon','Tag Icon'=>'Schlagwort-Icon','Tablet Icon'=>'Tablet-Icon','Store Icon'=>'Shop-Icon','Sos Icon'=>'SOS-Icon','Sort Icon'=>'Sortieren-Icon','Smiley Icon'=>'Smiley-Icon','Smartphone Icon'=>'Smartphone-Icon','Slides Icon'=>'Slides-Icon','Shield Icon'=>'Schild-Icon','Share Icon'=>'Teilen-Icon','Search Icon'=>'Suchen-Icon','Schedule Icon'=>'Zeitplan-Icon','Redo Icon'=>'Wiederholen-Icon','Products Icon'=>'Produkte-Icon','Pressthis Icon'=>'Pressthis-Icon','Post Status Icon'=>'Beitragsstatus-Icon','Portfolio Icon'=>'Portfolio-Icon','Plus Icon'=>'Plus-Icon','Playlist Video Icon'=>'Video-Wiedergabeliste-Icon','Playlist Audio Icon'=>'Audio-Wiedergabeliste-Icon','Phone Icon'=>'Telefon-Icon','Performance Icon'=>'Leistung-Icon','Paperclip Icon'=>'Büroklammer-Icon','No Icon'=>'Nein-Icon','Nametag Icon'=>'Namensschild-Icon','Money Icon'=>'Geld-Icon','Minus Icon'=>'Minus-Icon','Migrate Icon'=>'Migrieren-Icon','Microphone Icon'=>'Mikrofon-Icon','Megaphone Icon'=>'Megafon-Icon','Marker Icon'=>'Marker-Icon','Lock Icon'=>'Schloss-Icon','List View Icon'=>'Listenansicht-Icon','Lightbulb Icon'=>'Glühbirnen-Icon','Left Right Icon'=>'Links-Rechts-Icon','Layout Icon'=>'Layout-Icon','Laptop Icon'=>'Laptop-Icon','Info Icon'=>'Info-Icon','Index Card Icon'=>'Karteikarte-Icon','ID Icon'=>'ID-Icon','Heart Icon'=>'Herz-Icon','Hammer Icon'=>'Hammer-Icon','Groups Icon'=>'Gruppen-Icon','Grid View Icon'=>'Rasteransicht-Icon','Forms Icon'=>'Formulare-Icon','Flag Icon'=>'Flagge-Icon','Filter Icon'=>'Filter-Icon','Feedback Icon'=>'Feedback-Icon','Facebook Icon'=>'Facebook-Icon','Email Icon'=>'E-Mail-Icon','Video Icon'=>'Video-Icon','Unlink Icon'=>'Link-entfernen-Icon','Underline Icon'=>'Unterstreichen-Icon','Text Color Icon'=>'Textfarbe-Icon','Table Icon'=>'Tabelle-Icon','Strikethrough Icon'=>'Durchgestrichen-Icon','Spellcheck Icon'=>'Rechtschreibprüfung-Icon','Remove Formatting Icon'=>'Formatierung-entfernen-Icon','Quote Icon'=>'Zitat-Icon','Paragraph Icon'=>'Absatz-Icon','Outdent Icon'=>'Ausrücken-Icon','Justify Icon'=>'Blocksatz-Icon','Italic Icon'=>'Kursiv-Icon','Indent Icon'=>'Einrücken-Icon','Help Icon'=>'Hilfe-Icon','Contract Icon'=>'Vertrag-Icon','Code Icon'=>'Code-Icon','Break Icon'=>'Umbruch-Icon','Bold Icon'=>'Fett-Icon','Edit Icon'=>'Bearbeiten-Icon','Download Icon'=>'Download-Icon','Desktop Icon'=>'Desktop-Icon','Dashboard Icon'=>'Dashboard-Icon','Clock Icon'=>'Uhr-Icon','Chart Pie Icon'=>'Tortendiagramm-Icon','Chart Line Icon'=>'Liniendiagramm-Icon','Chart Bar Icon'=>'Balkendiagramm-Icon','Chart Area Icon'=>'Flächendiagramm-Icon','Category Icon'=>'Kategorie-Icon','Cart Icon'=>'Warenkorb-Icon','Carrot Icon'=>'Karotte-Icon','Camera Icon'=>'Kamera-Icon','Calendar Icon'=>'Kalender-Icon','Businesswoman Icon'=>'Geschäftsfrau-Icon','Building Icon'=>'Gebäude-Icon','Book Icon'=>'Buch-Icon','Backup Icon'=>'Backup-Icon','Awards Icon'=>'Auszeichnungen-Icon','Art Icon'=>'Kunst-Icon','Arrow Up Icon'=>'Pfeil-nach-oben-Icon','Arrow Right Icon'=>'Pfeil-nach-rechts-Icon','Arrow Left Icon'=>'Pfeil-nach-links-Icon','Arrow Down Icon'=>'Pfeil-nach-unten-Icon','Archive Icon'=>'Archiv-Icon','Analytics Icon'=>'Analyse-Icon','Align Right Icon'=>'Rechtsbündig-Icon','Align Left Icon'=>'Linksbündig-Icon','Align Center Icon'=>'Zentriert-Icon','Album Icon'=>'Album-Icon','Users Icon'=>'Benutzer-Icon','Tools Icon'=>'Werkzeuge-Icon','Site Icon'=>'Website-Icon','Settings Icon'=>'Einstellungen-Icon','Post Icon'=>'Beitrag-Icon','Plugins Icon'=>'Plugins-Icon','Page Icon'=>'Seite-Icon','Network Icon'=>'Netzwerk-Icon','Multisite Icon'=>'Multisite-Icon','Media Icon'=>'Medien-Icon','Links Icon'=>'Links-Icon','Home Icon'=>'Home-Icon','Customizer Icon'=>'Customizer-Icon','Comments Icon'=>'Kommentare-Icon','No results found for that search term'=>'Es wurden keine Ergebnisse für diesen Suchbegriff gefunden.','Array'=>'Array','String'=>'Zeichenfolge','Browse Media Library'=>'Mediathek durchsuchen','Search icons...'=>'Icons suchen …','Media Library'=>'Mediathek','Dashicons'=>'Dashicons','Icon Picker'=>'Icon-Wähler','Registered ACF Forms'=>'Registrierte ACF-Formulare','Shortcode Enabled'=>'Shortcode aktiviert','Registered ACF Blocks'=>'Registrierte ACF-Blöcke','Standard'=>'Standard','REST API Format'=>'REST-API-Format','Registered Options Pages (PHP)'=>'Registrierte Optionsseiten (PHP)','Registered Options Pages (JSON)'=>'Registrierte Optionsseiten (JSON)','Registered Options Pages (UI)'=>'Registrierte Optionsseiten (UI)','Registered Taxonomies (JSON)'=>'Registrierte Taxonomien (JSON)','Registered Taxonomies (UI)'=>'Registrierte Taxonomien (UI)','Registered Post Types (JSON)'=>'Registrierte Inhaltstypen (JSON)','Registered Post Types (UI)'=>'Registrierte Inhaltstypen (UI)','Registered Field Groups (JSON)'=>'Registrierte Feldgruppen (JSON)','Registered Field Groups (PHP)'=>'Registrierte Feldgruppen (PHP)','Registered Field Groups (UI)'=>'Registrierte Feldgruppen (UI)','Active Plugins'=>'Aktive Plugins','Parent Theme'=>'Übergeordnetes Theme','Active Theme'=>'Aktives Theme','Is Multisite'=>'Ist Multisite','MySQL Version'=>'MySQL-Version','WordPress Version'=>'WordPress-Version','Subscription Expiry Date'=>'Ablaufdatum des Abonnements','License Status'=>'Lizenzstatus','License Type'=>'Lizenz-Typ','Licensed URL'=>'Lizensierte URL','License Activated'=>'Lizenz aktiviert','Free'=>'Kostenlos','Plugin Type'=>'Plugin-Typ','Plugin Version'=>'Plugin-Version','Dismiss permanently'=>'Dauerhaft verwerfen','Terms do not contain'=>'Begriffe enthalten nicht','Terms contain'=>'Begriffe enthalten','Term is not equal to'=>'Begriff ist ungleich','Term is equal to'=>'Begriff ist gleich','Users do not contain'=>'Benutzer enthalten nicht','Users contain'=>'Benutzer enthalten','User is not equal to'=>'Benutzer ist ungleich','User is equal to'=>'Benutzer ist gleich','Pages do not contain'=>'Seiten enthalten nicht','Pages contain'=>'Seiten enthalten','Page is not equal to'=>'Seite ist ungleich','Page is equal to'=>'Seite ist gleich','Posts do not contain'=>'Beiträge enthalten nicht','Posts contain'=>'Beiträge enthalten','Post is not equal to'=>'Beitrag ist ungleich','Post is equal to'=>'Beitrag ist gleich','Relationships do not contain'=>'Beziehungen enthalten nicht','Relationships contain'=>'Beziehungen enthalten','Relationship is not equal to'=>'Beziehung ist ungleich','Relationship is equal to'=>'Beziehung ist gleich','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-Felder','ACF PRO Feature'=>'ACF-PRO-Funktion','Renew PRO to Unlock'=>'PRO-Lizenz zum Freischalten erneuern','Renew PRO License'=>'PRO-Lizenz erneuern','PRO fields cannot be edited without an active license.'=>'PRO-Felder können ohne aktive Lizenz nicht bearbeitet werden.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um Feldgruppen bearbeiten zu können, die einem ACF-Block zugewiesen wurden.','Please activate your ACF PRO license to edit this options page.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um diese Optionsseite zu bearbeiten.','Please contact your site administrator or developer for more details.'=>'Bitte kontaktiere den Administrator oder Entwickler deiner Website für mehr Details.','Learn more'=>'Mehr erfahren','Hide details'=>'Details verbergen','Show details'=>'Details anzeigen','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - gerendert via %3$s','Renew ACF PRO License'=>'ACF-PRO-Lizenz erneuern','Renew License'=>'Lizenz erneuern','Manage License'=>'Lizenz verwalten','\'High\' position not supported in the Block Editor'=>'Die „Hoch“-Position wird im Block-Editor nicht unterstützt','Upgrade to ACF PRO'=>'Upgrade auf ACF PRO','Add Options Page'=>'Optionen-Seite hinzufügen','In the editor used as the placeholder of the title.'=>'Wird im Editor als Platzhalter für den Titel verwendet.','Title Placeholder'=>'Titel-Platzhalter','4 Months Free'=>'4 Monate kostenlos','(Duplicated from %s)'=>'(Duplikat von %s)','Select Options Pages'=>'Options-Seite auswählen','Duplicate taxonomy'=>'Taxonomie duplizieren','Create taxonomy'=>'Taxonomie erstellen','Duplicate post type'=>'Inhalttyp duplizieren','Create post type'=>'Inhaltstyp erstellen','Link field groups'=>'Feldgruppen verlinken','Add fields'=>'Felder hinzufügen','This Field'=>'Dieses Feld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Hilfe','is developed and maintained by'=>'wird entwickelt und gewartet von','Add this %s to the location rules of the selected field groups.'=>'Füge %s zu den Positions-Optionen der ausgewählten Feldgruppen hinzu.','Target Field'=>'Ziel-Feld','Update a field on the selected values, referencing back to this ID'=>'Ein Feld mit den ausgewählten Werten aktualisieren, auf diese ID zurückverweisend','Bidirectional'=>'Bidirektional','%s Field'=>'%s Feld','Select Multiple'=>'Mehrere auswählen','WP Engine logo'=>'Logo von WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Erlaubt sind Kleinbuchstaben, Unterstriche (_) und Striche (-), maximal 32 Zeichen.','The capability name for assigning terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zuzuordnen.','Assign Terms Capability'=>'Begriffs-Berechtigung zuordnen','The capability name for deleting terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu löschen.','Delete Terms Capability'=>'Begriffs-Berechtigung löschen','The capability name for editing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu bearbeiten.','Edit Terms Capability'=>'Begriffs-Berechtigung bearbeiten','The capability name for managing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu verwalten.','Manage Terms Capability'=>'Begriffs-Berechtigung verwalten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Legt fest, ob Beiträge von den Suchergebnissen und Taxonomie-Archivseiten ausgeschlossen werden sollen.','More Tools from WP Engine'=>'Mehr Werkzeuge von WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gebaut für alle, die mit WordPress bauen, vom Team bei %s','View Pricing & Upgrade'=>'Preise anzeigen und Upgrade installieren','Learn More'=>'Mehr erfahren','Unlock Advanced Features and Build Even More with ACF PRO'=>'Schalte erweiterte Funktionen frei und erschaffe noch mehr mit ACF PRO','%s fields'=>'%s Felder','No terms'=>'Keine Begriffe','No post types'=>'Keine Inhaltstypen','No posts'=>'Keine Beiträge','No taxonomies'=>'Keine Taxonomien','No field groups'=>'Keine Feldgruppen','No fields'=>'Keine Felder','No description'=>'Keine Beschreibung','Any post status'=>'Jeder Beitragsstatus','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie außerhalb von ACF und kann nicht verwendet werden.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie in ACF und kann nicht verwendet werden.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Taxonomie-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The taxonomy key must be under 32 characters.'=>'Der Taxonomie-Schlüssel muss kürzer als 32 Zeichen sein.','No Taxonomies found in Trash'=>'Es wurden keine Taxonomien im Papierkorb gefunden','No Taxonomies found'=>'Es wurden keine Taxonomien gefunden','Search Taxonomies'=>'Suche Taxonomien','View Taxonomy'=>'Taxonomie anzeigen','New Taxonomy'=>'Neue Taxonomie','Edit Taxonomy'=>'Taxonomie bearbeiten','Add New Taxonomy'=>'Neue Taxonomie hinzufügen','No Post Types found in Trash'=>'Es wurden keine Inhaltstypen im Papierkorb gefunden','No Post Types found'=>'Es wurden keine Inhaltstypen gefunden','Search Post Types'=>'Inhaltstypen suchen','View Post Type'=>'Inhaltstyp anzeigen','New Post Type'=>'Neuer Inhaltstyp','Edit Post Type'=>'Inhaltstyp bearbeiten','Add New Post Type'=>'Neuen Inhaltstyp hinzufügen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp außerhalb von ACF und kann nicht verwendet werden.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp in ACF und kann nicht verwendet werden.','This field must not be a WordPress reserved term.'=>'Dieses Feld darf kein von WordPress reservierter Begriff sein.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Inhaltstyp-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The post type key must be under 20 characters.'=>'Der Inhaltstyp-Schlüssel muss kürzer als 20 Zeichen sein.','We do not recommend using this field in ACF Blocks.'=>'Es wird nicht empfohlen, dieses Feld in ACF-Blöcken zu verwenden.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zeigt den WordPress-WYSIWYG-Editor an, wie er in Beiträgen und Seiten zu sehen ist, und ermöglicht so eine umfangreiche Textbearbeitung, die auch Multimedia-Inhalte zulässt.','WYSIWYG Editor'=>'WYSIWYG-Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Ermöglicht die Auswahl von einem oder mehreren Benutzern, die zur Erstellung von Beziehungen zwischen Datenobjekten verwendet werden können.','A text input specifically designed for storing web addresses.'=>'Eine Texteingabe, die speziell für die Speicherung von Webadressen entwickelt wurde.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ein Schalter, mit dem ein Wert von 1 oder 0 (ein oder aus, wahr oder falsch usw.) auswählt werden kann. Kann als stilisierter Schalter oder Kontrollkästchen dargestellt werden.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zum Auswählen einer Zeit. Das Zeitformat kann in den Feldeinstellungen angepasst werden.','A basic textarea input for storing paragraphs of text.'=>'Eine einfache Eingabe in Form eines Textbereiches zum Speichern von Textabsätzen.','A basic text input, useful for storing single string values.'=>'Eine einfache Texteingabe, nützlich für die Speicherung einzelner Zeichenfolgen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Ermöglicht die Auswahl von einem oder mehreren Taxonomiebegriffen auf der Grundlage der in den Feldeinstellungen angegebenen Kriterien und Optionen.','A dropdown list with a selection of choices that you specify.'=>'Eine Dropdown-Liste mit einer von dir angegebenen Auswahl an Wahlmöglichkeiten.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Ein Schieberegler-Eingabefeld für numerische Zahlenwerte in einem festgelegten Bereich.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Eine Gruppe von Radiobuttons, die es dem Benutzer ermöglichen, eine einzelne Auswahl aus von dir angegebenen Werten zu treffen.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Eine interaktive und anpassbare Benutzeroberfläche zur Auswahl einer beliebigen Anzahl von Beiträgen, Seiten oder Inhaltstypen-Elemente mit der Option zum Suchen. ','An input for providing a password using a masked field.'=>'Ein Passwort-Feld, das die Eingabe maskiert.','Filter by Post Status'=>'Nach Beitragsstatus filtern','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Ein interaktives Drop-down-Menü zur Auswahl von einem oder mehreren Beiträgen, Seiten, individuellen Inhaltstypen oder Archiv-URLs mit der Option zur Suche.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Ein interaktives Feld zum Einbetten von Videos, Bildern, Tweets, Audio und anderen Inhalten unter Verwendung der nativen WordPress-oEmbed-Funktionalität.','An input limited to numerical values.'=>'Eine auf numerische Werte beschränkte Eingabe.','Uses the native WordPress media picker to upload, or choose images.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Bildern.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Bietet die Möglichkeit zur Gruppierung von Feldern, um Daten und den Bearbeiten-Bildschirm besser zu strukturieren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Standortes unter Verwendung von Google Maps. Benötigt einen Google-Maps-API-Schlüssel und eine zusätzliche Konfiguration für eine korrekte Anzeige.','Uses the native WordPress media picker to upload, or choose files.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Dateien.','A text input specifically designed for storing email addresses.'=>'Ein Texteingabefeld, das speziell für die Speicherung von E-Mail-Adressen entwickelt wurde.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl von Datum und Uhrzeit. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Datums. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Eine interaktive Benutzeroberfläche zur Auswahl einer Farbe, oder zur Eingabe eines Hex-Wertes.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Eine Gruppe von Auswahlkästchen, die du festlegst, aus denen der Benutzer einen oder mehrere Werte auswählen kann.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Eine Gruppe von Buttons mit von dir festgelegten Werten. Die Benutzer können eine Option aus den angegebenen Werten auswählen.','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Erweitert','JSON (newer)'=>'JSON (neuer)','Original'=>'Original','Invalid post ID.'=>'Ungültige Beitrags-ID.','Invalid post type selected for review.'=>'Der für die Betrachtung ausgewählte Inhaltstyp ist ungültig.','More'=>'Mehr','Tutorial'=>'Anleitung','Select Field'=>'Feld auswählen','Try a different search term or browse %s'=>'Probiere es mit einem anderen Suchbegriff oder durchsuche %s','Popular fields'=>'Beliebte Felder','No search results for \'%s\''=>'Es wurden keine Suchergebnisse für ‚%s‘ gefunden','Search fields...'=>'Felder suchen ...','Select Field Type'=>'Feldtyp auswählen','Popular'=>'Beliebt','Add Taxonomy'=>'Taxonomie hinzufügen','Create custom taxonomies to classify post type content'=>'Erstelle individuelle Taxonomien, um die Inhalte von Inhaltstypen zu kategorisieren','Add Your First Taxonomy'=>'Deine erste Taxonomie hinzufügen','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchische Taxonomien können untergeordnete haben (wie Kategorien).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Macht eine Taxonomie sichtbar im Frontend und im Admin-Dashboard.','One or many post types that can be classified with this taxonomy.'=>'Einer oder mehrere Inhaltstypen, die mit dieser Taxonomie kategorisiert werden können.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Terms_Controller“.','Expose this post type in the REST API.'=>'Diesen Inhaltstyp in der REST-API anzeigen.','Customize the query variable name'=>'Den Namen der Abfrage-Variable anpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Begriffe können über den unschicken Permalink abgerufen werden, z. B. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Über-/untergeordnete Begriffe in URLs von hierarchischen Taxonomien.','Customize the slug used in the URL'=>'Passe die Titelform an, die in der URL genutzt wird','Permalinks for this taxonomy are disabled.'=>'Permalinks sind für diese Taxonomie deaktiviert.','Taxonomy Key'=>'Taxonomie-Schlüssel','Select the type of permalink to use for this taxonomy.'=>'Wähle den Permalink-Typ, der für diese Taxonomie genutzt werden soll.','Display a column for the taxonomy on post type listing screens.'=>'Anzeigen einer Spalte für die Taxonomie in der Listenansicht der Inhaltstypen.','Show Admin Column'=>'Admin-Spalte anzeigen','Show the taxonomy in the quick/bulk edit panel.'=>'Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen.','Quick Edit'=>'QuickEdit','List the taxonomy in the Tag Cloud Widget controls.'=>'Listet die Taxonomie in den Steuerelementen des Schlagwortwolke-Widgets auf.','Tag Cloud'=>'Schlagwort-Wolke','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ein PHP-Funktionsname, der zum Bereinigen von Taxonomiedaten aufgerufen werden soll, die von einer Metabox gespeichert wurden.','Meta Box Sanitization Callback'=>'Metabox-Bereinigungs-Callback','Register Meta Box Callback'=>'Metabox-Callback registrieren','No Meta Box'=>'Keine Metabox','Custom Meta Box'=>'Individuelle Metabox','Meta Box'=>'Metabox','Categories Meta Box'=>'Kategorien-Metabox','Tags Meta Box'=>'Schlagwörter-Metabox','A link to a tag'=>'Ein Link zu einem Schlagwort','A link to a %s'=>'Ein Link zu einer Taxonomie %s','Tag Link'=>'Schlagwort-Link','← Go to tags'=>'← Zu Schlagwörtern gehen','Back To Items'=>'Zurück zu den Elementen','← Go to %s'=>'← Zu %s gehen','Tags list'=>'Schlagwörter-Liste','Tags list navigation'=>'Navigation der Schlagwörterliste','Filter by category'=>'Nach Kategorie filtern','Filter By Item'=>'Filtern nach Element','Filter by %s'=>'Nach %s filtern','Describes the Description field on the Edit Tags screen.'=>'Beschreibt das Beschreibungsfeld in der Schlagwörter-bearbeiten-Ansicht.','Description Field Description'=>'Beschreibung des Beschreibungfeldes','Describes the Parent field on the Edit Tags screen.'=>'Beschreibt das übergeordnete Feld in der Schlagwörter-bearbeiten-Ansicht.','Parent Field Description'=>'Beschreibung des übergeordneten Feldes','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Die Titelform ist die URL-freundliche Version des Namens. Sie besteht üblicherweise aus Kleinbuchstaben und zudem nur aus Buchstaben, Zahlen und Bindestrichen.','Describes the Slug field on the Edit Tags screen.'=>'Beschreibt das Titelform-Feld in der Schlagwörter-bearbeiten-Ansicht.','Slug Field Description'=>'Beschreibung des Titelformfeldes','The name is how it appears on your site'=>'Der Name ist das, was auf deiner Website angezeigt wird','Describes the Name field on the Edit Tags screen.'=>'Beschreibt das Namensfeld in der Schlagwörter-bearbeiten-Ansicht.','Name Field Description'=>'Beschreibung des Namenfeldes','No tags'=>'Keine Schlagwörter','No Terms'=>'Keine Begriffe','No %s'=>'Keine %s-Taxonomien','No tags found'=>'Es wurden keine Schlagwörter gefunden','Not Found'=>'Es wurde nichts gefunden','Most Used'=>'Am häufigsten verwendet','Choose from the most used tags'=>'Wähle aus den meistgenutzten Schlagwörtern','Choose From Most Used'=>'Wähle aus den Meistgenutzten','Choose from the most used %s'=>'Wähle aus den meistgenutzten %s','Add or remove tags'=>'Schlagwörter hinzufügen oder entfernen','Add Or Remove Items'=>'Elemente hinzufügen oder entfernen','Add or remove %s'=>'%s hinzufügen oder entfernen','Separate tags with commas'=>'Schlagwörter durch Kommas trennen','Separate Items With Commas'=>'Trenne Elemente mit Kommas','Separate %s with commas'=>'Trenne %s durch Kommas','Popular Tags'=>'Beliebte Schlagwörter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Zugeordneter Text für beliebte Elemente. Wird nur für nicht-hierarchische Taxonomien verwendet.','Popular Items'=>'Beliebte Elemente','Popular %s'=>'Beliebte %s','Search Tags'=>'Schlagwörter suchen','Parent Category:'=>'Übergeordnete Kategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Den Text des übergeordneten Elements zuordnen, aber mit einem Doppelpunkt (:) am Ende.','Parent Item With Colon'=>'Übergeordnetes Element mit Doppelpunkt','Parent Category'=>'Übergeordnete Kategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Zugeordneter Text für übergeordnete Elemente. Wird nur für hierarchische Taxonomien verwendet.','Parent Item'=>'Übergeordnetes Element','Parent %s'=>'Übergeordnete Taxonomie %s','New Tag Name'=>'Neuer Schlagwortname','New Item Name'=>'Name des neuen Elements','New %s Name'=>'Neuer %s-Name','Add New Tag'=>'Ein neues Schlagwort hinzufügen','Update Tag'=>'Schlagwort aktualisieren','Update Item'=>'Element aktualisieren','Update %s'=>'%s aktualisieren','View Tag'=>'Schlagwort anzeigen','Edit Tag'=>'Schlagwort bearbeiten','At the top of the editor screen when editing a term.'=>'Oben in der Editoransicht, wenn ein Begriff bearbeitet wird.','All Tags'=>'Alle Schlagwörter','Menu Label'=>'Menü-Beschriftung','Active taxonomies are enabled and registered with WordPress.'=>'Aktive Taxonomien sind aktiviert und in WordPress registriert.','A descriptive summary of the taxonomy.'=>'Eine beschreibende Zusammenfassung der Taxonomie.','A descriptive summary of the term.'=>'Eine beschreibende Zusammenfassung des Begriffs.','Term Description'=>'Beschreibung des Begriffs','Single word, no spaces. Underscores and dashes allowed.'=>'Einzelnes Wort, keine Leerzeichen. Unterstriche und Bindestriche erlaubt.','Term Slug'=>'Begriffs-Titelform','The name of the default term.'=>'Der Name des Standardbegriffs.','Term Name'=>'Name des Begriffs','Default Term'=>'Standardbegriff','Sort Terms'=>'Begriffe sortieren','Add Post Type'=>'Inhaltstyp hinzufügen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Erweitere die Funktionalität von WordPress über Standard-Beiträge und -Seiten hinaus mit individuellen Inhaltstypen.','Add Your First Post Type'=>'Deinen ersten Inhaltstyp hinzufügen','I know what I\'m doing, show me all the options.'=>'Ich weiß, was ich tue, zeig mir alle Optionen.','Advanced Configuration'=>'Erweiterte Konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarchische Inhaltstypen können untergeordnete haben (wie Seiten).','Hierarchical'=>'Hierarchisch','Visible on the frontend and in the admin dashboard.'=>'Sichtbar im Frontend und im Admin-Dashboard.','Public'=>'Öffentlich','movie'=>'Film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Nur Kleinbuchstaben, Unterstriche und Bindestriche, maximal 20 Zeichen.','Movie'=>'Film','Singular Label'=>'Beschriftung (Einzahl)','Movies'=>'Filme','Plural Label'=>'Beschriftung (Mehrzahl)','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Posts_Controller“.','Controller Class'=>'Controller-Klasse','The namespace part of the REST API URL.'=>'Der Namensraum-Teil der REST-API-URL.','Namespace Route'=>'Namensraum-Route','The base URL for the post type REST API URLs.'=>'Die Basis-URL für REST-API-URLs des Inhalttyps.','Base URL'=>'Basis-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zeigt diesen Inhalttyp in der REST-API. Wird zur Verwendung im Block-Editor benötigt.','Show In REST API'=>'Im REST-API anzeigen','Customize the query variable name.'=>'Den Namen der Abfrage-Variable anpassen.','Query Variable'=>'Abfrage-Variable','No Query Variable Support'=>'Keine Unterstützung von Abfrage-Variablen','Custom Query Variable'=>'Individuelle Abfrage-Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elemente können über den unschicken Permalink abgerufen werden, z. B. {post_type}={post_slug}.','Query Variable Support'=>'Unterstützung von Abfrage-Variablen','Publicly Queryable'=>'Öffentlich abfragbar','Custom slug for the Archive URL.'=>'Individuelle Titelform für die Archiv-URL.','Archive Slug'=>'Archiv-Titelform','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Unterstützung für Seitennummerierung der Element-URLs, wie bei Archiven.','Pagination'=>'Seitennummerierung','RSS feed URL for the post type items.'=>'RSS-Feed-URL für Inhaltstyp-Elemente.','Feed URL'=>'Feed-URL','Customize the slug used in the URL.'=>'Passe die Titelform an, die in der URL genutzt wird.','URL Slug'=>'URL-Titelform','Permalinks for this post type are disabled.'=>'Permalinks sind für diesen Inhaltstyp deaktiviert.','Custom Permalink'=>'Individueller Permalink','Post Type Key'=>'Inhaltstyp-Schlüssel','Permalink Rewrite'=>'Permalink neu schreiben','Delete items by a user when that user is deleted.'=>'Elemente eines Benutzers löschen, wenn der Benutzer gelöscht wird.','Delete With User'=>'Zusammen mit dem Benutzer löschen','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Erlaubt den Inhaltstyp zu exportieren unter „Werkzeuge“ > „Export“.','Can Export'=>'Kann exportieren','Optionally provide a plural to be used in capabilities.'=>'Du kannst optional eine Mehrzahl für Berechtigungen angeben.','Plural Capability Name'=>'Name der Berechtigung (Mehrzahl)','Choose another post type to base the capabilities for this post type.'=>'Wähle einen anderen Inhaltstyp aus als Basis der Berechtigungen für diesen Inhaltstyp.','Singular Capability Name'=>'Name der Berechtigung (Einzahl)','Rename Capabilities'=>'Berechtigungen umbenennen','Exclude From Search'=>'Von der Suche ausschließen','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Erlaubt das Hinzufügen von Elementen zu Menüs unter „Design“ > „Menüs“. Muss aktiviert werden unter „Ansicht anpassen“.','Appearance Menus Support'=>'Unterstützung für Design-Menüs','Appears as an item in the \'New\' menu in the admin bar.'=>'Erscheint als Eintrag im „Neu“-Menü der Adminleiste.','Show In Admin Bar'=>'In der Adminleiste anzeigen','Custom Meta Box Callback'=>'Individueller Metabox-Callback','Menu Icon'=>'Menü-Icon','The position in the sidebar menu in the admin dashboard.'=>'Die Position im Seitenleisten-Menü des Admin-Dashboards.','Menu Position'=>'Menü-Position','Admin Menu Parent'=>'Übergeordnetes Admin-Menü','Show In Admin Menu'=>'Im Admin-Menü anzeigen','Items can be edited and managed in the admin dashboard.'=>'Elemente können im Admin-Dashboard bearbeitet und verwaltet werden.','Show In UI'=>'In der Benutzeroberfläche anzeigen','A link to a post.'=>'Ein Link zu einem Beitrag.','Item Link Description'=>'Beschreibung des Element-Links','A link to a %s.'=>'Ein Link zu einem Inhaltstyp %s','Post Link'=>'Beitragslink','Item Link'=>'Element-Link','%s Link'=>'%s-Link','Post updated.'=>'Der Beitrag wurde aktualisiert.','In the editor notice after an item is updated.'=>'Im Editor-Hinweis, nachdem ein Element aktualisiert wurde.','Item Updated'=>'Das Element wurde aktualisiert','%s updated.'=>'%s wurde aktualisiert.','Post scheduled.'=>'Die Beiträge wurden geplant.','In the editor notice after scheduling an item.'=>'Im Editor-Hinweis, nachdem ein Element geplant wurde.','Item Scheduled'=>'Das Element wurde geplant','%s scheduled.'=>'%s wurde geplant.','Post reverted to draft.'=>'Der Beitrag wurde auf Entwurf zurückgesetzt.','In the editor notice after reverting an item to draft.'=>'Im Editor-Hinweis, nachdem ein Element auf Entwurf zurückgesetzt wurde.','Item Reverted To Draft'=>'Das Element wurde auf Entwurf zurückgesetzt','%s reverted to draft.'=>'%s wurde auf Entwurf zurückgesetzt.','Post published privately.'=>'Der Beitrag wurde privat veröffentlicht.','In the editor notice after publishing a private item.'=>'Im Editor-Hinweis, nachdem ein Element privat veröffentlicht wurde.','Item Published Privately'=>'Das Element wurde privat veröffentlicht','%s published privately.'=>'%s wurde privat veröffentlicht.','Post published.'=>'Der Beitrag wurde veröffentlicht.','In the editor notice after publishing an item.'=>'Im Editor-Hinweis, nachdem ein Element veröffentlicht wurde.','Item Published'=>'Das Element wurde veröffentlicht','%s published.'=>'%s wurde veröffentlicht.','Posts list'=>'Liste der Beiträge','Items List'=>'Elementliste','%s list'=>'%s-Liste','Posts list navigation'=>'Navigation der Beiträge-Liste','Items List Navigation'=>'Navigation der Elementliste','%s list navigation'=>'%s-Listen-Navigation','Filter posts by date'=>'Beiträge nach Datum filtern','Filter Items By Date'=>'Elemente nach Datum filtern','Filter %s by date'=>'%s nach Datum filtern','Filter posts list'=>'Liste mit Beiträgen filtern','Filter Items List'=>'Elemente-Liste filtern','Filter %s list'=>'%s-Liste filtern','Uploaded To This Item'=>'Zu diesem Element hochgeladen','Uploaded to this %s'=>'Zu diesem %s hochgeladen','Insert into post'=>'In den Beitrag einfügen','As the button label when adding media to content.'=>'Als Button-Beschriftung, wenn Medien zum Inhalt hinzugefügt werden.','Insert into %s'=>'In %s einfügen','Use as featured image'=>'Als Beitragsbild verwenden','As the button label for selecting to use an image as the featured image.'=>'Als Button-Beschriftung, wenn ein Bild als Beitragsbild ausgewählt wird.','Use Featured Image'=>'Beitragsbild verwenden','Remove featured image'=>'Beitragsbild entfernen','As the button label when removing the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild entfernt wird.','Remove Featured Image'=>'Beitragsbild entfernen','Set featured image'=>'Beitragsbild festlegen','As the button label when setting the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild festgelegt wird.','Set Featured Image'=>'Beitragsbild festlegen','Featured image'=>'Beitragsbild','Featured Image Meta Box'=>'Beitragsbild-Metabox','Post Attributes'=>'Beitrags-Attribute','In the editor used for the title of the post attributes meta box.'=>'In dem Editor, der für den Titel der Beitragsattribute-Metabox verwendet wird.','Attributes Meta Box'=>'Metabox-Attribute','%s Attributes'=>'%s-Attribute','Post Archives'=>'Beitrags-Archive','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Fügt ‚Inhaltstyp-Archiv‘-Elemente mit dieser Beschriftung zur Liste der Beiträge hinzu, die beim Hinzufügen von Elementen zu einem bestehenden Menü in einem individuellen Inhaltstyp mit aktivierten Archiven angezeigt werden. Erscheint nur, wenn Menüs im Modus „Live-Vorschau“ bearbeitet werden und eine individuelle Archiv-Titelform angegeben wurde.','Archives Nav Menu'=>'Navigations-Menü der Archive','%s Archives'=>'%s-Archive','No posts found in Trash'=>'Es wurden keine Beiträge im Papierkorb gefunden','At the top of the post type list screen when there are no posts in the trash.'=>'Oben in der Listen-Ansicht des Inhaltstyps, wenn keine Beiträge im Papierkorb vorhanden sind.','No Items Found in Trash'=>'Es wurden keine Elemente im Papierkorb gefunden','No %s found in Trash'=>'%s konnten nicht im Papierkorb gefunden werden','No posts found'=>'Es wurden keine Beiträge gefunden','At the top of the post type list screen when there are no posts to display.'=>'Oben in der Listenansicht für Inhaltstypen, wenn es keine Beiträge zum Anzeigen gibt.','No Items Found'=>'Es wurden keine Elemente gefunden','No %s found'=>'%s konnten nicht gefunden werden','Search Posts'=>'Beiträge suchen','At the top of the items screen when searching for an item.'=>'Oben in der Elementansicht, während der Suche nach einem Element.','Search Items'=>'Elemente suchen','Search %s'=>'%s suchen','Parent Page:'=>'Übergeordnete Seite:','For hierarchical types in the post type list screen.'=>'Für hierarchische Typen in der Listenansicht der Inhaltstypen.','Parent Item Prefix'=>'Präfix des übergeordneten Elementes','Parent %s:'=>'%s, übergeordnet:','New Post'=>'Neuer Beitrag','New Item'=>'Neues Element','New %s'=>'Neuer Inhaltstyp %s','Add New Post'=>'Neuen Beitrag hinzufügen','At the top of the editor screen when adding a new item.'=>'Oben in der Editoransicht, wenn ein neues Element hinzugefügt wird.','Add New Item'=>'Neues Element hinzufügen','Add New %s'=>'Neu hinzufügen: %s','View Posts'=>'Beiträge anzeigen','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Wird in der Adminleiste in der Ansicht „Alle Beiträge“ angezeigt, sofern der Inhaltstyp Archive unterstützt und die Homepage kein Archiv dieses Inhaltstyps ist.','View Items'=>'Elemente anzeigen','View Post'=>'Beitrag anzeigen','In the admin bar to view item when editing it.'=>'In der Adminleiste, um das Element beim Bearbeiten anzuzeigen.','View Item'=>'Element anzeigen','View %s'=>'%s anzeigen','Edit Post'=>'Beitrag bearbeiten','At the top of the editor screen when editing an item.'=>'Oben in der Editoransicht, wenn ein Element bearbeitet wird.','Edit Item'=>'Element bearbeiten','Edit %s'=>'%s bearbeiten','All Posts'=>'Alle Beiträge','In the post type submenu in the admin dashboard.'=>'Im Untermenü des Inhaltstyps im Admin-Dashboard.','All Items'=>'Alle Elemente','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Name des Admin-Menüs für den Inhaltstyp.','Menu Name'=>'Menüname','Regenerate all labels using the Singular and Plural labels'=>'Alle Beschriftungen unter Verwendung der Einzahl- und Mehrzahl-Beschriftungen neu generieren','Regenerate'=>'Neu generieren','Active post types are enabled and registered with WordPress.'=>'Aktive Inhaltstypen sind aktiviert und in WordPress registriert.','A descriptive summary of the post type.'=>'Eine beschreibende Zusammenfassung des Inhaltstyps.','Add Custom'=>'Individuell hinzufügen','Enable various features in the content editor.'=>'Verschiedene Funktionen im Inhalts-Editor aktivieren.','Post Formats'=>'Beitragsformate','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Vorhandene Taxonomien auswählen, um Elemente des Inhaltstyps zu kategorisieren.','Browse Fields'=>'Felder durchsuchen','Nothing to import'=>'Es gibt nichts zu importieren','. The Custom Post Type UI plugin can be deactivated.'=>'. Das Plugin Custom Post Type UI kann deaktiviert werden.','Imported %d item from Custom Post Type UI -'=>'Es wurde %d Element von Custom Post Type UI importiert -' . "\0" . 'Es wurden %d Elemente von Custom Post Type UI importiert -','Failed to import taxonomies.'=>'Der Import der Taxonomien ist fehlgeschlagen.','Failed to import post types.'=>'Der Import der Inhaltstypen ist fehlgeschlagen.','Nothing from Custom Post Type UI plugin selected for import.'=>'Es wurde nichts aus dem Plugin Custom Post Type UI für den Import ausgewählt.','Imported 1 item'=>'1 Element wurde importiert' . "\0" . '%s Elemente wurden importiert','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Wenn ein Inhaltstyp oder eine Taxonomie mit einem Schlüssel importiert wird, der bereits vorhanden ist, werden die Einstellungen des vorhandenen Inhaltstyps oder der vorhandenen Taxonomie mit denen des Imports überschrieben.','Import from Custom Post Type UI'=>'Aus Custom Post Type UI importieren','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Der folgende Code kann verwendet werden, um eine lokale Version der ausgewählten Elemente zu registrieren. Die lokale Speicherung von Feldgruppen, Inhaltstypen oder Taxonomien kann viele Vorteile bieten, wie z. B. schnellere Ladezeiten, Versionskontrolle und dynamische Felder/Einstellungen. Kopiere den folgenden Code in die Datei functions.php deines Themes oder füge ihn in eine externe Datei ein und deaktiviere oder lösche anschließend die Elemente in der ACF-Administration.','Export - Generate PHP'=>'Export – PHP generieren','Export'=>'Export','Select Taxonomies'=>'Taxonomien auswählen','Select Post Types'=>'Inhaltstypen auswählen','Exported 1 item.'=>'Ein Element wurde exportiert.' . "\0" . '%s Elemente wurden exportiert.','Category'=>'Kategorie','Tag'=>'Schlagwort','%s taxonomy created'=>'Die Taxonomie %s wurde erstellt','%s taxonomy updated'=>'Die Taxonomie %s wurde aktualisiert','Taxonomy draft updated.'=>'Der Taxonomie-Entwurf wurde aktualisiert.','Taxonomy scheduled for.'=>'Die Taxonomie wurde geplant für.','Taxonomy submitted.'=>'Die Taxonomie wurde übermittelt.','Taxonomy saved.'=>'Die Taxonomie wurde gespeichert.','Taxonomy deleted.'=>'Die Taxonomie wurde gelöscht.','Taxonomy updated.'=>'Die Taxonomie wurde aktualisiert.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Diese Taxonomie konnte nicht registriert werden, da der Schlüssel von einer anderen Taxonomie, die von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Taxonomy synchronized.'=>'Die Taxonomie wurde synchronisiert.' . "\0" . '%s Taxonomien wurden synchronisiert.','Taxonomy duplicated.'=>'Die Taxonomie wurde dupliziert.' . "\0" . '%s Taxonomien wurden dupliziert.','Taxonomy deactivated.'=>'Die Taxonomie wurde deaktiviert.' . "\0" . '%s Taxonomien wurden deaktiviert.','Taxonomy activated.'=>'Die Taxonomie wurde aktiviert.' . "\0" . '%s Taxonomien wurden aktiviert.','Terms'=>'Begriffe','Post type synchronized.'=>'Der Inhaltstyp wurde synchronisiert.' . "\0" . '%s Inhaltstypen wurden synchronisiert.','Post type duplicated.'=>'Der Inhaltstyp wurde dupliziert.' . "\0" . '%s Inhaltstypen wurden dupliziert.','Post type deactivated.'=>'Der Inhaltstyp wurde deaktiviert.' . "\0" . '%s Inhaltstypen wurden deaktiviert.','Post type activated.'=>'Der Inhaltstyp wurde aktiviert.' . "\0" . '%s Inhaltstypen wurden aktiviert.','Post Types'=>'Inhaltstypen','Advanced Settings'=>'Erweiterte Einstellungen','Basic Settings'=>'Grundlegende Einstellungen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dieser Inhaltstyp konnte nicht registriert werden, da dessen Schlüssel von einem anderen Inhaltstyp, der von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Pages'=>'Seiten','Link Existing Field Groups'=>'Vorhandene Feldgruppen verknüpfen','%s post type created'=>'Der Inhaltstyp %s wurde erstellt','Add fields to %s'=>'Felder zu %s hinzufügen','%s post type updated'=>'Der Inhaltstyp %s wurde aktualisiert','Post type draft updated.'=>'Der Inhaltstyp-Entwurf wurde aktualisiert.','Post type scheduled for.'=>'Der Inhaltstyp wurde geplant für.','Post type submitted.'=>'Der Inhaltstyp wurde übermittelt.','Post type saved.'=>'Der Inhaltstyp wurde gespeichert.','Post type updated.'=>'Der Inhaltstyp wurde aktualisiert.','Post type deleted.'=>'Der Inhaltstyp wurde gelöscht.','Type to search...'=>'Tippen, um zu suchen …','PRO Only'=>'Nur Pro','Field groups linked successfully.'=>'Die Feldgruppen wurden erfolgreich verlinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importiere Inhaltstypen und Taxonomien, die mit Custom Post Type UI registriert wurden, und verwalte sie mit ACF. Jetzt starten.','ACF'=>'ACF','taxonomy'=>'Taxonomie','post type'=>'Inhaltstyp','Done'=>'Erledigt','Field Group(s)'=>'Feldgruppe(n)','Select one or many field groups...'=>'Wähle eine Feldgruppe oder mehrere ...','Please select the field groups to link.'=>'Bitte wähle die Feldgruppe zum Verlinken aus.','Field group linked successfully.'=>'Die Feldgruppe wurde erfolgreich verlinkt.' . "\0" . 'Die Feldgruppen wurden erfolgreich verlinkt.','post statusRegistration Failed'=>'Die Registrierung ist fehlgeschlagen','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dieses Element konnte nicht registriert werden, da dessen Schlüssel von einem anderen Element, das von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','REST API'=>'REST-API','Permissions'=>'Berechtigungen','URLs'=>'URLs','Visibility'=>'Sichtbarkeit','Labels'=>'Beschriftungen','Field Settings Tabs'=>'Tabs für Feldeinstellungen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Die Vorschau des ACF-Shortcodes wurde deaktiviert]','Close Modal'=>'Modal schließen','Field moved to other group'=>'Das Feld wurde zu einer anderen Gruppe verschoben','Close modal'=>'Modal schließen','Start a new group of tabs at this tab.'=>'Eine neue Gruppe von Tabs in diesem Tab beginnen.','New Tab Group'=>'Neue Tab-Gruppe','Use a stylized checkbox using select2'=>'Ein stylisches Auswahlkästchen mit select2 verwenden','Save Other Choice'=>'Eine andere Auswahlmöglichkeit speichern','Allow Other Choice'=>'Eine andere Auswahlmöglichkeit erlauben','Add Toggle All'=>'„Alles umschalten“ hinzufügen','Save Custom Values'=>'Individuelle Werte speichern','Allow Custom Values'=>'Individuelle Werte zulassen','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Individuelle Werte von Auswahlkästchen dürfen nicht leer sein. Deaktiviere alle leeren Werte.','Updates'=>'Aktualisierungen','Advanced Custom Fields logo'=>'Advanced-Custom-Fields-Logo','Save Changes'=>'Änderungen speichern','Field Group Title'=>'Feldgruppen-Titel','Add title'=>'Titel hinzufügen','New to ACF? Take a look at our getting started guide.'=>'Neu bei ACF? Wirf einen Blick auf die Anleitung zum Starten (engl.).','Add Field Group'=>'Feldgruppe hinzufügen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF verwendet Feldgruppen, um individuelle Felder zu gruppieren und diese dann in Bearbeitungsansichten anzuhängen.','Add Your First Field Group'=>'Deine erste Feldgruppe hinzufügen','Options Pages'=>'Optionen-Seiten','ACF Blocks'=>'ACF-Blöcke','Gallery Field'=>'Galerie-Feld','Flexible Content Field'=>'Feld „Flexibler Inhalt“','Repeater Field'=>'Wiederholungs-Feld','Unlock Extra Features with ACF PRO'=>'Zusatzfunktionen mit ACF PRO freischalten','Delete Field Group'=>'Feldgruppe löschen','Created on %1$s at %2$s'=>'Erstellt am %1$s um %2$s','Group Settings'=>'Gruppeneinstellungen','Location Rules'=>'Regeln für die Position','Choose from over 30 field types. Learn more.'=>'Wähle aus mehr als 30 Feldtypen. Mehr erfahren (engl.).','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Beginne mit der Erstellung neuer individueller Felder für deine Beiträge, Seiten, individuellen Inhaltstypen und sonstigen WordPress-Inhalten.','Add Your First Field'=>'Füge dein erstes Feld hinzu','#'=>'#','Add Field'=>'Feld hinzufügen','Presentation'=>'Präsentation','Validation'=>'Validierung','General'=>'Allgemein','Import JSON'=>'JSON importieren','Export As JSON'=>'Als JSON exportieren','Field group deactivated.'=>'Die Feldgruppe wurde deaktiviert.' . "\0" . '%s Feldgruppen wurden deaktiviert.','Field group activated.'=>'Die Feldgruppe wurde aktiviert.' . "\0" . '%s Feldgruppen wurden aktiviert.','Deactivate'=>'Deaktivieren','Deactivate this item'=>'Dieses Element deaktivieren','Activate'=>'Aktivieren','Activate this item'=>'Dieses Element aktivieren','Move field group to trash?'=>'Soll die Feldgruppe in den Papierkorb verschoben werden?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch deaktiviert.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields wurde automatisch deaktiviert.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Es wurde mindestens ein Versuch festgestellt, ACF-Feldwerte abzurufen, bevor ACF initialisiert wurde. Dies wird nicht unterstützt und kann zu fehlerhaften oder fehlenden Daten führen. Lerne, wie du das beheben kannst (engl.).','%1$s must have a user with the %2$s role.'=>'%1$s muss einen Benutzer mit der %2$s-Rolle haben.' . "\0" . '%1$s muss einen Benutzer mit einer der folgenden rollen haben: %2$s','%1$s must have a valid user ID.'=>'%1$s muss eine gültige Benutzer-ID haben.','Invalid request.'=>'Ungültige Anfrage.','%1$s is not one of %2$s'=>'%1$s ist nicht eins von %2$s','%1$s must have term %2$s.'=>'%1$s muss den Begriff %2$s haben.' . "\0" . '%1$s muss einen der folgenden Begriffe haben: %2$s','%1$s must be of post type %2$s.'=>'%1$s muss vom Inhaltstyp %2$s sein.' . "\0" . '%1$s muss einer der folgenden Inhaltstypen sein: %2$s','%1$s must have a valid post ID.'=>'%1$s muss eine gültige Beitrags-ID haben.','%s requires a valid attachment ID.'=>'%s erfordert eine gültige Anhangs-ID.','Show in REST API'=>'Im REST-API anzeigen','Enable Transparency'=>'Transparenz aktivieren','RGBA Array'=>'RGBA-Array','RGBA String'=>'RGBA-Zeichenfolge','Hex String'=>'Hex-Zeichenfolge','Upgrade to PRO'=>'Upgrade auf PRO','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'‚%s‘ ist keine gültige E-Mail-Adresse','Color value'=>'Farbwert','Select default color'=>'Standardfarbe auswählen','Clear color'=>'Farbe entfernen','Blocks'=>'Blöcke','Options'=>'Optionen','Users'=>'Benutzer','Menu items'=>'Menüelemente','Widgets'=>'Widgets','Attachments'=>'Anhänge','Taxonomies'=>'Taxonomien','Posts'=>'Beiträge','Last updated: %s'=>'Zuletzt aktualisiert: %s','Sorry, this post is unavailable for diff comparison.'=>'Leider steht diese Feldgruppe nicht für einen Diff-Vergleich zur Verfügung.','Invalid field group parameter(s).'=>'Ungültige(r) Feldgruppen-Parameter.','Awaiting save'=>'Ein Speichern wird erwartet','Saved'=>'Gespeichert','Import'=>'Importieren','Review changes'=>'Änderungen überprüfen','Located in: %s'=>'Ist zu finden in: %s','Located in plugin: %s'=>'Liegt im Plugin: %s','Located in theme: %s'=>'Liegt im Theme: %s','Various'=>'Verschiedene','Sync changes'=>'Änderungen synchronisieren','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON-Änderungen überprüfen','Visit website'=>'Website besuchen','View details'=>'Details anzeigen','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help-Desk. Die Support-Experten unseres Help-Desks werden dir bei komplexeren technischen Herausforderungen unterstützend zur Seite stehen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussionen. Wir haben eine aktive und freundliche Community in unseren Community-Foren, die dir vielleicht dabei helfen kann, dich mit den „How-tos“ der ACF-Welt vertraut zu machen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation (engl.). Diese umfassende Dokumentation beinhaltet Referenzen und Leitfäden zu den meisten Situationen, die du vorfinden wirst.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wir legen großen Wert auf Support und möchten, dass du mit ACF das Beste aus deiner Website herausholst. Wenn du auf Schwierigkeiten stößt, gibt es mehrere Stellen, an denen du Hilfe finden kannst:','Help & Support'=>'Hilfe und Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Falls du Hilfe benötigst, nutze bitte den Tab „Hilfe und Support“, um dich mit uns in Verbindung zu setzen.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Bevor du deine erste Feldgruppe erstellst, wird empfohlen, vorab die Anleitung Erste Schritte (engl.) durchzulesen, um dich mit der Philosophie hinter dem Plugin und den besten Praktiken vertraut zu machen.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Das Advanced-Custom-Fields-Plugin bietet einen visuellen Formular-Builder, um WordPress-Bearbeitungsansichten mit weiteren Feldern zu individualisieren und eine intuitive API, um individuelle Feldwerte in beliebigen Theme-Template-Dateien anzuzeigen.','Overview'=>'Übersicht','Location type "%s" is already registered.'=>'Positions-Typ „%s“ ist bereits registriert.','Class "%s" does not exist.'=>'Die Klasse „%s“ existiert nicht.','Invalid nonce.'=>'Der Nonce ist ungültig.','Error loading field.'=>'Fehler beim Laden des Felds.','Error: %s'=>'Fehler: %s','Widget'=>'Widget','User Role'=>'Benutzerrolle','Comment'=>'Kommentar','Post Format'=>'Beitragsformat','Menu Item'=>'Menüelement','Post Status'=>'Beitragsstatus','Menus'=>'Menüs','Menu Locations'=>'Menüpositionen','Menu'=>'Menü','Post Taxonomy'=>'Beitrags-Taxonomie','Child Page (has parent)'=>'Unterseite (hat übergeordnete Seite)','Parent Page (has children)'=>'Übergeordnete Seite (hat Unterseiten)','Top Level Page (no parent)'=>'Seite der ersten Ebene (keine übergeordnete)','Posts Page'=>'Beitrags-Seite','Front Page'=>'Startseite','Page Type'=>'Seitentyp','Viewing back end'=>'Backend anzeigen','Viewing front end'=>'Frontend anzeigen','Logged in'=>'Angemeldet','Current User'=>'Aktueller Benutzer','Page Template'=>'Seiten-Template','Register'=>'Registrieren','Add / Edit'=>'Hinzufügen/bearbeiten','User Form'=>'Benutzerformular','Page Parent'=>'Übergeordnete Seite','Super Admin'=>'Super-Administrator','Current User Role'=>'Aktuelle Benutzerrolle','Default Template'=>'Standard-Template','Post Template'=>'Beitrags-Template','Post Category'=>'Beitragskategorie','All %s formats'=>'Alle %s Formate','Attachment'=>'Anhang','%s value is required'=>'%s Wert ist erforderlich','Show this field if'=>'Dieses Feld anzeigen, falls','Conditional Logic'=>'Bedingte Logik','and'=>'und','Local JSON'=>'Lokales JSON','Clone Field'=>'Feld duplizieren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.','This version contains improvements to your database and requires an upgrade.'=>'Diese Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.','Thank you for updating to %1$s v%2$s!'=>'Danke für die Aktualisierung auf %1$s v%2$s!','Database Upgrade Required'=>'Ein Upgrade der Datenbank ist erforderlich','Options Page'=>'Optionen-Seite','Gallery'=>'Galerie','Flexible Content'=>'Flexibler Inhalt','Repeater'=>'Wiederholung','Back to all tools'=>'Zurück zur Werkzeugübersicht','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)'=>'Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Sortierungs-Nummer)','Select items to hide them from the edit screen.'=>'Die Elemente auswählen, die in der Bearbeitungsansicht verborgen werden sollen.','Hide on screen'=>'In der Ansicht ausblenden','Send Trackbacks'=>'Trackbacks senden','Tags'=>'Schlagwörter','Categories'=>'Kategorien','Page Attributes'=>'Seiten-Attribute','Format'=>'Format','Author'=>'Autor','Slug'=>'Titelform','Revisions'=>'Revisionen','Comments'=>'Kommentare','Discussion'=>'Diskussion','Excerpt'=>'Textauszug','Content Editor'=>'Inhalts-Editor','Permalink'=>'Permalink','Shown in field group list'=>'Wird in der Feldgruppen-Liste angezeigt','Field groups with a lower order will appear first'=>'Die Feldgruppen mit niedrigerer Ordnung werden zuerst angezeigt','Order No.'=>'Sortierungs-Nr.','Below fields'=>'Unterhalb der Felder','Below labels'=>'Unterhalb der Beschriftungen','Instruction Placement'=>'Platzierung der Anweisungen','Label Placement'=>'Platzierung der Beschriftung','Side'=>'Seite','Normal (after content)'=>'Normal (nach Inhalt)','High (after title)'=>'Hoch (nach dem Titel)','Position'=>'Position','Seamless (no metabox)'=>'Übergangslos (keine Metabox)','Standard (WP metabox)'=>'Standard (WP-Metabox)','Style'=>'Stil','Type'=>'Typ','Key'=>'Schlüssel','Order'=>'Reihenfolge','Close Field'=>'Feld schließen','id'=>'ID','class'=>'Klasse','width'=>'Breite','Wrapper Attributes'=>'Wrapper-Attribute','Required'=>'Erforderlich','Instructions'=>'Anweisungen','Field Type'=>'Feldtyp','Single word, no spaces. Underscores and dashes allowed'=>'Einzelnes Wort ohne Leerzeichen. Unterstriche und Bindestriche sind erlaubt','Field Name'=>'Feldname','This is the name which will appear on the EDIT page'=>'Dies ist der Name, der auf der BEARBEITUNGS-Seite erscheinen wird','Field Label'=>'Feldbeschriftung','Delete'=>'Löschen','Delete field'=>'Feld löschen','Move'=>'Verschieben','Move field to another group'=>'Feld in eine andere Gruppe verschieben','Duplicate field'=>'Feld duplizieren','Edit field'=>'Feld bearbeiten','Drag to reorder'=>'Ziehen zum Sortieren','Show this field group if'=>'Diese Feldgruppe anzeigen, falls','No updates available.'=>'Es sind keine Aktualisierungen verfügbar.','Database upgrade complete. See what\'s new'=>'Das Datenbank-Upgrade wurde abgeschlossen. Schau nach was es Neues gibt','Reading upgrade tasks...'=>'Aufgaben für das Upgrade einlesen ...','Upgrade failed.'=>'Das Upgrade ist fehlgeschlagen.','Upgrade complete.'=>'Das Upgrade wurde abgeschlossen.','Upgrading data to version %s'=>'Das Upgrade der Daten auf Version %s wird ausgeführt','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es wird dringend empfohlen, dass du deine Datenbank sicherst, bevor du fortfährst. Bist du sicher, dass du die Aktualisierung jetzt durchführen möchtest?','Please select at least one site to upgrade.'=>'Bitte mindestens eine Website für das Upgrade auswählen.','Database Upgrade complete. Return to network dashboard'=>'Das Upgrade der Datenbank wurde fertiggestellt. Zurück zum Netzwerk-Dashboard','Site is up to date'=>'Die Website ist aktuell','Site requires database upgrade from %1$s to %2$s'=>'Die Website erfordert ein Upgrade der Datenbank von %1$s auf %2$s','Site'=>'Website','Upgrade Sites'=>'Upgrade der Websites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du aktualisieren möchtest und klick dann auf %s.','Add rule group'=>'Eine Regelgruppe hinzufügen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Erstelle einen Satz von Regeln, um festzulegen, in welchen Bearbeitungsansichten diese „advanced custom fields“ genutzt werden','Rules'=>'Regeln','Copied'=>'Kopiert','Copy to clipboard'=>'In die Zwischenablage kopieren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wähle, welche Feldgruppen du exportieren möchtest und wähle dann die Exportmethode. Exportiere als JSON, um eine JSON-Datei zu exportieren, die du im Anschluss in eine andere ACF-Installation importieren kannst. Verwende den „PHP erstellen“-Button, um den resultierenden PHP-Code zu exportieren, den du in dein Theme einfügen kannst.','Select Field Groups'=>'Feldgruppen auswählen','No field groups selected'=>'Es wurden keine Feldgruppen ausgewählt','Generate PHP'=>'PHP erstellen','Export Field Groups'=>'Feldgruppen exportieren','Import file empty'=>'Die importierte Datei ist leer','Incorrect file type'=>'Inkorrekter Dateityp','Error uploading file. Please try again'=>'Fehler beim Upload der Datei. Bitte erneut versuchen','Import Field Groups'=>'Feldgruppen importieren','Sync'=>'Synchronisieren','Select %s'=>'%s auswählen','Duplicate'=>'Duplizieren','Duplicate this item'=>'Dieses Element duplizieren','Supports'=>'Hilfe','Documentation'=>'Dokumentation','Description'=>'Beschreibung','Sync available'=>'Synchronisierung verfügbar','Field group synchronized.'=>'Die Feldgruppe wurde synchronisiert.' . "\0" . '%s Feldgruppen wurden synchronisiert.','Field group duplicated.'=>'Die Feldgruppe wurde dupliziert.' . "\0" . '%s Feldgruppen wurden dupliziert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiv (%s)','Review sites & upgrade'=>'Websites prüfen und ein Upgrade durchführen','Upgrade Database'=>'Upgrade der Datenbank','Custom Fields'=>'Individuelle Felder','Move Field'=>'Feld verschieben','Please select the destination for this field'=>'Bitte das Ziel für dieses Feld auswählen','The %1$s field can now be found in the %2$s field group'=>'Das %1$s-Feld kann jetzt in der %2$s-Feldgruppe gefunden werden','Move Complete.'=>'Das Verschieben ist abgeschlossen.','Active'=>'Aktiv','Field Keys'=>'Feldschlüssel','Settings'=>'Einstellungen','Location'=>'Position','Null'=>'Null','copy'=>'kopieren','(this field)'=>'(dieses Feld)','Checked'=>'Ausgewählt','Move Custom Field'=>'Individuelles Feld verschieben','No toggle fields available'=>'Es sind keine Felder zum Umschalten verfügbar','Field group title is required'=>'Ein Titel für die Feldgruppe ist erforderlich','This field cannot be moved until its changes have been saved'=>'Dieses Feld kann erst verschoben werden, wenn dessen Änderungen gespeichert wurden','The string "field_" may not be used at the start of a field name'=>'Die Zeichenfolge „field_“ darf nicht am Beginn eines Feldnamens stehen','Field group draft updated.'=>'Der Entwurf der Feldgruppe wurde aktualisiert.','Field group scheduled for.'=>'Feldgruppe geplant für.','Field group submitted.'=>'Die Feldgruppe wurde übertragen.','Field group saved.'=>'Die Feldgruppe wurde gespeichert.','Field group published.'=>'Die Feldgruppe wurde veröffentlicht.','Field group deleted.'=>'Die Feldgruppe wurde gelöscht.','Field group updated.'=>'Die Feldgruppe wurde aktualisiert.','Tools'=>'Werkzeuge','is not equal to'=>'ist ungleich','is equal to'=>'ist gleich','Forms'=>'Formulare','Page'=>'Seite','Post'=>'Beitrag','Relational'=>'Relational','Choice'=>'Auswahl','Basic'=>'Grundlegend','Unknown'=>'Unbekannt','Field type does not exist'=>'Der Feldtyp existiert nicht','Spam Detected'=>'Es wurde Spam entdeckt','Post updated'=>'Der Beitrag wurde aktualisiert','Update'=>'Aktualisieren','Validate Email'=>'E-Mail-Adresse bestätigen','Content'=>'Inhalt','Title'=>'Titel','Edit field group'=>'Feldgruppe bearbeiten','Selection is less than'=>'Die Auswahl ist kleiner als','Selection is greater than'=>'Die Auswahl ist größer als','Value is less than'=>'Der Wert ist kleiner als','Value is greater than'=>'Der Wert ist größer als','Value contains'=>'Der Wert enthält','Value matches pattern'=>'Der Wert entspricht dem Muster','Value is not equal to'=>'Wert ist ungleich','Value is equal to'=>'Der Wert ist gleich','Has no value'=>'Hat keinen Wert','Has any value'=>'Hat einen Wert','Cancel'=>'Abbrechen','Are you sure?'=>'Bist du sicher?','%d fields require attention'=>'%d Felder erfordern Aufmerksamkeit','1 field requires attention'=>'1 Feld erfordert Aufmerksamkeit','Validation failed'=>'Die Überprüfung ist fehlgeschlagen','Validation successful'=>'Die Überprüfung war erfolgreich','Restricted'=>'Eingeschränkt','Collapse Details'=>'Details ausblenden','Expand Details'=>'Details einblenden','Uploaded to this post'=>'Zu diesem Beitrag hochgeladen','verbUpdate'=>'Aktualisieren','verbEdit'=>'Bearbeiten','The changes you made will be lost if you navigate away from this page'=>'Deine Änderungen werden verlorengehen, wenn du diese Seite verlässt','File type must be %s.'=>'Der Dateityp muss %s sein.','or'=>'oder','File size must not exceed %s.'=>'Die Dateigröße darf nicht größer als %s sein.','File size must be at least %s.'=>'Die Dateigröße muss mindestens %s sein.','Image height must not exceed %dpx.'=>'Die Höhe des Bild darf %dpx nicht überschreiten.','Image height must be at least %dpx.'=>'Die Höhe des Bildes muss mindestens %dpx sein.','Image width must not exceed %dpx.'=>'Die Breite des Bildes darf %dpx nicht überschreiten.','Image width must be at least %dpx.'=>'Die Breite des Bildes muss mindestens %dpx sein.','(no title)'=>'(ohne Titel)','Full Size'=>'Volle Größe','Large'=>'Groß','Medium'=>'Mittel','Thumbnail'=>'Vorschaubild','(no label)'=>'(keine Beschriftung)','Sets the textarea height'=>'Legt die Höhe des Textbereichs fest','Rows'=>'Zeilen','Text Area'=>'Textbereich','Prepend an extra checkbox to toggle all choices'=>'Ein zusätzliches Auswahlfeld voranstellen, um alle Optionen auszuwählen','Save \'custom\' values to the field\'s choices'=>'Individuelle Werte in den Auswahlmöglichkeiten des Feldes speichern','Allow \'custom\' values to be added'=>'Das Hinzufügen individueller Werte erlauben','Add new choice'=>'Eine neue Auswahlmöglichkeit hinzufügen','Toggle All'=>'Alle umschalten','Allow Archives URLs'=>'Archiv-URLs erlauben','Archives'=>'Archive','Page Link'=>'Seiten-Link','Add'=>'Hinzufügen','Name'=>'Name','%s added'=>'%s hinzugefügt','%s already exists'=>'%s ist bereits vorhanden','User unable to add new %s'=>'Der Benutzer kann keine neue %s hinzufügen','Term ID'=>'Begriffs-ID','Term Object'=>'Begriffs-Objekt','Load value from posts terms'=>'Den Wert aus den Begriffen des Beitrags laden','Load Terms'=>'Begriffe laden','Connect selected terms to the post'=>'Verbinde die ausgewählten Begriffe mit dem Beitrag','Save Terms'=>'Begriffe speichern','Allow new terms to be created whilst editing'=>'Erlaubt das Erstellen neuer Begriffe während des Bearbeitens','Create Terms'=>'Begriffe erstellen','Radio Buttons'=>'Radiobuttons','Single Value'=>'Einzelner Wert','Multi Select'=>'Mehrfachauswahl','Checkbox'=>'Auswahlkästchen','Multiple Values'=>'Mehrere Werte','Select the appearance of this field'=>'Das Design für dieses Feld auswählen','Appearance'=>'Design','Select the taxonomy to be displayed'=>'Wähle die Taxonomie, welche angezeigt werden soll','No TermsNo %s'=>'Keine %s','Value must be equal to or lower than %d'=>'Der Wert muss kleiner oder gleich %d sein','Value must be equal to or higher than %d'=>'Der Wert muss größer oder gleich %d sein','Value must be a number'=>'Der Wert muss eine Zahl sein','Number'=>'Numerisch','Save \'other\' values to the field\'s choices'=>'Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern','Add \'other\' choice to allow for custom values'=>'Das Hinzufügen der Auswahlmöglichkeit ‚weitere‘ erlaubt individuelle Werte','Other'=>'Weitere','Radio Button'=>'Radiobutton','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiert einen Endpunkt, an dem das vorangegangene Akkordeon endet. Dieses Akkordeon wird nicht sichtbar sein.','Allow this accordion to open without closing others.'=>'Dieses Akkordeon öffnen, ohne die anderen zu schließen.','Multi-Expand'=>'Mehrfach-Erweiterung','Display this accordion as open on page load.'=>'Dieses Akkordeon beim Laden der Seite in geöffnetem Zustand anzeigen.','Open'=>'Geöffnet','Accordion'=>'Akkordeon','Restrict which files can be uploaded'=>'Beschränkt, welche Dateien hochgeladen werden können','File ID'=>'Datei-ID','File URL'=>'Datei-URL','File Array'=>'Datei-Array','Add File'=>'Datei hinzufügen','No file selected'=>'Es wurde keine Datei ausgewählt','File name'=>'Dateiname','Update File'=>'Datei aktualisieren','Edit File'=>'Datei bearbeiten','Select File'=>'Datei auswählen','File'=>'Datei','Password'=>'Passwort','Specify the value returned'=>'Lege den Rückgabewert fest','Use AJAX to lazy load choices?'=>'Soll AJAX genutzt werden, um Auswahlen verzögert zu laden?','Enter each default value on a new line'=>'Jeden Standardwert in einer neuen Zeile eingeben','verbSelect'=>'Auswählen','Select2 JS load_failLoading failed'=>'Das Laden ist fehlgeschlagen','Select2 JS searchingSearching…'=>'Suchen…','Select2 JS load_moreLoading more results…'=>'Mehr Ergebnisse laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kannst nur %d Elemente auswählen','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kannst nur ein Element auswählen','Select2 JS input_too_long_nPlease delete %d characters'=>'Lösche bitte %d Zeichen','Select2 JS input_too_long_1Please delete 1 character'=>'Lösche bitte ein Zeichen','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Gib bitte %d oder mehr Zeichen ein','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Gib bitte ein oder mehr Zeichen ein','Select2 JS matches_0No matches found'=>'Es wurden keine Übereinstimmungen gefunden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und unten zu navigieren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ein Ergebnis ist verfügbar, Eingabetaste drücken, um es auszuwählen.','nounSelect'=>'Auswahl','User ID'=>'Benutzer-ID','User Object'=>'Benutzer-Objekt','User Array'=>'Benutzer-Array','All user roles'=>'Alle Benutzerrollen','Filter by Role'=>'Nach Rolle filtern','User'=>'Benutzer','Separator'=>'Trennzeichen','Select Color'=>'Farbe auswählen','Default'=>'Standard','Clear'=>'Leeren','Color Picker'=>'Farbpicker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Auswählen','Date Time Picker JS closeTextDone'=>'Fertig','Date Time Picker JS currentTextNow'=>'Jetzt','Date Time Picker JS timezoneTextTime Zone'=>'Zeitzone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunde','Date Time Picker JS millisecTextMillisecond'=>'Millisekunde','Date Time Picker JS secondTextSecond'=>'Sekunde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Stunde','Date Time Picker JS timeTextTime'=>'Zeit','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zeit wählen','Date Time Picker'=>'Datums- und Zeitauswahl','Endpoint'=>'Endpunkt','Left aligned'=>'Linksbündig','Top aligned'=>'Oben ausgerichtet','Placement'=>'Platzierung','Tab'=>'Tab','Value must be a valid URL'=>'Der Wert muss eine gültige URL sein','Link URL'=>'Link-URL','Link Array'=>'Link-Array','Opens in a new window/tab'=>'In einem neuen Fenster/Tab öffnen','Select Link'=>'Link auswählen','Link'=>'Link','Email'=>'E-Mail-Adresse','Step Size'=>'Schrittweite','Maximum Value'=>'Maximalwert','Minimum Value'=>'Mindestwert','Range'=>'Bereich','Both (Array)'=>'Beide (Array)','Label'=>'Beschriftung','Value'=>'Wert','Vertical'=>'Vertikal','Horizontal'=>'Horizontal','red : Red'=>'rot : Rot','For more control, you may specify both a value and label like this:'=>'Für mehr Kontrolle kannst du sowohl einen Wert als auch eine Beschriftung wie folgt angeben:','Enter each choice on a new line.'=>'Jede Option in eine neue Zeile eintragen.','Choices'=>'Auswahlmöglichkeiten','Button Group'=>'Button-Gruppe','Allow Null'=>'NULL-Werte zulassen?','Parent'=>'Übergeordnet','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wird erst initialisiert, wenn das Feld geklickt wird','Delay Initialization'=>'Soll die Initialisierung verzögert werden?','Show Media Upload Buttons'=>'Sollen Buttons zum Hochladen von Medien anzeigt werden?','Toolbar'=>'Werkzeugleiste','Text Only'=>'Nur Text','Visual Only'=>'Nur visuell','Visual & Text'=>'Visuell und Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klicken, um TinyMCE zu initialisieren','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuell','Value must not exceed %d characters'=>'Der Wert darf %d Zeichen nicht überschreiten','Leave blank for no limit'=>'Leer lassen, wenn es keine Begrenzung gibt','Character Limit'=>'Zeichenbegrenzung','Appears after the input'=>'Wird nach dem Eingabefeld angezeigt','Append'=>'Anhängen','Appears before the input'=>'Wird dem Eingabefeld vorangestellt','Prepend'=>'Voranstellen','Appears within the input'=>'Wird innerhalb des Eingabefeldes angezeigt','Placeholder Text'=>'Platzhaltertext','Appears when creating a new post'=>'Wird bei der Erstellung eines neuen Beitrags angezeigt','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s erfordert mindestens %2$s Auswahl' . "\0" . '%1$s erfordert mindestens %2$s Auswahlen','Post ID'=>'Beitrags-ID','Post Object'=>'Beitrags-Objekt','Maximum Posts'=>'Höchstzahl an Beiträgen','Minimum Posts'=>'Mindestzahl an Beiträgen','Featured Image'=>'Beitragsbild','Selected elements will be displayed in each result'=>'Die ausgewählten Elemente werden in jedem Ergebnis angezeigt','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Inhaltstyp','Filters'=>'Filter','All taxonomies'=>'Alle Taxonomien','Filter by Taxonomy'=>'Nach Taxonomie filtern','All post types'=>'Alle Inhaltstypen','Filter by Post Type'=>'Nach Inhaltstyp filtern','Search...'=>'Suche ...','Select taxonomy'=>'Taxonomie auswählen','Select post type'=>'Inhaltstyp auswählen','No matches found'=>'Es wurde keine Übereinstimmung gefunden','Loading'=>'Wird geladen','Maximum values reached ( {max} values )'=>'Die maximal möglichen Werte wurden erreicht ({max} Werte)','Relationship'=>'Beziehung','Comma separated list. Leave blank for all types'=>'Eine durch Kommata getrennte Liste. Leer lassen, um alle Typen zu erlauben','Allowed File Types'=>'Erlaubte Dateiformate','Maximum'=>'Maximum','File size'=>'Dateigröße','Restrict which images can be uploaded'=>'Beschränkt, welche Bilder hochgeladen werden können','Minimum'=>'Minimum','Uploaded to post'=>'Wurde zum Beitrag hochgeladen','All'=>'Alle','Limit the media library choice'=>'Beschränkt die Auswahl in der Mediathek','Library'=>'Mediathek','Preview Size'=>'Vorschau-Größe','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-Array','Specify the returned value on front end'=>'Legt den Rückgabewert für das Frontend fest','Return Value'=>'Rückgabewert','Add Image'=>'Bild hinzufügen','No image selected'=>'Es wurde kein Bild ausgewählt','Remove'=>'Entfernen','Edit'=>'Bearbeiten','All images'=>'Alle Bilder','Update Image'=>'Bild aktualisieren','Edit Image'=>'Bild bearbeiten','Select Image'=>'Bild auswählen','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'HTML-Markup als sichtbaren Text anzeigen, anstatt es zu rendern','Escape HTML'=>'HTML maskieren','No Formatting'=>'Keine Formatierung','Automatically add <br>'=>'Automatisches Hinzufügen von <br>','Automatically add paragraphs'=>'Absätze automatisch hinzufügen','Controls how new lines are rendered'=>'Legt fest, wie Zeilenumbrüche gerendert werden','New Lines'=>'Zeilenumbrüche','Week Starts On'=>'Die Woche beginnt am','The format used when saving a value'=>'Das Format für das Speichern eines Wertes','Save Format'=>'Format speichern','Date Picker JS weekHeaderWk'=>'W','Date Picker JS prevTextPrev'=>'Vorheriges','Date Picker JS nextTextNext'=>'Nächstes','Date Picker JS currentTextToday'=>'Heute','Date Picker JS closeTextDone'=>'Fertig','Date Picker'=>'Datumspicker','Width'=>'Breite','Embed Size'=>'Einbettungs-Größe','Enter URL'=>'URL eingeben','oEmbed'=>'oEmbed','Text shown when inactive'=>'Der Text, der im aktiven Zustand angezeigt wird','Off Text'=>'Wenn inaktiv','Text shown when active'=>'Der Text, der im inaktiven Zustand angezeigt wird','On Text'=>'Wenn aktiv','Stylized UI'=>'Gestylte UI','Default Value'=>'Standardwert','Displays text alongside the checkbox'=>'Zeigt den Text neben dem Auswahlkästchen an','Message'=>'Mitteilung','No'=>'Nein','Yes'=>'Ja','True / False'=>'Wahr/falsch','Row'=>'Reihe','Table'=>'Tabelle','Block'=>'Block','Specify the style used to render the selected fields'=>'Lege den Stil für die Darstellung der ausgewählten Felder fest','Layout'=>'Layout','Sub Fields'=>'Untergeordnete Felder','Group'=>'Gruppe','Customize the map height'=>'Kartenhöhe anpassen','Height'=>'Höhe','Set the initial zoom level'=>'Den Anfangswert für Zoom einstellen','Zoom'=>'Zoom','Center the initial map'=>'Ausgangskarte zentrieren','Center'=>'Zentriert','Search for address...'=>'Nach der Adresse suchen ...','Find current location'=>'Aktuelle Position finden','Clear location'=>'Position löschen','Search'=>'Suchen','Sorry, this browser does not support geolocation'=>'Dieser Browser unterstützt leider keine Standortbestimmung','Google Map'=>'Google Maps','The format returned via template functions'=>'Das über Template-Funktionen zurückgegebene Format','Return Format'=>'Rückgabeformat','Custom:'=>'Individuell:','The format displayed when editing a post'=>'Das angezeigte Format beim Bearbeiten eines Beitrags','Display Format'=>'Darstellungsformat','Time Picker'=>'Zeitpicker','Inactive (%s)'=>'Deaktiviert (%s)' . "\0" . 'Deaktiviert (%s)','No Fields found in Trash'=>'Es wurden keine Felder im Papierkorb gefunden','No Fields found'=>'Es wurden keine Felder gefunden','Search Fields'=>'Felder suchen','View Field'=>'Feld anzeigen','New Field'=>'Neues Feld','Edit Field'=>'Feld bearbeiten','Add New Field'=>'Neues Feld hinzufügen','Field'=>'Feld','Fields'=>'Felder','No Field Groups found in Trash'=>'Es wurden keine Feldgruppen im Papierkorb gefunden','No Field Groups found'=>'Es wurden keine Feldgruppen gefunden','Search Field Groups'=>'Feldgruppen durchsuchen','View Field Group'=>'Feldgruppe anzeigen','New Field Group'=>'Neue Feldgruppe','Edit Field Group'=>'Feldgruppe bearbeiten','Add New Field Group'=>'Neue Feldgruppe hinzufügen','Add New'=>'Neu hinzufügen','Field Group'=>'Feldgruppe','Field Groups'=>'Feldgruppen','Customize WordPress with powerful, professional and intuitive fields.'=>'WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Name des Block-Typs wird benötigt.','Block type "%s" is already registered.'=>'Block-Typ „%s“ ist bereits registriert.','Switch to Edit'=>'Zum Bearbeiten wechseln','Switch to Preview'=>'Zur Vorschau wechseln','Change content alignment'=>'Ausrichtung des Inhalts ändern','%s settings'=>'%s Einstellungen','Options Updated'=>'Optionen aktualisiert','Check Again'=>'Erneut suchen','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feldgruppen für diese Options-Seite gefunden. Eine Feldgruppe erstellen','Error. Could not connect to update server'=>'Fehler. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probiere es nochmal oder deaktiviere und reaktiviere deine ACF PRO-Lizenz.','Select one or more fields you wish to clone'=>'Wähle ein oder mehrere Felder aus die Du klonen möchtest','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Gib den Stil an mit dem das Klon-Feld angezeigt werden soll','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Labels will be displayed as %s'=>'Beschriftungen werden als %s angezeigt','Prefix Field Labels'=>'Präfix für Feldbeschriftungen','Values will be saved as %s'=>'Werte werden als %s gespeichert','Prefix Field Names'=>'Präfix für Feldnamen','Unknown field'=>'Unbekanntes Feld','Unknown field group'=>'Unbekannte Feldgruppe','All fields from %s field group'=>'Alle Felder der Feldgruppe %s','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Mindestzahl an Layouts','Maximum Layouts'=>'Höchstzahl an Layouts','Button Label'=>'Button-Beschriftung','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Caption'=>'Bildunterschrift','Alt Text'=>'Alt Text','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schließen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Allowed file types'=>'Erlaubte Dateiformate','Insert'=>'Einfügen','Specify where new attachments are added'=>'Gib an wo neue Anhänge hinzugefügt werden sollen','Append to the end'=>'Anhängen','Prepend to the beginning'=>'Voranstellen','Minimum rows not reached ({min} rows)'=>'Mindestzahl der Einträge hat ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Höchstzahl der Einträge hat ({max} Reihen) erreicht','Minimum Rows'=>'Mindestzahl der Einträge','Maximum Rows'=>'Höchstzahl der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll','Invalid field key or name.'=>'Ungültige Feldgruppen-ID.','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Zeile duplizieren','Remove row'=>'Eintrag entfernen','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Blocktypen vorhanden','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Um die Aktualisierungsfähigkeit freizuschalten gib bitte unten Deinen Lizenzschlüssel ein. Falls Du keinen besitzen solltest informiere Dich bitte hier hinsichtlich Preisen und aller weiteren Details.','License Key'=>'Lizenzschlüssel','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','Upgrade Notice'=>'Hinweis zum Upgrade','Enter your license key to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'Quelle aktualisieren','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'de.wordpress.org','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Mehr erfahren.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[Der ACF-Shortcode kann keine Felder von nicht-öffentlichen Beiträgen anzeigen]','[The ACF shortcode is disabled on this site]'=>'[Der AFC-Shortcode ist auf dieser Website deaktiviert]','Businessman Icon'=>'Geschäftsmann-Icon','Forums Icon'=>'Foren-Icon','YouTube Icon'=>'YouTube-Icon','Yes (alt) Icon'=>'','Xing Icon'=>'Xing-Icon','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'WhatsApp-Icon','Write Blog Icon'=>'Blog-schreiben-Icon','Widgets Menus Icon'=>'Widgets-Menü-Icon','View Site Icon'=>'Website-anzeigen-Icon','Learn More Icon'=>'Mehr-erfahren-Icon','Add Page Icon'=>'Seite-hinzufügen-Icon','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'Twitch-Icon','Tide Icon'=>'Tide-Icon','Tickets (alt) Icon'=>'','Text Page Icon'=>'Textseite-Icon','Table Row Delete Icon'=>'Tabellenzeile-löschen-Icon','Table Row Before Icon'=>'Tabellenzeile-davor-Icon','Table Row After Icon'=>'Tabellenzeile-danach-Icon','Table Col Delete Icon'=>'Tabellenspalte-löschen-Icon','Table Col Before Icon'=>'Tabellenspalte-davor-Icon','Table Col After Icon'=>'Tabellenspalte-danach-Icon','Superhero (alt) Icon'=>'','Superhero Icon'=>'Superheld-Icon','Spotify Icon'=>'Spotify-Icon','Shortcode Icon'=>'Shortcode-Icon','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'Gespeichert-Icon','RSS Icon'=>'RSS-Icon','REST API Icon'=>'REST-API-Icon','Remove Icon'=>'Entfernen-Icon','Reddit Icon'=>'Reddit-Icon','Privacy Icon'=>'Datenschutz-Icon','Printer Icon'=>'Drucker-Icon','Podio Icon'=>'Podio-Icon','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'Plugins-geprüft-Icon','Pinterest Icon'=>'Pinterest-Icon','Pets Icon'=>'Haustiere-Icon','PDF Icon'=>'PDF-Icon','Palm Tree Icon'=>'Palme-Icon','Open Folder Icon'=>'Offener-Ordner-Icon','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'Interaktiv-Icon','Document Icon'=>'Dokument-Icon','Default Icon'=>'Standard-Icon','Location (alt) Icon'=>'','LinkedIn Icon'=>'LinkedIn-Icon','Instagram Icon'=>'Instagram-Icon','Insert Before Icon'=>'Davor-einfügen-Icon','Insert After Icon'=>'Danach-einfügen-Icon','Insert Icon'=>'Einfügen-Icon','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'Nach-rechts-drehen-Icon','Rotate Left Icon'=>'Nach-links-drehen-Icon','Rotate Icon'=>'Drehen-Icon','Flip Vertical Icon'=>'Vertikal-spiegeln-Icon','Flip Horizontal Icon'=>'Horizontal-spiegeln-Icon','Crop Icon'=>'Zuschneiden-Icon','ID (alt) Icon'=>'','HTML Icon'=>'HTML-Icon','Hourglass Icon'=>'Sanduhr-Icon','Heading Icon'=>'Überschrift-Icon','Google Icon'=>'Google-Icon','Games Icon'=>'Spiele-Icon','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'Status-Icon','Image Icon'=>'Bild-Icon','Gallery Icon'=>'Galerie-Icon','Chat Icon'=>'Chat-Icon','Audio Icon'=>'Audio-Icon','Aside Icon'=>'','Food Icon'=>'Essen-Icon','Exit Icon'=>'Verlassen-Icon','Excerpt View Icon'=>'Textauszug-anzeigen-Icon','Embed Video Icon'=>'Video-einbetten-Icon','Embed Post Icon'=>'Beitrag-einbetten-Icon','Embed Photo Icon'=>'Foto-einbetten-Icon','Embed Generic Icon'=>'Einbetten-Icon','Embed Audio Icon'=>'Audio-einbetten-Icon','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'Individuelles-Zeichen-Icon','Edit Page Icon'=>'Seite-bearbeiten-Icon','Edit Large Icon'=>'','Drumstick Icon'=>'Hähnchenkeule-Icon','Database View Icon'=>'Datenbank-anzeigen-Icon','Database Remove Icon'=>'Datenbank-entfernen-Icon','Database Import Icon'=>'Datenbank-importieren-Icon','Database Export Icon'=>'Datenbank-exportieren-Icon','Database Add Icon'=>'Datenbank-hinzufügen-Icon','Database Icon'=>'Datenbank-Icon','Cover Image Icon'=>'Titelbild-Icon','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'Wiederholen-Icon','Play Icon'=>'Abspielen-Icon','Pause Icon'=>'Pause-Icon','Forward Icon'=>'','Back Icon'=>'Zurück-Icon','Columns Icon'=>'Spalten-Icon','Color Picker Icon'=>'Farbwähler-Icon','Coffee Icon'=>'Kaffee-Icon','Code Standards Icon'=>'Code-Standards-Icon','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'Auto-Icon','Camera (alt) Icon'=>'','Calculator Icon'=>'Rechner-Icon','Button Icon'=>'Button-Icon','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'Themen-Icon','Replies Icon'=>'Antworten-Icon','PM Icon'=>'','Friends Icon'=>'Freunde-Icon','Community Icon'=>'Community-Icon','BuddyPress Icon'=>'BuddyPress-Icon','bbPress Icon'=>'bbPress-Icon','Activity Icon'=>'Aktivität-Icon','Book (alt) Icon'=>'','Block Default Icon'=>'Block-Standard-Icon','Bell Icon'=>'Glocke-Icon','Beer Icon'=>'Bier-Icon','Bank Icon'=>'Bank-Icon','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'Amazon-Icon','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Flugzeug-Icon','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'Du bist leider nicht berechtigt, diese Aktion durchzuführen.','Blocks Using Post Meta'=>'','ACF PRO logo'=>'ACF-PRO-Logo','ACF PRO Logo'=>'ACF-PRO-Logo','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'Ja-Icon','WordPress Icon'=>'WordPress-Icon','Warning Icon'=>'Warnung-Icon','Visibility Icon'=>'Sichtbarkeit-Icon','Vault Icon'=>'Tresorraum-Icon','Upload Icon'=>'Upload-Icon','Update Icon'=>'Aktualisieren-Icon','Unlock Icon'=>'Schloss-offen-Icon','Universal Access Icon'=>'','Undo Icon'=>'Rückgängig-Icon','Twitter Icon'=>'Twitter-Icon','Trash Icon'=>'Papierkorb-Icon','Translation Icon'=>'Übersetzung-Icon','Tickets Icon'=>'Tickets-Icon','Thumbs Up Icon'=>'Daumen-hoch-Icon','Thumbs Down Icon'=>'Daumen-runter-Icon','Text Icon'=>'Text-Icon','Testimonial Icon'=>'','Tagcloud Icon'=>'Schlagwortwolke-Icon','Tag Icon'=>'Schlagwort-Icon','Tablet Icon'=>'Tablet-Icon','Store Icon'=>'Shop-Icon','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'SOS-Icon','Sort Icon'=>'Sortieren-Icon','Smiley Icon'=>'Smiley-Icon','Smartphone Icon'=>'Smartphone-Icon','Slides Icon'=>'Slides-Icon','Shield Icon'=>'Schild-Icon','Share Icon'=>'Teilen-Icon','Search Icon'=>'Suchen-Icon','Screen Options Icon'=>'','Schedule Icon'=>'Zeitplan-Icon','Redo Icon'=>'Wiederholen-Icon','Randomize Icon'=>'','Products Icon'=>'Produkte-Icon','Pressthis Icon'=>'Pressthis-Icon','Post Status Icon'=>'Beitragsstatus-Icon','Portfolio Icon'=>'Portfolio-Icon','Plus Icon'=>'Plus-Icon','Playlist Video Icon'=>'Video-Wiedergabeliste-Icon','Playlist Audio Icon'=>'Audio-Wiedergabeliste-Icon','Phone Icon'=>'Telefon-Icon','Performance Icon'=>'Leistung-Icon','Paperclip Icon'=>'Büroklammer-Icon','No Icon'=>'Nein-Icon','Networking Icon'=>'','Nametag Icon'=>'Namensschild-Icon','Move Icon'=>'','Money Icon'=>'Geld-Icon','Minus Icon'=>'Minus-Icon','Migrate Icon'=>'Migrieren-Icon','Microphone Icon'=>'Mikrofon-Icon','Megaphone Icon'=>'Megafon-Icon','Marker Icon'=>'Marker-Icon','Lock Icon'=>'Schloss-Icon','Location Icon'=>'','List View Icon'=>'Listenansicht-Icon','Lightbulb Icon'=>'Glühbirnen-Icon','Left Right Icon'=>'Links-Rechts-Icon','Layout Icon'=>'Layout-Icon','Laptop Icon'=>'Laptop-Icon','Info Icon'=>'Info-Icon','Index Card Icon'=>'Karteikarte-Icon','ID Icon'=>'ID-Icon','Hidden Icon'=>'','Heart Icon'=>'Herz-Icon','Hammer Icon'=>'Hammer-Icon','Groups Icon'=>'Gruppen-Icon','Grid View Icon'=>'Rasteransicht-Icon','Forms Icon'=>'Formulare-Icon','Flag Icon'=>'Flagge-Icon','Filter Icon'=>'Filter-Icon','Feedback Icon'=>'Feedback-Icon','Facebook (alt) Icon'=>'','Facebook Icon'=>'Facebook-Icon','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'E-Mail-Icon','Video Icon'=>'Video-Icon','Unlink Icon'=>'Link-entfernen-Icon','Underline Icon'=>'Unterstreichen-Icon','Text Color Icon'=>'Textfarbe-Icon','Table Icon'=>'Tabelle-Icon','Strikethrough Icon'=>'Durchgestrichen-Icon','Spellcheck Icon'=>'Rechtschreibprüfung-Icon','Remove Formatting Icon'=>'Formatierung-entfernen-Icon','Quote Icon'=>'Zitat-Icon','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'Absatz-Icon','Outdent Icon'=>'Ausrücken-Icon','Kitchen Sink Icon'=>'','Justify Icon'=>'Blocksatz-Icon','Italic Icon'=>'Kursiv-Icon','Insert More Icon'=>'','Indent Icon'=>'Einrücken-Icon','Help Icon'=>'Hilfe-Icon','Expand Icon'=>'','Contract Icon'=>'Vertrag-Icon','Code Icon'=>'Code-Icon','Break Icon'=>'Umbruch-Icon','Bold Icon'=>'Fett-Icon','Edit Icon'=>'Bearbeiten-Icon','Download Icon'=>'Download-Icon','Dismiss Icon'=>'','Desktop Icon'=>'Desktop-Icon','Dashboard Icon'=>'Dashboard-Icon','Cloud Icon'=>'','Clock Icon'=>'Uhr-Icon','Clipboard Icon'=>'','Chart Pie Icon'=>'Tortendiagramm-Icon','Chart Line Icon'=>'Liniendiagramm-Icon','Chart Bar Icon'=>'Balkendiagramm-Icon','Chart Area Icon'=>'Flächendiagramm-Icon','Category Icon'=>'Kategorie-Icon','Cart Icon'=>'Warenkorb-Icon','Carrot Icon'=>'Karotte-Icon','Camera Icon'=>'Kamera-Icon','Calendar (alt) Icon'=>'','Calendar Icon'=>'Kalender-Icon','Businesswoman Icon'=>'Geschäftsfrau-Icon','Building Icon'=>'Gebäude-Icon','Book Icon'=>'Buch-Icon','Backup Icon'=>'Backup-Icon','Awards Icon'=>'Auszeichnungen-Icon','Art Icon'=>'Kunst-Icon','Arrow Up Icon'=>'Pfeil-nach-oben-Icon','Arrow Right Icon'=>'Pfeil-nach-rechts-Icon','Arrow Left Icon'=>'Pfeil-nach-links-Icon','Arrow Down Icon'=>'Pfeil-nach-unten-Icon','Archive Icon'=>'Archiv-Icon','Analytics Icon'=>'Analyse-Icon','Align Right Icon'=>'Rechtsbündig-Icon','Align None Icon'=>'','Align Left Icon'=>'Linksbündig-Icon','Align Center Icon'=>'Zentriert-Icon','Album Icon'=>'Album-Icon','Users Icon'=>'Benutzer-Icon','Tools Icon'=>'Werkzeuge-Icon','Site Icon'=>'Website-Icon','Settings Icon'=>'Einstellungen-Icon','Post Icon'=>'Beitrag-Icon','Plugins Icon'=>'Plugins-Icon','Page Icon'=>'Seite-Icon','Network Icon'=>'Netzwerk-Icon','Multisite Icon'=>'Multisite-Icon','Media Icon'=>'Medien-Icon','Links Icon'=>'Links-Icon','Home Icon'=>'Home-Icon','Customizer Icon'=>'Customizer-Icon','Comments Icon'=>'Kommentare-Icon','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'Es wurden keine Ergebnisse für diesen Suchbegriff gefunden.','Array'=>'Array','String'=>'Zeichenfolge','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'Mediathek durchsuchen','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'Icons suchen …','Media Library'=>'Mediathek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Icon-Wähler','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'Registrierte ACF-Formulare','Shortcode Enabled'=>'Shortcode aktiviert','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'Registrierte ACF-Blöcke','Light'=>'','Standard'=>'Standard','REST API Format'=>'REST-API-Format','Registered Options Pages (PHP)'=>'Registrierte Optionsseiten (PHP)','Registered Options Pages (JSON)'=>'Registrierte Optionsseiten (JSON)','Registered Options Pages (UI)'=>'Registrierte Optionsseiten (UI)','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'Registrierte Taxonomien (JSON)','Registered Taxonomies (UI)'=>'Registrierte Taxonomien (UI)','Registered Post Types (JSON)'=>'Registrierte Inhaltstypen (JSON)','Registered Post Types (UI)'=>'Registrierte Inhaltstypen (UI)','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'Registrierte Feldgruppen (JSON)','Registered Field Groups (PHP)'=>'Registrierte Feldgruppen (PHP)','Registered Field Groups (UI)'=>'Registrierte Feldgruppen (UI)','Active Plugins'=>'Aktive Plugins','Parent Theme'=>'Übergeordnetes Theme','Active Theme'=>'Aktives Theme','Is Multisite'=>'Ist Multisite','MySQL Version'=>'MySQL-Version','WordPress Version'=>'WordPress-Version','Subscription Expiry Date'=>'Ablaufdatum des Abonnements','License Status'=>'Lizenzstatus','License Type'=>'Lizenz-Typ','Licensed URL'=>'Lizensierte URL','License Activated'=>'Lizenz aktiviert','Free'=>'Kostenlos','Plugin Type'=>'Plugin-Typ','Plugin Version'=>'Plugin-Version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'Dauerhaft verwerfen','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'Begriffe enthalten nicht','Terms contain'=>'Begriffe enthalten','Term is not equal to'=>'Begriff ist ungleich','Term is equal to'=>'Begriff ist gleich','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'Benutzer enthalten nicht','Users contain'=>'Benutzer enthalten','User is not equal to'=>'Benutzer ist ungleich','User is equal to'=>'Benutzer ist gleich','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'Seiten enthalten nicht','Pages contain'=>'Seiten enthalten','Page is not equal to'=>'Seite ist ungleich','Page is equal to'=>'Seite ist gleich','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'Beiträge enthalten nicht','Posts contain'=>'Beiträge enthalten','Post is not equal to'=>'Beitrag ist ungleich','Post is equal to'=>'Beitrag ist gleich','Relationships do not contain'=>'Beziehungen enthalten nicht','Relationships contain'=>'Beziehungen enthalten','Relationship is not equal to'=>'Beziehung ist ungleich','Relationship is equal to'=>'Beziehung ist gleich','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-Felder','ACF PRO Feature'=>'ACF-PRO-Funktion','Renew PRO to Unlock'=>'PRO-Lizenz zum Freischalten erneuern','Renew PRO License'=>'PRO-Lizenz erneuern','PRO fields cannot be edited without an active license.'=>'PRO-Felder können ohne aktive Lizenz nicht bearbeitet werden.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um Feldgruppen bearbeiten zu können, die einem ACF-Block zugewiesen wurden.','Please activate your ACF PRO license to edit this options page.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um diese Optionsseite zu bearbeiten.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Bitte kontaktiere den Administrator oder Entwickler deiner Website für mehr Details.','Learn more'=>'Mehr erfahren','Hide details'=>'Details verbergen','Show details'=>'Details anzeigen','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - gerendert via %3$s','Renew ACF PRO License'=>'ACF-PRO-Lizenz erneuern','Renew License'=>'Lizenz erneuern','Manage License'=>'Lizenz verwalten','\'High\' position not supported in the Block Editor'=>'Die „Hoch“-Position wird im Block-Editor nicht unterstützt','Upgrade to ACF PRO'=>'Upgrade auf ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Optionen-Seite hinzufügen','In the editor used as the placeholder of the title.'=>'Wird im Editor als Platzhalter für den Titel verwendet.','Title Placeholder'=>'Titel-Platzhalter','4 Months Free'=>'4 Monate kostenlos','(Duplicated from %s)'=>'(Duplikat von %s)','Select Options Pages'=>'Options-Seite auswählen','Duplicate taxonomy'=>'Taxonomie duplizieren','Create taxonomy'=>'Taxonomie erstellen','Duplicate post type'=>'Inhalttyp duplizieren','Create post type'=>'Inhaltstyp erstellen','Link field groups'=>'Feldgruppen verlinken','Add fields'=>'Felder hinzufügen','This Field'=>'Dieses Feld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Hilfe','is developed and maintained by'=>'wird entwickelt und gewartet von','Add this %s to the location rules of the selected field groups.'=>'Füge %s zu den Positions-Optionen der ausgewählten Feldgruppen hinzu.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'Ziel-Feld','Update a field on the selected values, referencing back to this ID'=>'Ein Feld mit den ausgewählten Werten aktualisieren, auf diese ID zurückverweisend','Bidirectional'=>'Bidirektional','%s Field'=>'%s Feld','Select Multiple'=>'Mehrere auswählen','WP Engine logo'=>'Logo von WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Erlaubt sind Kleinbuchstaben, Unterstriche (_) und Striche (-), maximal 32 Zeichen.','The capability name for assigning terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zuzuordnen.','Assign Terms Capability'=>'Begriffs-Berechtigung zuordnen','The capability name for deleting terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu löschen.','Delete Terms Capability'=>'Begriffs-Berechtigung löschen','The capability name for editing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu bearbeiten.','Edit Terms Capability'=>'Begriffs-Berechtigung bearbeiten','The capability name for managing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu verwalten.','Manage Terms Capability'=>'Begriffs-Berechtigung verwalten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Legt fest, ob Beiträge von den Suchergebnissen und Taxonomie-Archivseiten ausgeschlossen werden sollen.','More Tools from WP Engine'=>'Mehr Werkzeuge von WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gebaut für alle, die mit WordPress bauen, vom Team bei %s','View Pricing & Upgrade'=>'Preise anzeigen und Upgrade installieren','Learn More'=>'Mehr erfahren','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'Schalte erweiterte Funktionen frei und erschaffe noch mehr mit ACF PRO','%s fields'=>'%s Felder','No terms'=>'Keine Begriffe','No post types'=>'Keine Inhaltstypen','No posts'=>'Keine Beiträge','No taxonomies'=>'Keine Taxonomien','No field groups'=>'Keine Feldgruppen','No fields'=>'Keine Felder','No description'=>'Keine Beschreibung','Any post status'=>'Jeder Beitragsstatus','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie außerhalb von ACF und kann nicht verwendet werden.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie in ACF und kann nicht verwendet werden.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Taxonomie-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The taxonomy key must be under 32 characters.'=>'Der Taxonomie-Schlüssel muss kürzer als 32 Zeichen sein.','No Taxonomies found in Trash'=>'Es wurden keine Taxonomien im Papierkorb gefunden','No Taxonomies found'=>'Es wurden keine Taxonomien gefunden','Search Taxonomies'=>'Suche Taxonomien','View Taxonomy'=>'Taxonomie anzeigen','New Taxonomy'=>'Neue Taxonomie','Edit Taxonomy'=>'Taxonomie bearbeiten','Add New Taxonomy'=>'Neue Taxonomie hinzufügen','No Post Types found in Trash'=>'Es wurden keine Inhaltstypen im Papierkorb gefunden','No Post Types found'=>'Es wurden keine Inhaltstypen gefunden','Search Post Types'=>'Inhaltstypen suchen','View Post Type'=>'Inhaltstyp anzeigen','New Post Type'=>'Neuer Inhaltstyp','Edit Post Type'=>'Inhaltstyp bearbeiten','Add New Post Type'=>'Neuen Inhaltstyp hinzufügen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp außerhalb von ACF und kann nicht verwendet werden.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp in ACF und kann nicht verwendet werden.','This field must not be a WordPress reserved term.'=>'Dieses Feld darf kein von WordPress reservierter Begriff sein.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Inhaltstyp-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The post type key must be under 20 characters.'=>'Der Inhaltstyp-Schlüssel muss kürzer als 20 Zeichen sein.','We do not recommend using this field in ACF Blocks.'=>'Es wird nicht empfohlen, dieses Feld in ACF-Blöcken zu verwenden.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zeigt den WordPress-WYSIWYG-Editor an, wie er in Beiträgen und Seiten zu sehen ist, und ermöglicht so eine umfangreiche Textbearbeitung, die auch Multimedia-Inhalte zulässt.','WYSIWYG Editor'=>'WYSIWYG-Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Ermöglicht die Auswahl von einem oder mehreren Benutzern, die zur Erstellung von Beziehungen zwischen Datenobjekten verwendet werden können.','A text input specifically designed for storing web addresses.'=>'Eine Texteingabe, die speziell für die Speicherung von Webadressen entwickelt wurde.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ein Schalter, mit dem ein Wert von 1 oder 0 (ein oder aus, wahr oder falsch usw.) auswählt werden kann. Kann als stilisierter Schalter oder Kontrollkästchen dargestellt werden.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zum Auswählen einer Zeit. Das Zeitformat kann in den Feldeinstellungen angepasst werden.','A basic textarea input for storing paragraphs of text.'=>'Eine einfache Eingabe in Form eines Textbereiches zum Speichern von Textabsätzen.','A basic text input, useful for storing single string values.'=>'Eine einfache Texteingabe, nützlich für die Speicherung einzelner Zeichenfolgen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Ermöglicht die Auswahl von einem oder mehreren Taxonomiebegriffen auf der Grundlage der in den Feldeinstellungen angegebenen Kriterien und Optionen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'Eine Dropdown-Liste mit einer von dir angegebenen Auswahl an Wahlmöglichkeiten.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'Ein Schieberegler-Eingabefeld für numerische Zahlenwerte in einem festgelegten Bereich.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Eine Gruppe von Radiobuttons, die es dem Benutzer ermöglichen, eine einzelne Auswahl aus von dir angegebenen Werten zu treffen.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Eine interaktive und anpassbare Benutzeroberfläche zur Auswahl einer beliebigen Anzahl von Beiträgen, Seiten oder Inhaltstypen-Elemente mit der Option zum Suchen. ','An input for providing a password using a masked field.'=>'Ein Passwort-Feld, das die Eingabe maskiert.','Filter by Post Status'=>'Nach Beitragsstatus filtern','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Ein interaktives Drop-down-Menü zur Auswahl von einem oder mehreren Beiträgen, Seiten, individuellen Inhaltstypen oder Archiv-URLs mit der Option zur Suche.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Ein interaktives Feld zum Einbetten von Videos, Bildern, Tweets, Audio und anderen Inhalten unter Verwendung der nativen WordPress-oEmbed-Funktionalität.','An input limited to numerical values.'=>'Eine auf numerische Werte beschränkte Eingabe.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Bildern.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Bietet die Möglichkeit zur Gruppierung von Feldern, um Daten und den Bearbeiten-Bildschirm besser zu strukturieren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Standortes unter Verwendung von Google Maps. Benötigt einen Google-Maps-API-Schlüssel und eine zusätzliche Konfiguration für eine korrekte Anzeige.','Uses the native WordPress media picker to upload, or choose files.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Dateien.','A text input specifically designed for storing email addresses.'=>'Ein Texteingabefeld, das speziell für die Speicherung von E-Mail-Adressen entwickelt wurde.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl von Datum und Uhrzeit. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Datums. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Eine interaktive Benutzeroberfläche zur Auswahl einer Farbe, oder zur Eingabe eines Hex-Wertes.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Eine Gruppe von Auswahlkästchen, die du festlegst, aus denen der Benutzer einen oder mehrere Werte auswählen kann.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Eine Gruppe von Buttons mit von dir festgelegten Werten. Die Benutzer können eine Option aus den angegebenen Werten auswählen.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Erweitert','JSON (newer)'=>'JSON (neuer)','Original'=>'Original','Invalid post ID.'=>'Die Beitrags-ID ist ungültig.','Invalid post type selected for review.'=>'Der für die Betrachtung ausgewählte Inhaltstyp ist ungültig.','More'=>'Mehr','Tutorial'=>'Anleitung','Select Field'=>'Feld auswählen','Try a different search term or browse %s'=>'Probiere es mit einem anderen Suchbegriff oder durchsuche %s','Popular fields'=>'Beliebte Felder','No search results for \'%s\''=>'Es wurden keine Suchergebnisse für ‚%s‘ gefunden','Search fields...'=>'Felder suchen ...','Select Field Type'=>'Feldtyp auswählen','Popular'=>'Beliebt','Add Taxonomy'=>'Taxonomie hinzufügen','Create custom taxonomies to classify post type content'=>'Erstelle individuelle Taxonomien, um die Inhalte von Inhaltstypen zu kategorisieren','Add Your First Taxonomy'=>'Deine erste Taxonomie hinzufügen','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchische Taxonomien können untergeordnete haben (wie Kategorien).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Macht eine Taxonomie sichtbar im Frontend und im Admin-Dashboard.','One or many post types that can be classified with this taxonomy.'=>'Einer oder mehrere Inhaltstypen, die mit dieser Taxonomie kategorisiert werden können.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Terms_Controller“.','Expose this post type in the REST API.'=>'Diesen Inhaltstyp in der REST-API anzeigen.','Customize the query variable name'=>'Den Namen der Abfrage-Variable anpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Begriffe können über den unschicken Permalink abgerufen werden, z. B. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Über-/untergeordnete Begriffe in URLs von hierarchischen Taxonomien.','Customize the slug used in the URL'=>'Passe die Titelform an, die in der URL genutzt wird','Permalinks for this taxonomy are disabled.'=>'Permalinks sind für diese Taxonomie deaktiviert.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'Taxonomie-Schlüssel','Select the type of permalink to use for this taxonomy.'=>'Wähle den Permalink-Typ, der für diese Taxonomie genutzt werden soll.','Display a column for the taxonomy on post type listing screens.'=>'Anzeigen einer Spalte für die Taxonomie in der Listenansicht der Inhaltstypen.','Show Admin Column'=>'Admin-Spalte anzeigen','Show the taxonomy in the quick/bulk edit panel.'=>'Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen.','Quick Edit'=>'Schnellbearbeitung','List the taxonomy in the Tag Cloud Widget controls.'=>'Listet die Taxonomie in den Steuerelementen des Schlagwortwolke-Widgets auf.','Tag Cloud'=>'Schlagwort-Wolke','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ein PHP-Funktionsname, der zum Bereinigen von Taxonomiedaten aufgerufen werden soll, die von einer Metabox gespeichert wurden.','Meta Box Sanitization Callback'=>'Metabox-Bereinigungs-Callback','Register Meta Box Callback'=>'Metabox-Callback registrieren','No Meta Box'=>'Keine Metabox','Custom Meta Box'=>'Individuelle Metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Metabox','Categories Meta Box'=>'Kategorien-Metabox','Tags Meta Box'=>'Schlagwörter-Metabox','A link to a tag'=>'Ein Link zu einem Schlagwort','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'Ein Link zu einer Taxonomie %s','Tag Link'=>'Schlagwort-Link','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Zu Schlagwörtern gehen','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'Zurück zu den Elementen','← Go to %s'=>'← Zu %s gehen','Tags list'=>'Schlagwörter-Liste','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'Navigation der Schlagwörterliste','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Nach Kategorie filtern','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'Filtern nach Element','Filter by %s'=>'Nach %s filtern','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'Beschreibt das Beschreibungsfeld in der Schlagwörter-bearbeiten-Ansicht.','Description Field Description'=>'Beschreibung des Beschreibungfeldes','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'Beschreibt das übergeordnete Feld in der Schlagwörter-bearbeiten-Ansicht.','Parent Field Description'=>'Beschreibung des übergeordneten Feldes','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Die Titelform ist die URL-freundliche Version des Namens. Sie besteht üblicherweise aus Kleinbuchstaben und zudem nur aus Buchstaben, Zahlen und Bindestrichen.','Describes the Slug field on the Edit Tags screen.'=>'Beschreibt das Titelform-Feld in der Schlagwörter-bearbeiten-Ansicht.','Slug Field Description'=>'Beschreibung des Titelformfeldes','The name is how it appears on your site'=>'Der Name ist das, was auf deiner Website angezeigt wird','Describes the Name field on the Edit Tags screen.'=>'Beschreibt das Namensfeld in der Schlagwörter-bearbeiten-Ansicht.','Name Field Description'=>'Beschreibung des Namenfeldes','No tags'=>'Keine Schlagwörter','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'Keine Begriffe','No %s'=>'Keine %s-Taxonomien','No tags found'=>'Es wurden keine Schlagwörter gefunden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Es wurde nichts gefunden','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Am häufigsten verwendet','Choose from the most used tags'=>'Wähle aus den meistgenutzten Schlagwörtern','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Wähle aus den Meistgenutzten','Choose from the most used %s'=>'Wähle aus den meistgenutzten %s','Add or remove tags'=>'Schlagwörter hinzufügen oder entfernen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Elemente hinzufügen oder entfernen','Add or remove %s'=>'%s hinzufügen oder entfernen','Separate tags with commas'=>'Schlagwörter durch Kommas trennen','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Trenne Elemente mit Kommas','Separate %s with commas'=>'Trenne %s durch Kommas','Popular Tags'=>'Beliebte Schlagwörter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Zugeordneter Text für beliebte Elemente. Wird nur für nicht-hierarchische Taxonomien verwendet.','Popular Items'=>'Beliebte Elemente','Popular %s'=>'Beliebte %s','Search Tags'=>'Schlagwörter suchen','Assigns search items text.'=>'','Parent Category:'=>'Übergeordnete Kategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Den Text des übergeordneten Elements zuordnen, aber mit einem Doppelpunkt (:) am Ende.','Parent Item With Colon'=>'Übergeordnetes Element mit Doppelpunkt','Parent Category'=>'Übergeordnete Kategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Zugeordneter Text für übergeordnete Elemente. Wird nur für hierarchische Taxonomien verwendet.','Parent Item'=>'Übergeordnetes Element','Parent %s'=>'Übergeordnete Taxonomie %s','New Tag Name'=>'Neuer Schlagwortname','Assigns the new item name text.'=>'','New Item Name'=>'Name des neuen Elements','New %s Name'=>'Neuer %s-Name','Add New Tag'=>'Ein neues Schlagwort hinzufügen','Assigns the add new item text.'=>'','Update Tag'=>'Schlagwort aktualisieren','Assigns the update item text.'=>'','Update Item'=>'Element aktualisieren','Update %s'=>'%s aktualisieren','View Tag'=>'Schlagwort anzeigen','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Schlagwort bearbeiten','At the top of the editor screen when editing a term.'=>'Oben in der Editoransicht, wenn ein Begriff bearbeitet wird.','All Tags'=>'Alle Schlagwörter','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'Menü-Beschriftung','Active taxonomies are enabled and registered with WordPress.'=>'Aktive Taxonomien sind aktiviert und in WordPress registriert.','A descriptive summary of the taxonomy.'=>'Eine beschreibende Zusammenfassung der Taxonomie.','A descriptive summary of the term.'=>'Eine beschreibende Zusammenfassung des Begriffs.','Term Description'=>'Beschreibung des Begriffs','Single word, no spaces. Underscores and dashes allowed.'=>'Einzelnes Wort, keine Leerzeichen. Unterstriche und Bindestriche erlaubt.','Term Slug'=>'Begriffs-Titelform','The name of the default term.'=>'Der Name des Standardbegriffs.','Term Name'=>'Name des Begriffs','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'Standardbegriff','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'Begriffe sortieren','Add Post Type'=>'Inhaltstyp hinzufügen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Erweitere die Funktionalität von WordPress über Standard-Beiträge und -Seiten hinaus mit individuellen Inhaltstypen.','Add Your First Post Type'=>'Deinen ersten Inhaltstyp hinzufügen','I know what I\'m doing, show me all the options.'=>'Ich weiß, was ich tue, zeig mir alle Optionen.','Advanced Configuration'=>'Erweiterte Konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarchische Inhaltstypen können untergeordnete haben (wie Seiten).','Hierarchical'=>'Hierarchisch','Visible on the frontend and in the admin dashboard.'=>'Sichtbar im Frontend und im Admin-Dashboard.','Public'=>'Öffentlich','movie'=>'Film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Nur Kleinbuchstaben, Unterstriche und Bindestriche, maximal 20 Zeichen.','Movie'=>'Film','Singular Label'=>'Beschriftung (Einzahl)','Movies'=>'Filme','Plural Label'=>'Beschriftung (Mehrzahl)','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Posts_Controller“.','Controller Class'=>'Controller-Klasse','The namespace part of the REST API URL.'=>'Der Namensraum-Teil der REST-API-URL.','Namespace Route'=>'Namensraum-Route','The base URL for the post type REST API URLs.'=>'Die Basis-URL für REST-API-URLs des Inhalttyps.','Base URL'=>'Basis-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zeigt diesen Inhalttyp in der REST-API. Wird zur Verwendung im Block-Editor benötigt.','Show In REST API'=>'Im REST-API anzeigen','Customize the query variable name.'=>'Den Namen der Abfrage-Variable anpassen.','Query Variable'=>'Abfrage-Variable','No Query Variable Support'=>'Keine Unterstützung von Abfrage-Variablen','Custom Query Variable'=>'Individuelle Abfrage-Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elemente können über den unschicken Permalink abgerufen werden, z. B. {post_type}={post_slug}.','Query Variable Support'=>'Unterstützung von Abfrage-Variablen','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'Öffentlich abfragbar','Custom slug for the Archive URL.'=>'Individuelle Titelform für die Archiv-URL.','Archive Slug'=>'Archiv-Titelform','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Unterstützung für Seitennummerierung der Element-URLs, wie bei Archiven.','Pagination'=>'Seitennummerierung','RSS feed URL for the post type items.'=>'RSS-Feed-URL für Inhaltstyp-Elemente.','Feed URL'=>'Feed-URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'Passe die Titelform an, die in der URL genutzt wird.','URL Slug'=>'URL-Titelform','Permalinks for this post type are disabled.'=>'Permalinks sind für diesen Inhaltstyp deaktiviert.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'Individueller Permalink','Post Type Key'=>'Inhaltstyp-Schlüssel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'Permalink neu schreiben','Delete items by a user when that user is deleted.'=>'Elemente eines Benutzers löschen, wenn der Benutzer gelöscht wird.','Delete With User'=>'Zusammen mit dem Benutzer löschen','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Erlaubt den Inhaltstyp zu exportieren unter „Werkzeuge“ > „Export“.','Can Export'=>'Kann exportieren','Optionally provide a plural to be used in capabilities.'=>'Du kannst optional eine Mehrzahl für Berechtigungen angeben.','Plural Capability Name'=>'Name der Berechtigung (Mehrzahl)','Choose another post type to base the capabilities for this post type.'=>'Wähle einen anderen Inhaltstyp aus als Basis der Berechtigungen für diesen Inhaltstyp.','Singular Capability Name'=>'Name der Berechtigung (Einzahl)','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'Berechtigungen umbenennen','Exclude From Search'=>'Von der Suche ausschließen','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Erlaubt das Hinzufügen von Elementen zu Menüs unter „Design“ > „Menüs“. Muss aktiviert werden unter „Ansicht anpassen“.','Appearance Menus Support'=>'Unterstützung für Design-Menüs','Appears as an item in the \'New\' menu in the admin bar.'=>'Erscheint als Eintrag im „Neu“-Menü der Adminleiste.','Show In Admin Bar'=>'In der Adminleiste anzeigen','Custom Meta Box Callback'=>'Individueller Metabox-Callback','Menu Icon'=>'Menü-Icon','The position in the sidebar menu in the admin dashboard.'=>'Die Position im Seitenleisten-Menü des Admin-Dashboards.','Menu Position'=>'Menü-Position','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'Übergeordnetes Admin-Menü','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'Im Admin-Menü anzeigen','Items can be edited and managed in the admin dashboard.'=>'Elemente können im Admin-Dashboard bearbeitet und verwaltet werden.','Show In UI'=>'In der Benutzeroberfläche anzeigen','A link to a post.'=>'Ein Link zu einem Beitrag.','Description for a navigation link block variation.'=>'','Item Link Description'=>'Beschreibung des Element-Links','A link to a %s.'=>'Ein Link zu einem Inhaltstyp %s','Post Link'=>'Beitragslink','Title for a navigation link block variation.'=>'','Item Link'=>'Element-Link','%s Link'=>'%s-Link','Post updated.'=>'Der Beitrag wurde aktualisiert.','In the editor notice after an item is updated.'=>'Im Editor-Hinweis, nachdem ein Element aktualisiert wurde.','Item Updated'=>'Das Element wurde aktualisiert','%s updated.'=>'%s wurde aktualisiert.','Post scheduled.'=>'Der Beitrag wurde geplant.','In the editor notice after scheduling an item.'=>'Im Editor-Hinweis, nachdem ein Element geplant wurde.','Item Scheduled'=>'Das Element wurde geplant','%s scheduled.'=>'%s wurde geplant.','Post reverted to draft.'=>'Der Beitrag wurde auf Entwurf zurückgesetzt.','In the editor notice after reverting an item to draft.'=>'Im Editor-Hinweis, nachdem ein Element auf Entwurf zurückgesetzt wurde.','Item Reverted To Draft'=>'Das Element wurde auf Entwurf zurückgesetzt','%s reverted to draft.'=>'%s wurde auf Entwurf zurückgesetzt.','Post published privately.'=>'Der Beitrag wurde privat veröffentlicht.','In the editor notice after publishing a private item.'=>'Im Editor-Hinweis, nachdem ein Element privat veröffentlicht wurde.','Item Published Privately'=>'Das Element wurde privat veröffentlicht','%s published privately.'=>'%s wurde privat veröffentlicht.','Post published.'=>'Der Beitrag wurde veröffentlicht.','In the editor notice after publishing an item.'=>'Im Editor-Hinweis, nachdem ein Element veröffentlicht wurde.','Item Published'=>'Das Element wurde veröffentlicht','%s published.'=>'%s wurde veröffentlicht.','Posts list'=>'Liste der Beiträge','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Elementliste','%s list'=>'%s-Liste','Posts list navigation'=>'Navigation der Beiträge-Liste','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'Navigation der Elementliste','%s list navigation'=>'%s-Listen-Navigation','Filter posts by date'=>'Beiträge nach Datum filtern','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Elemente nach Datum filtern','Filter %s by date'=>'%s nach Datum filtern','Filter posts list'=>'Liste mit Beiträgen filtern','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'Elemente-Liste filtern','Filter %s list'=>'%s-Liste filtern','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'Zu diesem Element hochgeladen','Uploaded to this %s'=>'Zu diesem %s hochgeladen','Insert into post'=>'In den Beitrag einfügen','As the button label when adding media to content.'=>'Als Button-Beschriftung, wenn Medien zum Inhalt hinzugefügt werden.','Insert Into Media Button'=>'','Insert into %s'=>'In %s einfügen','Use as featured image'=>'Als Beitragsbild verwenden','As the button label for selecting to use an image as the featured image.'=>'Als Button-Beschriftung, wenn ein Bild als Beitragsbild ausgewählt wird.','Use Featured Image'=>'Beitragsbild verwenden','Remove featured image'=>'Beitragsbild entfernen','As the button label when removing the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild entfernt wird.','Remove Featured Image'=>'Beitragsbild entfernen','Set featured image'=>'Beitragsbild festlegen','As the button label when setting the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild festgelegt wird.','Set Featured Image'=>'Beitragsbild festlegen','Featured image'=>'Beitragsbild','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'Beitragsbild-Metabox','Post Attributes'=>'Beitrags-Attribute','In the editor used for the title of the post attributes meta box.'=>'In dem Editor, der für den Titel der Beitragsattribute-Metabox verwendet wird.','Attributes Meta Box'=>'Metabox-Attribute','%s Attributes'=>'%s-Attribute','Post Archives'=>'Beitrags-Archive','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Fügt ‚Inhaltstyp-Archiv‘-Elemente mit dieser Beschriftung zur Liste der Beiträge hinzu, die beim Hinzufügen von Elementen zu einem bestehenden Menü in einem individuellen Inhaltstyp mit aktivierten Archiven angezeigt werden. Erscheint nur, wenn Menüs im Modus „Live-Vorschau“ bearbeitet werden und eine individuelle Archiv-Titelform angegeben wurde.','Archives Nav Menu'=>'Navigations-Menü der Archive','%s Archives'=>'%s-Archive','No posts found in Trash'=>'Es wurden keine Beiträge im Papierkorb gefunden','At the top of the post type list screen when there are no posts in the trash.'=>'Oben in der Listen-Ansicht des Inhaltstyps, wenn keine Beiträge im Papierkorb vorhanden sind.','No Items Found in Trash'=>'Es wurden keine Elemente im Papierkorb gefunden','No %s found in Trash'=>'%s konnten nicht im Papierkorb gefunden werden','No posts found'=>'Es wurden keine Beiträge gefunden','At the top of the post type list screen when there are no posts to display.'=>'Oben in der Listenansicht für Inhaltstypen, wenn es keine Beiträge zum Anzeigen gibt.','No Items Found'=>'Es wurden keine Elemente gefunden','No %s found'=>'%s konnten nicht gefunden werden','Search Posts'=>'Beiträge suchen','At the top of the items screen when searching for an item.'=>'Oben in der Elementansicht, während der Suche nach einem Element.','Search Items'=>'Elemente suchen','Search %s'=>'%s suchen','Parent Page:'=>'Übergeordnete Seite:','For hierarchical types in the post type list screen.'=>'Für hierarchische Typen in der Listenansicht der Inhaltstypen.','Parent Item Prefix'=>'Präfix des übergeordneten Elementes','Parent %s:'=>'%s, übergeordnet:','New Post'=>'Neuer Beitrag','New Item'=>'Neues Element','New %s'=>'Neuer Inhaltstyp %s','Add New Post'=>'Neuen Beitrag hinzufügen','At the top of the editor screen when adding a new item.'=>'Oben in der Editoransicht, wenn ein neues Element hinzugefügt wird.','Add New Item'=>'Neues Element hinzufügen','Add New %s'=>'Neu hinzufügen: %s','View Posts'=>'Beiträge anzeigen','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Wird in der Adminleiste in der Ansicht „Alle Beiträge“ angezeigt, sofern der Inhaltstyp Archive unterstützt und die Homepage kein Archiv dieses Inhaltstyps ist.','View Items'=>'Elemente anzeigen','View Post'=>'Beitrag anzeigen','In the admin bar to view item when editing it.'=>'In der Adminleiste, um das Element beim Bearbeiten anzuzeigen.','View Item'=>'Element anzeigen','View %s'=>'%s anzeigen','Edit Post'=>'Beitrag bearbeiten','At the top of the editor screen when editing an item.'=>'Oben in der Editoransicht, wenn ein Element bearbeitet wird.','Edit Item'=>'Element bearbeiten','Edit %s'=>'%s bearbeiten','All Posts'=>'Alle Beiträge','In the post type submenu in the admin dashboard.'=>'Im Untermenü des Inhaltstyps im Admin-Dashboard.','All Items'=>'Alle Elemente','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Name des Admin-Menüs für den Inhaltstyp.','Menu Name'=>'Menüname','Regenerate all labels using the Singular and Plural labels'=>'Alle Beschriftungen unter Verwendung der Einzahl- und Mehrzahl-Beschriftungen neu generieren','Regenerate'=>'Neu generieren','Active post types are enabled and registered with WordPress.'=>'Aktive Inhaltstypen sind aktiviert und in WordPress registriert.','A descriptive summary of the post type.'=>'Eine beschreibende Zusammenfassung des Inhaltstyps.','Add Custom'=>'Individuell hinzufügen','Enable various features in the content editor.'=>'Verschiedene Funktionen im Inhalts-Editor aktivieren.','Post Formats'=>'Beitragsformate','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Vorhandene Taxonomien auswählen, um Elemente des Inhaltstyps zu kategorisieren.','Browse Fields'=>'Felder durchsuchen','Nothing to import'=>'Es gibt nichts zu importieren','. The Custom Post Type UI plugin can be deactivated.'=>'. Das Plugin Custom Post Type UI kann deaktiviert werden.','Imported %d item from Custom Post Type UI -'=>'Es wurde %d Element von Custom Post Type UI importiert -' . "\0" . 'Es wurden %d Elemente von Custom Post Type UI importiert -','Failed to import taxonomies.'=>'Der Import der Taxonomien ist fehlgeschlagen.','Failed to import post types.'=>'Der Import der Inhaltstypen ist fehlgeschlagen.','Nothing from Custom Post Type UI plugin selected for import.'=>'Es wurde nichts aus dem Plugin Custom Post Type UI für den Import ausgewählt.','Imported 1 item'=>'1 Element wurde importiert' . "\0" . '%s Elemente wurden importiert','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Wenn ein Inhaltstyp oder eine Taxonomie mit einem Schlüssel importiert wird, der bereits vorhanden ist, werden die Einstellungen des vorhandenen Inhaltstyps oder der vorhandenen Taxonomie mit denen des Imports überschrieben.','Import from Custom Post Type UI'=>'Aus Custom Post Type UI importieren','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Der folgende Code kann verwendet werden, um eine lokale Version der ausgewählten Elemente zu registrieren. Die lokale Speicherung von Feldgruppen, Inhaltstypen oder Taxonomien kann viele Vorteile bieten, wie z. B. schnellere Ladezeiten, Versionskontrolle und dynamische Felder/Einstellungen. Kopiere den folgenden Code in die Datei functions.php deines Themes oder füge ihn in eine externe Datei ein und deaktiviere oder lösche anschließend die Elemente in der ACF-Administration.','Export - Generate PHP'=>'Export – PHP generieren','Export'=>'Export','Select Taxonomies'=>'Taxonomien auswählen','Select Post Types'=>'Inhaltstypen auswählen','Exported 1 item.'=>'Ein Element wurde exportiert.' . "\0" . '%s Elemente wurden exportiert.','Category'=>'Kategorie','Tag'=>'Schlagwort','%s taxonomy created'=>'Die Taxonomie %s wurde erstellt','%s taxonomy updated'=>'Die Taxonomie %s wurde aktualisiert','Taxonomy draft updated.'=>'Der Taxonomie-Entwurf wurde aktualisiert.','Taxonomy scheduled for.'=>'Die Taxonomie wurde geplant für.','Taxonomy submitted.'=>'Die Taxonomie wurde übermittelt.','Taxonomy saved.'=>'Die Taxonomie wurde gespeichert.','Taxonomy deleted.'=>'Die Taxonomie wurde gelöscht.','Taxonomy updated.'=>'Die Taxonomie wurde aktualisiert.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Diese Taxonomie konnte nicht registriert werden, da der Schlüssel von einer anderen Taxonomie, die von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Taxonomy synchronized.'=>'Die Taxonomie wurde synchronisiert.' . "\0" . '%s Taxonomien wurden synchronisiert.','Taxonomy duplicated.'=>'Die Taxonomie wurde dupliziert.' . "\0" . '%s Taxonomien wurden dupliziert.','Taxonomy deactivated.'=>'Die Taxonomie wurde deaktiviert.' . "\0" . '%s Taxonomien wurden deaktiviert.','Taxonomy activated.'=>'Die Taxonomie wurde aktiviert.' . "\0" . '%s Taxonomien wurden aktiviert.','Terms'=>'Begriffe','Post type synchronized.'=>'Der Inhaltstyp wurde synchronisiert.' . "\0" . '%s Inhaltstypen wurden synchronisiert.','Post type duplicated.'=>'Der Inhaltstyp wurde dupliziert.' . "\0" . '%s Inhaltstypen wurden dupliziert.','Post type deactivated.'=>'Der Inhaltstyp wurde deaktiviert.' . "\0" . '%s Inhaltstypen wurden deaktiviert.','Post type activated.'=>'Der Inhaltstyp wurde aktiviert.' . "\0" . '%s Inhaltstypen wurden aktiviert.','Post Types'=>'Inhaltstypen','Advanced Settings'=>'Erweiterte Einstellungen','Basic Settings'=>'Grundlegende Einstellungen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dieser Inhaltstyp konnte nicht registriert werden, da dessen Schlüssel von einem anderen Inhaltstyp, der von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Pages'=>'Seiten','Link Existing Field Groups'=>'Vorhandene Feldgruppen verknüpfen','%s post type created'=>'Der Inhaltstyp %s wurde erstellt','Add fields to %s'=>'Felder zu %s hinzufügen','%s post type updated'=>'Der Inhaltstyp %s wurde aktualisiert','Post type draft updated.'=>'Der Inhaltstyp-Entwurf wurde aktualisiert.','Post type scheduled for.'=>'Der Inhaltstyp wurde geplant für.','Post type submitted.'=>'Der Inhaltstyp wurde übermittelt.','Post type saved.'=>'Der Inhaltstyp wurde gespeichert.','Post type updated.'=>'Der Inhaltstyp wurde aktualisiert.','Post type deleted.'=>'Der Inhaltstyp wurde gelöscht.','Type to search...'=>'Tippen, um zu suchen …','PRO Only'=>'Nur Pro','Field groups linked successfully.'=>'Die Feldgruppen wurden erfolgreich verlinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importiere Inhaltstypen und Taxonomien, die mit Custom Post Type UI registriert wurden, und verwalte sie mit ACF. Jetzt starten.','ACF'=>'ACF','taxonomy'=>'Taxonomie','post type'=>'Inhaltstyp','Done'=>'Erledigt','Field Group(s)'=>'Feldgruppe(n)','Select one or many field groups...'=>'Wähle eine Feldgruppe oder mehrere ...','Please select the field groups to link.'=>'Bitte wähle die Feldgruppe zum Verlinken aus.','Field group linked successfully.'=>'Die Feldgruppe wurde erfolgreich verlinkt.' . "\0" . 'Die Feldgruppen wurden erfolgreich verlinkt.','post statusRegistration Failed'=>'Die Registrierung ist fehlgeschlagen','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dieses Element konnte nicht registriert werden, da dessen Schlüssel von einem anderen Element, das von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','REST API'=>'REST-API','Permissions'=>'Berechtigungen','URLs'=>'URLs','Visibility'=>'Sichtbarkeit','Labels'=>'Beschriftungen','Field Settings Tabs'=>'Tabs für Feldeinstellungen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Die Vorschau des ACF-Shortcodes wurde deaktiviert]','Close Modal'=>'Modal schließen','Field moved to other group'=>'Das Feld wurde zu einer anderen Gruppe verschoben','Close modal'=>'Modal schließen','Start a new group of tabs at this tab.'=>'Eine neue Gruppe von Tabs in diesem Tab beginnen.','New Tab Group'=>'Neue Tab-Gruppe','Use a stylized checkbox using select2'=>'Ein stylisches Auswahlkästchen mit select2 verwenden','Save Other Choice'=>'Eine andere Auswahlmöglichkeit speichern','Allow Other Choice'=>'Eine andere Auswahlmöglichkeit erlauben','Add Toggle All'=>'„Alles umschalten“ hinzufügen','Save Custom Values'=>'Individuelle Werte speichern','Allow Custom Values'=>'Individuelle Werte zulassen','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Individuelle Werte von Auswahlkästchen dürfen nicht leer sein. Deaktiviere alle leeren Werte.','Updates'=>'Aktualisierungen','Advanced Custom Fields logo'=>'Advanced-Custom-Fields-Logo','Save Changes'=>'Änderungen speichern','Field Group Title'=>'Feldgruppen-Titel','Add title'=>'Titel hinzufügen','New to ACF? Take a look at our getting started guide.'=>'Neu bei ACF? Wirf einen Blick auf die Anleitung zum Starten (engl.).','Add Field Group'=>'Feldgruppe hinzufügen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF verwendet Feldgruppen, um individuelle Felder zu gruppieren und diese dann in Bearbeitungsansichten anzuhängen.','Add Your First Field Group'=>'Deine erste Feldgruppe hinzufügen','Options Pages'=>'Optionen-Seiten','ACF Blocks'=>'ACF-Blöcke','Gallery Field'=>'Galerie-Feld','Flexible Content Field'=>'Feld „Flexibler Inhalt“','Repeater Field'=>'Wiederholungs-Feld','Unlock Extra Features with ACF PRO'=>'Zusatzfunktionen mit ACF PRO freischalten','Delete Field Group'=>'Feldgruppe löschen','Created on %1$s at %2$s'=>'Erstellt am %1$s um %2$s','Group Settings'=>'Gruppeneinstellungen','Location Rules'=>'Regeln für die Position','Choose from over 30 field types. Learn more.'=>'Wähle aus mehr als 30 Feldtypen. Mehr erfahren (engl.).','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Beginne mit der Erstellung neuer individueller Felder für deine Beiträge, Seiten, individuellen Inhaltstypen und sonstigen WordPress-Inhalten.','Add Your First Field'=>'Füge dein erstes Feld hinzu','#'=>'#','Add Field'=>'Feld hinzufügen','Presentation'=>'Präsentation','Validation'=>'Validierung','General'=>'Allgemein','Import JSON'=>'JSON importieren','Export As JSON'=>'Als JSON exportieren','Field group deactivated.'=>'Die Feldgruppe wurde deaktiviert.' . "\0" . '%s Feldgruppen wurden deaktiviert.','Field group activated.'=>'Die Feldgruppe wurde aktiviert.' . "\0" . '%s Feldgruppen wurden aktiviert.','Deactivate'=>'Deaktivieren','Deactivate this item'=>'Dieses Element deaktivieren','Activate'=>'Aktivieren','Activate this item'=>'Dieses Element aktivieren','Move field group to trash?'=>'Soll die Feldgruppe in den Papierkorb verschoben werden?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch deaktiviert.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields wurde automatisch deaktiviert.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Es wurde mindestens ein Versuch festgestellt, ACF-Feldwerte abzurufen, bevor ACF initialisiert wurde. Dies wird nicht unterstützt und kann zu fehlerhaften oder fehlenden Daten führen. Lerne, wie du das beheben kannst (engl.).','%1$s must have a user with the %2$s role.'=>'%1$s muss einen Benutzer mit der %2$s-Rolle haben.' . "\0" . '%1$s muss einen Benutzer mit einer der folgenden rollen haben: %2$s','%1$s must have a valid user ID.'=>'%1$s muss eine gültige Benutzer-ID haben.','Invalid request.'=>'Ungültige Anfrage.','%1$s is not one of %2$s'=>'%1$s ist nicht eins von %2$s','%1$s must have term %2$s.'=>'%1$s muss den Begriff %2$s haben.' . "\0" . '%1$s muss einen der folgenden Begriffe haben: %2$s','%1$s must be of post type %2$s.'=>'%1$s muss vom Inhaltstyp %2$s sein.' . "\0" . '%1$s muss einer der folgenden Inhaltstypen sein: %2$s','%1$s must have a valid post ID.'=>'%1$s muss eine gültige Beitrags-ID haben.','%s requires a valid attachment ID.'=>'%s erfordert eine gültige Anhangs-ID.','Show in REST API'=>'Im REST-API anzeigen','Enable Transparency'=>'Transparenz aktivieren','RGBA Array'=>'RGBA-Array','RGBA String'=>'RGBA-Zeichenfolge','Hex String'=>'Hex-Zeichenfolge','Upgrade to PRO'=>'Upgrade auf PRO','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'‚%s‘ ist keine gültige E-Mail-Adresse','Color value'=>'Farbwert','Select default color'=>'Standardfarbe auswählen','Clear color'=>'Farbe entfernen','Blocks'=>'Blöcke','Options'=>'Optionen','Users'=>'Benutzer','Menu items'=>'Menüelemente','Widgets'=>'Widgets','Attachments'=>'Anhänge','Taxonomies'=>'Taxonomien','Posts'=>'Beiträge','Last updated: %s'=>'Zuletzt aktualisiert: %s','Sorry, this post is unavailable for diff comparison.'=>'Leider steht diese Feldgruppe nicht für einen Diff-Vergleich zur Verfügung.','Invalid field group parameter(s).'=>'Ungültige(r) Feldgruppen-Parameter.','Awaiting save'=>'Ein Speichern wird erwartet','Saved'=>'Gespeichert','Import'=>'Importieren','Review changes'=>'Änderungen überprüfen','Located in: %s'=>'Ist zu finden in: %s','Located in plugin: %s'=>'Liegt im Plugin: %s','Located in theme: %s'=>'Liegt im Theme: %s','Various'=>'Verschiedene','Sync changes'=>'Änderungen synchronisieren','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON-Änderungen überprüfen','Visit website'=>'Website besuchen','View details'=>'Details anzeigen','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help-Desk. Die Support-Experten unseres Help-Desks werden dir bei komplexeren technischen Herausforderungen unterstützend zur Seite stehen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussionen. Wir haben eine aktive und freundliche Community in unseren Community-Foren, die dir vielleicht dabei helfen kann, dich mit den „How-tos“ der ACF-Welt vertraut zu machen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation (engl.). Diese umfassende Dokumentation beinhaltet Referenzen und Leitfäden zu den meisten Situationen, die du vorfinden wirst.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wir legen großen Wert auf Support und möchten, dass du mit ACF das Beste aus deiner Website herausholst. Wenn du auf Schwierigkeiten stößt, gibt es mehrere Stellen, an denen du Hilfe finden kannst:','Help & Support'=>'Hilfe und Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Falls du Hilfe benötigst, nutze bitte den Tab „Hilfe und Support“, um dich mit uns in Verbindung zu setzen.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Bevor du deine erste Feldgruppe erstellst, wird empfohlen, vorab die Anleitung Erste Schritte (engl.) durchzulesen, um dich mit der Philosophie hinter dem Plugin und den besten Praktiken vertraut zu machen.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Das Advanced-Custom-Fields-Plugin bietet einen visuellen Formular-Builder, um WordPress-Bearbeitungsansichten mit weiteren Feldern zu individualisieren und eine intuitive API, um individuelle Feldwerte in beliebigen Theme-Template-Dateien anzuzeigen.','Overview'=>'Übersicht','Location type "%s" is already registered.'=>'Positions-Typ „%s“ ist bereits registriert.','Class "%s" does not exist.'=>'Die Klasse „%s“ existiert nicht.','Invalid nonce.'=>'Der Nonce ist ungültig.','Error loading field.'=>'Fehler beim Laden des Felds.','Error: %s'=>'Fehler: %s','Widget'=>'Widget','User Role'=>'Benutzerrolle','Comment'=>'Kommentar','Post Format'=>'Beitragsformat','Menu Item'=>'Menüelement','Post Status'=>'Beitragsstatus','Menus'=>'Menüs','Menu Locations'=>'Menüpositionen','Menu'=>'Menü','Post Taxonomy'=>'Beitrags-Taxonomie','Child Page (has parent)'=>'Unterseite (hat übergeordnete Seite)','Parent Page (has children)'=>'Übergeordnete Seite (hat Unterseiten)','Top Level Page (no parent)'=>'Seite der ersten Ebene (keine übergeordnete)','Posts Page'=>'Beitrags-Seite','Front Page'=>'Startseite','Page Type'=>'Seitentyp','Viewing back end'=>'Backend anzeigen','Viewing front end'=>'Frontend anzeigen','Logged in'=>'Angemeldet','Current User'=>'Aktueller Benutzer','Page Template'=>'Seiten-Template','Register'=>'Registrieren','Add / Edit'=>'Hinzufügen/bearbeiten','User Form'=>'Benutzerformular','Page Parent'=>'Übergeordnete Seite','Super Admin'=>'Super-Administrator','Current User Role'=>'Aktuelle Benutzerrolle','Default Template'=>'Standard-Template','Post Template'=>'Beitrags-Template','Post Category'=>'Beitragskategorie','All %s formats'=>'Alle %s Formate','Attachment'=>'Anhang','%s value is required'=>'%s Wert ist erforderlich','Show this field if'=>'Dieses Feld anzeigen, falls','Conditional Logic'=>'Bedingte Logik','and'=>'und','Local JSON'=>'Lokales JSON','Clone Field'=>'Feld duplizieren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.','This version contains improvements to your database and requires an upgrade.'=>'Diese Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.','Thank you for updating to %1$s v%2$s!'=>'Danke für die Aktualisierung auf %1$s v%2$s!','Database Upgrade Required'=>'Ein Upgrade der Datenbank ist erforderlich','Options Page'=>'Optionen-Seite','Gallery'=>'Galerie','Flexible Content'=>'Flexibler Inhalt','Repeater'=>'Wiederholung','Back to all tools'=>'Zurück zur Werkzeugübersicht','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)'=>'Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Sortierungs-Nummer)','Select items to hide them from the edit screen.'=>'Die Elemente auswählen, die in der Bearbeitungsansicht verborgen werden sollen.','Hide on screen'=>'In der Ansicht ausblenden','Send Trackbacks'=>'Trackbacks senden','Tags'=>'Schlagwörter','Categories'=>'Kategorien','Page Attributes'=>'Seiten-Attribute','Format'=>'Format','Author'=>'Autor','Slug'=>'Titelform','Revisions'=>'Revisionen','Comments'=>'Kommentare','Discussion'=>'Diskussion','Excerpt'=>'Textauszug','Content Editor'=>'Inhalts-Editor','Permalink'=>'Permalink','Shown in field group list'=>'Wird in der Feldgruppen-Liste angezeigt','Field groups with a lower order will appear first'=>'Die Feldgruppen mit niedrigerer Ordnung werden zuerst angezeigt','Order No.'=>'Sortierungs-Nr.','Below fields'=>'Unterhalb der Felder','Below labels'=>'Unterhalb der Beschriftungen','Instruction Placement'=>'Platzierung der Anweisungen','Label Placement'=>'Platzierung der Beschriftung','Side'=>'Seite','Normal (after content)'=>'Normal (nach Inhalt)','High (after title)'=>'Hoch (nach dem Titel)','Position'=>'Position','Seamless (no metabox)'=>'Übergangslos (keine Metabox)','Standard (WP metabox)'=>'Standard (WP-Metabox)','Style'=>'Stil','Type'=>'Typ','Key'=>'Schlüssel','Order'=>'Reihenfolge','Close Field'=>'Feld schließen','id'=>'ID','class'=>'Klasse','width'=>'Breite','Wrapper Attributes'=>'Wrapper-Attribute','Required'=>'Erforderlich','Instructions'=>'Anweisungen','Field Type'=>'Feldtyp','Single word, no spaces. Underscores and dashes allowed'=>'Einzelnes Wort ohne Leerzeichen. Unterstriche und Bindestriche sind erlaubt','Field Name'=>'Feldname','This is the name which will appear on the EDIT page'=>'Dies ist der Name, der auf der BEARBEITUNGS-Seite erscheinen wird','Field Label'=>'Feldbeschriftung','Delete'=>'Löschen','Delete field'=>'Feld löschen','Move'=>'Verschieben','Move field to another group'=>'Feld in eine andere Gruppe verschieben','Duplicate field'=>'Feld duplizieren','Edit field'=>'Feld bearbeiten','Drag to reorder'=>'Ziehen zum Sortieren','Show this field group if'=>'Diese Feldgruppe anzeigen, falls','No updates available.'=>'Es sind keine Aktualisierungen verfügbar.','Database upgrade complete. See what\'s new'=>'Das Datenbank-Upgrade wurde abgeschlossen. Schau nach was es Neues gibt','Reading upgrade tasks...'=>'Aufgaben für das Upgrade einlesen ...','Upgrade failed.'=>'Das Upgrade ist fehlgeschlagen.','Upgrade complete.'=>'Das Upgrade wurde abgeschlossen.','Upgrading data to version %s'=>'Das Upgrade der Daten auf Version %s wird ausgeführt','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es wird dringend empfohlen, dass du deine Datenbank sicherst, bevor du fortfährst. Bist du sicher, dass du die Aktualisierung jetzt durchführen möchtest?','Please select at least one site to upgrade.'=>'Bitte mindestens eine Website für das Upgrade auswählen.','Database Upgrade complete. Return to network dashboard'=>'Das Upgrade der Datenbank wurde fertiggestellt. Zurück zum Netzwerk-Dashboard','Site is up to date'=>'Die Website ist aktuell','Site requires database upgrade from %1$s to %2$s'=>'Die Website erfordert ein Upgrade der Datenbank von %1$s auf %2$s','Site'=>'Website','Upgrade Sites'=>'Upgrade der Websites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du aktualisieren möchtest und klick dann auf %s.','Add rule group'=>'Eine Regelgruppe hinzufügen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Erstelle einen Satz von Regeln, um festzulegen, in welchen Bearbeitungsansichten diese „advanced custom fields“ genutzt werden','Rules'=>'Regeln','Copied'=>'Kopiert','Copy to clipboard'=>'In die Zwischenablage kopieren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wähle, welche Feldgruppen du exportieren möchtest und wähle dann die Exportmethode. Exportiere als JSON, um eine JSON-Datei zu exportieren, die du im Anschluss in eine andere ACF-Installation importieren kannst. Verwende den „PHP erstellen“-Button, um den resultierenden PHP-Code zu exportieren, den du in dein Theme einfügen kannst.','Select Field Groups'=>'Feldgruppen auswählen','No field groups selected'=>'Es wurden keine Feldgruppen ausgewählt','Generate PHP'=>'PHP erstellen','Export Field Groups'=>'Feldgruppen exportieren','Import file empty'=>'Die importierte Datei ist leer','Incorrect file type'=>'Inkorrekter Dateityp','Error uploading file. Please try again'=>'Fehler beim Upload der Datei. Bitte erneut versuchen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Feldgruppen importieren','Sync'=>'Synchronisieren','Select %s'=>'%s auswählen','Duplicate'=>'Duplizieren','Duplicate this item'=>'Dieses Element duplizieren','Supports'=>'Hilfe','Documentation'=>'Dokumentation','Description'=>'Beschreibung','Sync available'=>'Synchronisierung verfügbar','Field group synchronized.'=>'Die Feldgruppe wurde synchronisiert.' . "\0" . '%s Feldgruppen wurden synchronisiert.','Field group duplicated.'=>'Die Feldgruppe wurde dupliziert.' . "\0" . '%s Feldgruppen wurden dupliziert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiv (%s)','Review sites & upgrade'=>'Websites prüfen und ein Upgrade durchführen','Upgrade Database'=>'Upgrade der Datenbank','Custom Fields'=>'Individuelle Felder','Move Field'=>'Feld verschieben','Please select the destination for this field'=>'Bitte das Ziel für dieses Feld auswählen','The %1$s field can now be found in the %2$s field group'=>'Das %1$s-Feld kann jetzt in der %2$s-Feldgruppe gefunden werden','Move Complete.'=>'Das Verschieben ist abgeschlossen.','Active'=>'Aktiv','Field Keys'=>'Feldschlüssel','Settings'=>'Einstellungen','Location'=>'Position','Null'=>'Null','copy'=>'kopieren','(this field)'=>'(dieses Feld)','Checked'=>'Ausgewählt','Move Custom Field'=>'Individuelles Feld verschieben','No toggle fields available'=>'Es sind keine Felder zum Umschalten verfügbar','Field group title is required'=>'Ein Titel für die Feldgruppe ist erforderlich','This field cannot be moved until its changes have been saved'=>'Dieses Feld kann erst verschoben werden, wenn dessen Änderungen gespeichert wurden','The string "field_" may not be used at the start of a field name'=>'Die Zeichenfolge „field_“ darf nicht am Beginn eines Feldnamens stehen','Field group draft updated.'=>'Der Entwurf der Feldgruppe wurde aktualisiert.','Field group scheduled for.'=>'Feldgruppe geplant für.','Field group submitted.'=>'Die Feldgruppe wurde übertragen.','Field group saved.'=>'Die Feldgruppe wurde gespeichert.','Field group published.'=>'Die Feldgruppe wurde veröffentlicht.','Field group deleted.'=>'Die Feldgruppe wurde gelöscht.','Field group updated.'=>'Die Feldgruppe wurde aktualisiert.','Tools'=>'Werkzeuge','is not equal to'=>'ist ungleich','is equal to'=>'ist gleich','Forms'=>'Formulare','Page'=>'Seite','Post'=>'Beitrag','Relational'=>'Relational','Choice'=>'Auswahl','Basic'=>'Grundlegend','Unknown'=>'Unbekannt','Field type does not exist'=>'Der Feldtyp existiert nicht','Spam Detected'=>'Es wurde Spam entdeckt','Post updated'=>'Der Beitrag wurde aktualisiert','Update'=>'Aktualisieren','Validate Email'=>'E-Mail-Adresse bestätigen','Content'=>'Inhalt','Title'=>'Titel','Edit field group'=>'Feldgruppe bearbeiten','Selection is less than'=>'Die Auswahl ist kleiner als','Selection is greater than'=>'Die Auswahl ist größer als','Value is less than'=>'Der Wert ist kleiner als','Value is greater than'=>'Der Wert ist größer als','Value contains'=>'Der Wert enthält','Value matches pattern'=>'Der Wert entspricht dem Muster','Value is not equal to'=>'Wert ist ungleich','Value is equal to'=>'Der Wert ist gleich','Has no value'=>'Hat keinen Wert','Has any value'=>'Hat einen Wert','Cancel'=>'Abbrechen','Are you sure?'=>'Bist du sicher?','%d fields require attention'=>'%d Felder erfordern Aufmerksamkeit','1 field requires attention'=>'1 Feld erfordert Aufmerksamkeit','Validation failed'=>'Die Überprüfung ist fehlgeschlagen','Validation successful'=>'Die Überprüfung war erfolgreich','Restricted'=>'Eingeschränkt','Collapse Details'=>'Details ausblenden','Expand Details'=>'Details einblenden','Uploaded to this post'=>'Zu diesem Beitrag hochgeladen','verbUpdate'=>'Aktualisieren','verbEdit'=>'Bearbeiten','The changes you made will be lost if you navigate away from this page'=>'Deine Änderungen werden verlorengehen, wenn du diese Seite verlässt','File type must be %s.'=>'Der Dateityp muss %s sein.','or'=>'oder','File size must not exceed %s.'=>'Die Dateigröße darf nicht größer als %s sein.','File size must be at least %s.'=>'Die Dateigröße muss mindestens %s sein.','Image height must not exceed %dpx.'=>'Die Höhe des Bild darf %dpx nicht überschreiten.','Image height must be at least %dpx.'=>'Die Höhe des Bildes muss mindestens %dpx sein.','Image width must not exceed %dpx.'=>'Die Breite des Bildes darf %dpx nicht überschreiten.','Image width must be at least %dpx.'=>'Die Breite des Bildes muss mindestens %dpx sein.','(no title)'=>'(ohne Titel)','Full Size'=>'Volle Größe','Large'=>'Groß','Medium'=>'Mittel','Thumbnail'=>'Vorschaubild','(no label)'=>'(keine Beschriftung)','Sets the textarea height'=>'Legt die Höhe des Textbereichs fest','Rows'=>'Zeilen','Text Area'=>'Textbereich','Prepend an extra checkbox to toggle all choices'=>'Ein zusätzliches Auswahlfeld voranstellen, um alle Optionen auszuwählen','Save \'custom\' values to the field\'s choices'=>'Individuelle Werte in den Auswahlmöglichkeiten des Feldes speichern','Allow \'custom\' values to be added'=>'Das Hinzufügen individueller Werte erlauben','Add new choice'=>'Eine neue Auswahlmöglichkeit hinzufügen','Toggle All'=>'Alle umschalten','Allow Archives URLs'=>'Archiv-URLs erlauben','Archives'=>'Archive','Page Link'=>'Seiten-Link','Add'=>'Hinzufügen','Name'=>'Name','%s added'=>'%s hinzugefügt','%s already exists'=>'%s ist bereits vorhanden','User unable to add new %s'=>'Der Benutzer kann keine neue %s hinzufügen','Term ID'=>'Begriffs-ID','Term Object'=>'Begriffs-Objekt','Load value from posts terms'=>'Den Wert aus den Begriffen des Beitrags laden','Load Terms'=>'Begriffe laden','Connect selected terms to the post'=>'Verbinde die ausgewählten Begriffe mit dem Beitrag','Save Terms'=>'Begriffe speichern','Allow new terms to be created whilst editing'=>'Erlaubt das Erstellen neuer Begriffe während des Bearbeitens','Create Terms'=>'Begriffe erstellen','Radio Buttons'=>'Radiobuttons','Single Value'=>'Einzelner Wert','Multi Select'=>'Mehrfachauswahl','Checkbox'=>'Auswahlkästchen','Multiple Values'=>'Mehrere Werte','Select the appearance of this field'=>'Das Design für dieses Feld auswählen','Appearance'=>'Design','Select the taxonomy to be displayed'=>'Wähle die Taxonomie, welche angezeigt werden soll','No TermsNo %s'=>'Keine %s','Value must be equal to or lower than %d'=>'Der Wert muss kleiner oder gleich %d sein','Value must be equal to or higher than %d'=>'Der Wert muss größer oder gleich %d sein','Value must be a number'=>'Der Wert muss eine Zahl sein','Number'=>'Numerisch','Save \'other\' values to the field\'s choices'=>'Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern','Add \'other\' choice to allow for custom values'=>'Das Hinzufügen der Auswahlmöglichkeit ‚weitere‘ erlaubt individuelle Werte','Other'=>'Weitere','Radio Button'=>'Radiobutton','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiert einen Endpunkt, an dem das vorangegangene Akkordeon endet. Dieses Akkordeon wird nicht sichtbar sein.','Allow this accordion to open without closing others.'=>'Dieses Akkordeon öffnen, ohne die anderen zu schließen.','Multi-Expand'=>'Mehrfach-Erweiterung','Display this accordion as open on page load.'=>'Dieses Akkordeon beim Laden der Seite in geöffnetem Zustand anzeigen.','Open'=>'Geöffnet','Accordion'=>'Akkordeon','Restrict which files can be uploaded'=>'Beschränkt, welche Dateien hochgeladen werden können','File ID'=>'Datei-ID','File URL'=>'Datei-URL','File Array'=>'Datei-Array','Add File'=>'Datei hinzufügen','No file selected'=>'Es wurde keine Datei ausgewählt','File name'=>'Dateiname','Update File'=>'Datei aktualisieren','Edit File'=>'Datei bearbeiten','Select File'=>'Datei auswählen','File'=>'Datei','Password'=>'Passwort','Specify the value returned'=>'Lege den Rückgabewert fest','Use AJAX to lazy load choices?'=>'Soll AJAX genutzt werden, um Auswahlen verzögert zu laden?','Enter each default value on a new line'=>'Jeden Standardwert in einer neuen Zeile eingeben','verbSelect'=>'Auswählen','Select2 JS load_failLoading failed'=>'Das Laden ist fehlgeschlagen','Select2 JS searchingSearching…'=>'Suchen…','Select2 JS load_moreLoading more results…'=>'Mehr Ergebnisse laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kannst nur %d Elemente auswählen','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kannst nur ein Element auswählen','Select2 JS input_too_long_nPlease delete %d characters'=>'Lösche bitte %d Zeichen','Select2 JS input_too_long_1Please delete 1 character'=>'Lösche bitte ein Zeichen','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Gib bitte %d oder mehr Zeichen ein','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Gib bitte ein oder mehr Zeichen ein','Select2 JS matches_0No matches found'=>'Es wurden keine Übereinstimmungen gefunden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und unten zu navigieren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ein Ergebnis ist verfügbar, Eingabetaste drücken, um es auszuwählen.','nounSelect'=>'Auswahl','User ID'=>'Benutzer-ID','User Object'=>'Benutzer-Objekt','User Array'=>'Benutzer-Array','All user roles'=>'Alle Benutzerrollen','Filter by Role'=>'Nach Rolle filtern','User'=>'Benutzer','Separator'=>'Trennzeichen','Select Color'=>'Farbe auswählen','Default'=>'Standard','Clear'=>'Leeren','Color Picker'=>'Farbpicker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Auswählen','Date Time Picker JS closeTextDone'=>'Fertig','Date Time Picker JS currentTextNow'=>'Jetzt','Date Time Picker JS timezoneTextTime Zone'=>'Zeitzone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunde','Date Time Picker JS millisecTextMillisecond'=>'Millisekunde','Date Time Picker JS secondTextSecond'=>'Sekunde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Stunde','Date Time Picker JS timeTextTime'=>'Zeit','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zeit wählen','Date Time Picker'=>'Datums- und Zeitauswahl','Endpoint'=>'Endpunkt','Left aligned'=>'Linksbündig','Top aligned'=>'Oben ausgerichtet','Placement'=>'Platzierung','Tab'=>'Tab','Value must be a valid URL'=>'Der Wert muss eine gültige URL sein','Link URL'=>'Link-URL','Link Array'=>'Link-Array','Opens in a new window/tab'=>'In einem neuen Fenster/Tab öffnen','Select Link'=>'Link auswählen','Link'=>'Link','Email'=>'E-Mail-Adresse','Step Size'=>'Schrittweite','Maximum Value'=>'Maximalwert','Minimum Value'=>'Mindestwert','Range'=>'Bereich','Both (Array)'=>'Beide (Array)','Label'=>'Beschriftung','Value'=>'Wert','Vertical'=>'Vertikal','Horizontal'=>'Horizontal','red : Red'=>'rot : Rot','For more control, you may specify both a value and label like this:'=>'Für mehr Kontrolle kannst du sowohl einen Wert als auch eine Beschriftung wie folgt angeben:','Enter each choice on a new line.'=>'Jede Option in eine neue Zeile eintragen.','Choices'=>'Auswahlmöglichkeiten','Button Group'=>'Button-Gruppe','Allow Null'=>'NULL-Werte zulassen?','Parent'=>'Übergeordnet','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wird erst initialisiert, wenn das Feld geklickt wird','Delay Initialization'=>'Soll die Initialisierung verzögert werden?','Show Media Upload Buttons'=>'Sollen Buttons zum Hochladen von Medien anzeigt werden?','Toolbar'=>'Werkzeugleiste','Text Only'=>'Nur Text','Visual Only'=>'Nur visuell','Visual & Text'=>'Visuell und Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klicken, um TinyMCE zu initialisieren','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuell','Value must not exceed %d characters'=>'Der Wert darf %d Zeichen nicht überschreiten','Leave blank for no limit'=>'Leer lassen, wenn es keine Begrenzung gibt','Character Limit'=>'Zeichenbegrenzung','Appears after the input'=>'Wird nach dem Eingabefeld angezeigt','Append'=>'Anhängen','Appears before the input'=>'Wird dem Eingabefeld vorangestellt','Prepend'=>'Voranstellen','Appears within the input'=>'Wird innerhalb des Eingabefeldes angezeigt','Placeholder Text'=>'Platzhaltertext','Appears when creating a new post'=>'Wird bei der Erstellung eines neuen Beitrags angezeigt','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s erfordert mindestens %2$s Auswahl' . "\0" . '%1$s erfordert mindestens %2$s Auswahlen','Post ID'=>'Beitrags-ID','Post Object'=>'Beitrags-Objekt','Maximum Posts'=>'Höchstzahl an Beiträgen','Minimum Posts'=>'Mindestzahl an Beiträgen','Featured Image'=>'Beitragsbild','Selected elements will be displayed in each result'=>'Die ausgewählten Elemente werden in jedem Ergebnis angezeigt','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Inhaltstyp','Filters'=>'Filter','All taxonomies'=>'Alle Taxonomien','Filter by Taxonomy'=>'Nach Taxonomie filtern','All post types'=>'Alle Inhaltstypen','Filter by Post Type'=>'Nach Inhaltstyp filtern','Search...'=>'Suchen …','Select taxonomy'=>'Taxonomie auswählen','Select post type'=>'Inhaltstyp auswählen','No matches found'=>'Es wurde keine Übereinstimmung gefunden','Loading'=>'Wird geladen','Maximum values reached ( {max} values )'=>'Die maximal möglichen Werte wurden erreicht ({max} Werte)','Relationship'=>'Beziehung','Comma separated list. Leave blank for all types'=>'Eine durch Kommata getrennte Liste. Leer lassen, um alle Typen zu erlauben','Allowed File Types'=>'Erlaubte Dateiformate','Maximum'=>'Maximum','File size'=>'Dateigröße','Restrict which images can be uploaded'=>'Beschränkt, welche Bilder hochgeladen werden können','Minimum'=>'Minimum','Uploaded to post'=>'Wurde zum Beitrag hochgeladen','All'=>'Alle','Limit the media library choice'=>'Beschränkt die Auswahl in der Mediathek','Library'=>'Mediathek','Preview Size'=>'Vorschau-Größe','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-Array','Specify the returned value on front end'=>'Legt den Rückgabewert für das Frontend fest','Return Value'=>'Rückgabewert','Add Image'=>'Bild hinzufügen','No image selected'=>'Es wurde kein Bild ausgewählt','Remove'=>'Entfernen','Edit'=>'Bearbeiten','All images'=>'Alle Bilder','Update Image'=>'Bild aktualisieren','Edit Image'=>'Bild bearbeiten','Select Image'=>'Bild auswählen','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'HTML-Markup als sichtbaren Text anzeigen, anstatt es zu rendern','Escape HTML'=>'HTML maskieren','No Formatting'=>'Keine Formatierung','Automatically add <br>'=>'Automatisches Hinzufügen von <br>','Automatically add paragraphs'=>'Absätze automatisch hinzufügen','Controls how new lines are rendered'=>'Legt fest, wie Zeilenumbrüche gerendert werden','New Lines'=>'Zeilenumbrüche','Week Starts On'=>'Die Woche beginnt am','The format used when saving a value'=>'Das Format für das Speichern eines Wertes','Save Format'=>'Format speichern','Date Picker JS weekHeaderWk'=>'W','Date Picker JS prevTextPrev'=>'Vorheriges','Date Picker JS nextTextNext'=>'Nächstes','Date Picker JS currentTextToday'=>'Heute','Date Picker JS closeTextDone'=>'Fertig','Date Picker'=>'Datumspicker','Width'=>'Breite','Embed Size'=>'Einbettungs-Größe','Enter URL'=>'URL eingeben','oEmbed'=>'oEmbed','Text shown when inactive'=>'Der Text, der im aktiven Zustand angezeigt wird','Off Text'=>'Wenn inaktiv','Text shown when active'=>'Der Text, der im inaktiven Zustand angezeigt wird','On Text'=>'Wenn aktiv','Stylized UI'=>'Gestylte UI','Default Value'=>'Standardwert','Displays text alongside the checkbox'=>'Zeigt den Text neben dem Auswahlkästchen an','Message'=>'Mitteilung','No'=>'Nein','Yes'=>'Ja','True / False'=>'Wahr/falsch','Row'=>'Reihe','Table'=>'Tabelle','Block'=>'Block','Specify the style used to render the selected fields'=>'Lege den Stil für die Darstellung der ausgewählten Felder fest','Layout'=>'Layout','Sub Fields'=>'Untergeordnete Felder','Group'=>'Gruppe','Customize the map height'=>'Kartenhöhe anpassen','Height'=>'Höhe','Set the initial zoom level'=>'Den Anfangswert für Zoom einstellen','Zoom'=>'Zoom','Center the initial map'=>'Ausgangskarte zentrieren','Center'=>'Zentriert','Search for address...'=>'Nach der Adresse suchen ...','Find current location'=>'Aktuelle Position finden','Clear location'=>'Position löschen','Search'=>'Suchen','Sorry, this browser does not support geolocation'=>'Dieser Browser unterstützt leider keine Standortbestimmung','Google Map'=>'Google Maps','The format returned via template functions'=>'Das über Template-Funktionen zurückgegebene Format','Return Format'=>'Rückgabeformat','Custom:'=>'Individuell:','The format displayed when editing a post'=>'Das angezeigte Format beim Bearbeiten eines Beitrags','Display Format'=>'Darstellungsformat','Time Picker'=>'Zeitpicker','Inactive (%s)'=>'Deaktiviert (%s)' . "\0" . 'Deaktiviert (%s)','No Fields found in Trash'=>'Es wurden keine Felder im Papierkorb gefunden','No Fields found'=>'Es wurden keine Felder gefunden','Search Fields'=>'Felder suchen','View Field'=>'Feld anzeigen','New Field'=>'Neues Feld','Edit Field'=>'Feld bearbeiten','Add New Field'=>'Neues Feld hinzufügen','Field'=>'Feld','Fields'=>'Felder','No Field Groups found in Trash'=>'Es wurden keine Feldgruppen im Papierkorb gefunden','No Field Groups found'=>'Es wurden keine Feldgruppen gefunden','Search Field Groups'=>'Feldgruppen durchsuchen','View Field Group'=>'Feldgruppe anzeigen','New Field Group'=>'Neue Feldgruppe','Edit Field Group'=>'Feldgruppe bearbeiten','Add New Field Group'=>'Neue Feldgruppe hinzufügen','Add New'=>'Neu hinzufügen','Field Group'=>'Feldgruppe','Field Groups'=>'Feldgruppen','Customize WordPress with powerful, professional and intuitive fields.'=>'WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Name des Block-Typs wird benötigt.','Block type "%s" is already registered.'=>'Block-Typ „%s“ ist bereits registriert.','Switch to Edit'=>'Zum Bearbeiten wechseln','Switch to Preview'=>'Zur Vorschau wechseln','Change content alignment'=>'Ausrichtung des Inhalts ändern','%s settings'=>'%s Einstellungen','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Optionen aktualisiert','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'Erneut suchen','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feldgruppen für diese Options-Seite gefunden. Eine Feldgruppe erstellen','Error. Could not connect to update server'=>'Fehler. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probiere es nochmal oder deaktiviere und reaktiviere deine ACF PRO-Lizenz.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Wähle ein oder mehrere Felder aus die Du klonen möchtest','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Gib den Stil an mit dem das Klon-Feld angezeigt werden soll','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Labels will be displayed as %s'=>'Beschriftungen werden als %s angezeigt','Prefix Field Labels'=>'Präfix für Feldbeschriftungen','Values will be saved as %s'=>'Werte werden als %s gespeichert','Prefix Field Names'=>'Präfix für Feldnamen','Unknown field'=>'Unbekanntes Feld','Unknown field group'=>'Unbekannte Feldgruppe','All fields from %s field group'=>'Alle Felder der Feldgruppe %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Mindestzahl an Layouts','Maximum Layouts'=>'Höchstzahl an Layouts','Button Label'=>'Button-Beschriftung','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Caption'=>'Bildunterschrift','Alt Text'=>'Alt Text','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schließen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Allowed file types'=>'Erlaubte Dateiformate','Insert'=>'Einfügen','Specify where new attachments are added'=>'Gib an wo neue Anhänge hinzugefügt werden sollen','Append to the end'=>'Anhängen','Prepend to the beginning'=>'Voranstellen','Minimum rows not reached ({min} rows)'=>'Mindestzahl der Einträge hat ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Höchstzahl der Einträge hat ({max} Reihen) erreicht','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Mindestzahl der Einträge','Maximum Rows'=>'Höchstzahl der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll','Invalid field key or name.'=>'Ungültige Feldgruppen-ID.','There was an error retrieving the field.'=>'','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Zeile duplizieren','Remove row'=>'Eintrag entfernen','Current Page'=>'','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','paging%1$s of %2$s'=>'','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Blocktypen vorhanden','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Um die Aktualisierungsfähigkeit freizuschalten gib bitte unten Deinen Lizenzschlüssel ein. Falls Du keinen besitzen solltest informiere Dich bitte hier hinsichtlich Preisen und aller weiteren Details.','License Key'=>'Lizenzschlüssel','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','Upgrade Notice'=>'Hinweis zum Upgrade','Check For Updates'=>'','Enter your license key to unlock updates'=>'Bitte gib oben Deinen Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren','Please reactivate your license to unlock updates'=>''],'language'=>'de_DE','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-de_DE.mo b/lang/acf-de_DE.mo
index 57f6889..163c58b 100644
Binary files a/lang/acf-de_DE.mo and b/lang/acf-de_DE.mo differ
diff --git a/lang/acf-de_DE.po b/lang/acf-de_DE.po
index 0e4e7dd..fe9314d 100644
--- a/lang/acf-de_DE.po
+++ b/lang/acf-de_DE.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: de_DE\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Quelle aktualisieren"
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "de.wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2025,21 +2041,21 @@ msgstr "Felder hinzufügen"
msgid "This Field"
msgstr "Dieses Feld"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Hilfe"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "wird entwickelt und gewartet von"
@@ -2630,7 +2646,7 @@ msgstr "Original"
#: includes/ajax/class-acf-ajax-local-json-diff.php:60
msgid "Invalid post ID."
-msgstr "Ungültige Beitrags-ID."
+msgstr "Die Beitrags-ID ist ungültig."
#: includes/ajax/class-acf-ajax-local-json-diff.php:52
msgid "Invalid post type selected for review."
@@ -2786,7 +2802,7 @@ msgstr "Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen."
#: includes/admin/views/acf-taxonomy/advanced-settings.php:901
msgid "Quick Edit"
-msgstr "QuickEdit"
+msgstr "Schnellbearbeitung"
#: includes/admin/views/acf-taxonomy/advanced-settings.php:888
msgid "List the taxonomy in the Tag Cloud Widget controls."
@@ -3700,7 +3716,7 @@ msgstr "%s wurde aktualisiert."
#: includes/admin/views/acf-post-type/advanced-settings.php:633
msgid "Post scheduled."
-msgstr "Die Beiträge wurden geplant."
+msgstr "Der Beitrag wurde geplant."
#: includes/admin/views/acf-post-type/advanced-settings.php:632
msgid "In the editor notice after scheduling an item."
@@ -4525,7 +4541,7 @@ msgstr ""
"registriert wurden, und verwalte sie mit ACF. Jetzt starten"
"a>."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4860,7 +4876,7 @@ msgstr "Dieses Element aktivieren"
msgid "Move field group to trash?"
msgstr "Soll die Feldgruppe in den Papierkorb verschoben werden?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4873,7 +4889,7 @@ msgstr "Inaktiv"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4882,7 +4898,7 @@ msgstr ""
"gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch "
"deaktiviert."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5336,7 +5352,7 @@ msgstr "Alle %s Formate"
msgid "Attachment"
msgstr "Anhang"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s Wert ist erforderlich"
@@ -5832,7 +5848,7 @@ msgstr "Dieses Element duplizieren"
msgid "Supports"
msgstr "Hilfe"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentation"
@@ -6131,8 +6147,8 @@ msgstr "%d Felder erfordern Aufmerksamkeit"
msgid "1 field requires attention"
msgstr "1 Feld erfordert Aufmerksamkeit"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Die Überprüfung ist fehlgeschlagen"
@@ -7063,7 +7079,7 @@ msgstr "Nach Inhaltstyp filtern"
#: includes/fields/class-acf-field-relationship.php:450
msgid "Search..."
-msgstr "Suche ..."
+msgstr "Suchen …"
#: includes/fields/class-acf-field-relationship.php:380
msgid "Select taxonomy"
@@ -7514,90 +7530,90 @@ msgid "Time Picker"
msgstr "Zeitpicker"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Deaktiviert (%s)"
msgstr[1] "Deaktiviert (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Es wurden keine Felder im Papierkorb gefunden"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Es wurden keine Felder gefunden"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Felder suchen"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Feld anzeigen"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Neues Feld"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Feld bearbeiten"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Neues Feld hinzufügen"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Feld"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Felder"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Es wurden keine Feldgruppen im Papierkorb gefunden"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Es wurden keine Feldgruppen gefunden"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Feldgruppen durchsuchen"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Feldgruppe anzeigen"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Neue Feldgruppe"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Feldgruppe bearbeiten"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Neue Feldgruppe hinzufügen"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Neu hinzufügen"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Feldgruppe"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-de_DE_formal.l10n.php b/lang/acf-de_DE_formal.l10n.php
index 7b95141..d9c622b 100644
--- a/lang/acf-de_DE_formal.l10n.php
+++ b/lang/acf-de_DE_formal.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'de_DE_formal','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Quelle aktualisieren','wordpress.org'=>'de.wordpress.org','Learn more.'=>'Mehr erfahren.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Der ACF-Shortcode kann keine Felder von nicht-öffentlichen Beiträgen anzeigen]','[The ACF shortcode is disabled on this site]'=>'[Der AFC-Shortcode ist auf dieser Website deaktiviert]','Businessman Icon'=>'Geschäftsmann-Icon','Forums Icon'=>'Foren-Icon','YouTube Icon'=>'YouTube-Icon','Xing Icon'=>'Xing-Icon','WhatsApp Icon'=>'WhatsApp-Icon','Write Blog Icon'=>'Blog-schreiben-Icon','Widgets Menus Icon'=>'Widgets-Menü-Icon','View Site Icon'=>'Website-anzeigen-Icon','Learn More Icon'=>'Mehr-erfahren-Icon','Add Page Icon'=>'Seite-hinzufügen-Icon','Twitch Icon'=>'Twitch-Icon','Tide Icon'=>'Tide-Icon','Text Page Icon'=>'Textseite-Icon','Table Row Delete Icon'=>'Tabellenzeile-löschen-Icon','Table Row Before Icon'=>'Tabellenzeile-davor-Icon','Table Row After Icon'=>'Tabellenzeile-danach-Icon','Table Col Delete Icon'=>'Tabellenspalte-löschen-Icon','Table Col Before Icon'=>'Tabellenspalte-davor-Icon','Table Col After Icon'=>'Tabellenspalte-danach-Icon','Superhero Icon'=>'Superheld-Icon','Spotify Icon'=>'Spotify-Icon','Shortcode Icon'=>'Shortcode-Icon','Saved Icon'=>'Gespeichert-Icon','RSS Icon'=>'RSS-Icon','REST API Icon'=>'REST-API-Icon','Remove Icon'=>'Entfernen-Icon','Reddit Icon'=>'Reddit-Icon','Privacy Icon'=>'Datenschutz-Icon','Printer Icon'=>'Drucker-Icon','Podio Icon'=>'Podio-Icon','Plugins Checked Icon'=>'Plugins-geprüft-Icon','Pinterest Icon'=>'Pinterest-Icon','Pets Icon'=>'Haustiere-Icon','PDF Icon'=>'PDF-Icon','Palm Tree Icon'=>'Palme-Icon','Open Folder Icon'=>'Offener-Ordner-Icon','Interactive Icon'=>'Interaktiv-Icon','Document Icon'=>'Dokument-Icon','Default Icon'=>'Standard-Icon','LinkedIn Icon'=>'LinkedIn-Icon','Instagram Icon'=>'Instagram-Icon','Insert Before Icon'=>'Davor-einfügen-Icon','Insert After Icon'=>'Danach-einfügen-Icon','Insert Icon'=>'Einfügen-Icon','Rotate Right Icon'=>'Nach-rechts-drehen-Icon','Rotate Left Icon'=>'Nach-links-drehen-Icon','Rotate Icon'=>'Drehen-Icon','Flip Vertical Icon'=>'Vertikal-spiegeln-Icon','Flip Horizontal Icon'=>'Horizontal-spiegeln-Icon','Crop Icon'=>'Zuschneiden-Icon','HTML Icon'=>'HTML-Icon','Hourglass Icon'=>'Sanduhr-Icon','Heading Icon'=>'Überschrift-Icon','Google Icon'=>'Google-Icon','Games Icon'=>'Spiele-Icon','Status Icon'=>'Status-Icon','Image Icon'=>'Bild-Icon','Gallery Icon'=>'Galerie-Icon','Chat Icon'=>'Chat-Icon','Audio Icon'=>'Audio-Icon','Food Icon'=>'Essen-Icon','Exit Icon'=>'Verlassen-Icon','Excerpt View Icon'=>'Textauszug-anzeigen-Icon','Embed Video Icon'=>'Video-einbetten-Icon','Embed Post Icon'=>'Beitrag-einbetten-Icon','Embed Photo Icon'=>'Foto-einbetten-Icon','Embed Generic Icon'=>'Einbetten-Icon','Embed Audio Icon'=>'Audio-einbetten-Icon','Custom Character Icon'=>'Individuelles-Zeichen-Icon','Edit Page Icon'=>'Seite-bearbeiten-Icon','Drumstick Icon'=>'Hähnchenkeule-Icon','Database View Icon'=>'Datenbank-anzeigen-Icon','Database Remove Icon'=>'Datenbank-entfernen-Icon','Database Import Icon'=>'Datenbank-importieren-Icon','Database Export Icon'=>'Datenbank-exportieren-Icon','Database Add Icon'=>'Datenbank-hinzufügen-Icon','Database Icon'=>'Datenbank-Icon','Cover Image Icon'=>'Titelbild-Icon','Repeat Icon'=>'Wiederholen-Icon','Play Icon'=>'Abspielen-Icon','Pause Icon'=>'Pause-Icon','Back Icon'=>'Zurück-Icon','Columns Icon'=>'Spalten-Icon','Color Picker Icon'=>'Farbwähler-Icon','Coffee Icon'=>'Kaffee-Icon','Code Standards Icon'=>'Code-Standards-Icon','Car Icon'=>'Auto-Icon','Calculator Icon'=>'Rechner-Icon','Button Icon'=>'Button-Icon','Topics Icon'=>'Themen-Icon','Replies Icon'=>'Antworten-Icon','Friends Icon'=>'Freunde-Icon','Community Icon'=>'Community-Icon','BuddyPress Icon'=>'BuddyPress-Icon','bbPress Icon'=>'bbPress-Icon','Activity Icon'=>'Aktivität-Icon','Block Default Icon'=>'Block-Standard-Icon','Bell Icon'=>'Glocke-Icon','Beer Icon'=>'Bier-Icon','Bank Icon'=>'Bank-Icon','Amazon Icon'=>'Amazon-Icon','Airplane Icon'=>'Flugzeug-Icon','Sorry, you do not have permission to do that.'=>'Du bist leider nicht berechtigt, diese Aktion durchzuführen.','ACF PRO logo'=>'ACF-PRO-Logo','ACF PRO Logo'=>'ACF-PRO-Logo','Yes Icon'=>'Ja-Icon','WordPress Icon'=>'WordPress-Icon','Warning Icon'=>'Warnung-Icon','Visibility Icon'=>'Sichtbarkeit-Icon','Vault Icon'=>'Tresorraum-Icon','Upload Icon'=>'Upload-Icon','Update Icon'=>'Aktualisieren-Icon','Unlock Icon'=>'Schloss-offen-Icon','Undo Icon'=>'Rückgängig-Icon','Twitter Icon'=>'Twitter-Icon','Trash Icon'=>'Papierkorb-Icon','Translation Icon'=>'Übersetzung-Icon','Tickets Icon'=>'Tickets-Icon','Thumbs Up Icon'=>'Daumen-hoch-Icon','Thumbs Down Icon'=>'Daumen-runter-Icon','Text Icon'=>'Text-Icon','Tagcloud Icon'=>'Schlagwortwolke-Icon','Tag Icon'=>'Schlagwort-Icon','Tablet Icon'=>'Tablet-Icon','Store Icon'=>'Shop-Icon','Sos Icon'=>'SOS-Icon','Sort Icon'=>'Sortieren-Icon','Smiley Icon'=>'Smiley-Icon','Smartphone Icon'=>'Smartphone-Icon','Slides Icon'=>'Slides-Icon','Shield Icon'=>'Schild-Icon','Share Icon'=>'Teilen-Icon','Search Icon'=>'Suchen-Icon','Schedule Icon'=>'Zeitplan-Icon','Redo Icon'=>'Wiederholen-Icon','Products Icon'=>'Produkte-Icon','Pressthis Icon'=>'Pressthis-Icon','Post Status Icon'=>'Beitragsstatus-Icon','Portfolio Icon'=>'Portfolio-Icon','Plus Icon'=>'Plus-Icon','Playlist Video Icon'=>'Video-Wiedergabeliste-Icon','Playlist Audio Icon'=>'Audio-Wiedergabeliste-Icon','Phone Icon'=>'Telefon-Icon','Performance Icon'=>'Leistung-Icon','Paperclip Icon'=>'Büroklammer-Icon','No Icon'=>'Nein-Icon','Nametag Icon'=>'Namensschild-Icon','Money Icon'=>'Geld-Icon','Minus Icon'=>'Minus-Icon','Migrate Icon'=>'Migrieren-Icon','Microphone Icon'=>'Mikrofon-Icon','Megaphone Icon'=>'Megafon-Icon','Marker Icon'=>'Marker-Icon','Lock Icon'=>'Schloss-Icon','List View Icon'=>'Listenansicht-Icon','Lightbulb Icon'=>'Glühbirnen-Icon','Left Right Icon'=>'Links-Rechts-Icon','Layout Icon'=>'Layout-Icon','Laptop Icon'=>'Laptop-Icon','Info Icon'=>'Info-Icon','Index Card Icon'=>'Karteikarte-Icon','ID Icon'=>'ID-Icon','Heart Icon'=>'Herz-Icon','Hammer Icon'=>'Hammer-Icon','Groups Icon'=>'Gruppen-Icon','Grid View Icon'=>'Rasteransicht-Icon','Forms Icon'=>'Formulare-Icon','Flag Icon'=>'Flagge-Icon','Filter Icon'=>'Filter-Icon','Feedback Icon'=>'Feedback-Icon','Facebook Icon'=>'Facebook-Icon','Email Icon'=>'E-Mail-Icon','Video Icon'=>'Video-Icon','Unlink Icon'=>'Link-entfernen-Icon','Underline Icon'=>'Unterstreichen-Icon','Text Color Icon'=>'Textfarbe-Icon','Table Icon'=>'Tabelle-Icon','Strikethrough Icon'=>'Durchgestrichen-Icon','Spellcheck Icon'=>'Rechtschreibprüfung-Icon','Remove Formatting Icon'=>'Formatierung-entfernen-Icon','Quote Icon'=>'Zitat-Icon','Paragraph Icon'=>'Absatz-Icon','Outdent Icon'=>'Ausrücken-Icon','Justify Icon'=>'Blocksatz-Icon','Italic Icon'=>'Kursiv-Icon','Indent Icon'=>'Einrücken-Icon','Help Icon'=>'Hilfe-Icon','Contract Icon'=>'Vertrag-Icon','Code Icon'=>'Code-Icon','Break Icon'=>'Umbruch-Icon','Bold Icon'=>'Fett-Icon','Edit Icon'=>'Bearbeiten-Icon','Download Icon'=>'Download-Icon','Desktop Icon'=>'Desktop-Icon','Dashboard Icon'=>'Dashboard-Icon','Clock Icon'=>'Uhr-Icon','Chart Pie Icon'=>'Tortendiagramm-Icon','Chart Line Icon'=>'Liniendiagramm-Icon','Chart Bar Icon'=>'Balkendiagramm-Icon','Chart Area Icon'=>'Flächendiagramm-Icon','Category Icon'=>'Kategorie-Icon','Cart Icon'=>'Warenkorb-Icon','Carrot Icon'=>'Karotte-Icon','Camera Icon'=>'Kamera-Icon','Calendar Icon'=>'Kalender-Icon','Businesswoman Icon'=>'Geschäftsfrau-Icon','Building Icon'=>'Gebäude-Icon','Book Icon'=>'Buch-Icon','Backup Icon'=>'Backup-Icon','Awards Icon'=>'Auszeichnungen-Icon','Art Icon'=>'Kunst-Icon','Arrow Up Icon'=>'Pfeil-nach-oben-Icon','Arrow Right Icon'=>'Pfeil-nach-rechts-Icon','Arrow Left Icon'=>'Pfeil-nach-links-Icon','Arrow Down Icon'=>'Pfeil-nach-unten-Icon','Archive Icon'=>'Archiv-Icon','Analytics Icon'=>'Analyse-Icon','Align Right Icon'=>'Rechtsbündig-Icon','Align Left Icon'=>'Linksbündig-Icon','Align Center Icon'=>'Zentriert-Icon','Album Icon'=>'Album-Icon','Users Icon'=>'Benutzer-Icon','Tools Icon'=>'Werkzeuge-Icon','Site Icon'=>'Website-Icon','Settings Icon'=>'Einstellungen-Icon','Post Icon'=>'Beitrag-Icon','Plugins Icon'=>'Plugins-Icon','Page Icon'=>'Seite-Icon','Network Icon'=>'Netzwerk-Icon','Multisite Icon'=>'Multisite-Icon','Media Icon'=>'Medien-Icon','Links Icon'=>'Links-Icon','Home Icon'=>'Home-Icon','Customizer Icon'=>'Customizer-Icon','Comments Icon'=>'Kommentare-Icon','No results found for that search term'=>'Es wurden keine Ergebnisse für diesen Suchbegriff gefunden.','Array'=>'Array','String'=>'Zeichenfolge','Browse Media Library'=>'Mediathek durchsuchen','Search icons...'=>'Icons suchen …','Media Library'=>'Mediathek','Dashicons'=>'Dashicons','Icon Picker'=>'Icon-Wähler','Registered ACF Forms'=>'Registrierte ACF-Formulare','Shortcode Enabled'=>'Shortcode aktiviert','Registered ACF Blocks'=>'Registrierte ACF-Blöcke','Standard'=>'Standard','REST API Format'=>'REST-API-Format','Registered Options Pages (PHP)'=>'Registrierte Optionsseiten (PHP)','Registered Options Pages (JSON)'=>'Registrierte Optionsseiten (JSON)','Registered Options Pages (UI)'=>'Registrierte Optionsseiten (UI)','Registered Taxonomies (JSON)'=>'Registrierte Taxonomien (JSON)','Registered Taxonomies (UI)'=>'Registrierte Taxonomien (UI)','Registered Post Types (JSON)'=>'Registrierte Inhaltstypen (JSON)','Registered Post Types (UI)'=>'Registrierte Inhaltstypen (UI)','Registered Field Groups (JSON)'=>'Registrierte Feldgruppen (JSON)','Registered Field Groups (PHP)'=>'Registrierte Feldgruppen (PHP)','Registered Field Groups (UI)'=>'Registrierte Feldgruppen (UI)','Active Plugins'=>'Aktive Plugins','Parent Theme'=>'Übergeordnetes Theme','Active Theme'=>'Aktives Theme','Is Multisite'=>'Ist Multisite','MySQL Version'=>'MySQL-Version','WordPress Version'=>'WordPress-Version','Subscription Expiry Date'=>'Ablaufdatum des Abonnements','License Status'=>'Lizenzstatus','License Type'=>'Lizenz-Typ','Licensed URL'=>'Lizensierte URL','License Activated'=>'Lizenz aktiviert','Free'=>'Kostenlos','Plugin Type'=>'Plugin-Typ','Plugin Version'=>'Plugin-Version','Dismiss permanently'=>'Dauerhaft verwerfen','Terms do not contain'=>'Begriffe enthalten nicht','Terms contain'=>'Begriffe enthalten','Term is not equal to'=>'Begriff ist ungleich','Term is equal to'=>'Begriff ist gleich','Users do not contain'=>'Benutzer enthalten nicht','Users contain'=>'Benutzer enthalten','User is not equal to'=>'Benutzer ist ungleich','User is equal to'=>'Benutzer ist gleich','Pages do not contain'=>'Seiten enthalten nicht','Pages contain'=>'Seiten enthalten','Page is not equal to'=>'Seite ist ungleich','Page is equal to'=>'Seite ist gleich','Posts do not contain'=>'Beiträge enthalten nicht','Posts contain'=>'Beiträge enthalten','Post is not equal to'=>'Beitrag ist ungleich','Post is equal to'=>'Beitrag ist gleich','Relationships do not contain'=>'Beziehungen enthalten nicht','Relationships contain'=>'Beziehungen enthalten','Relationship is not equal to'=>'Beziehung ist ungleich','Relationship is equal to'=>'Beziehung ist gleich','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-Felder','ACF PRO Feature'=>'ACF-PRO-Funktion','Renew PRO to Unlock'=>'PRO-Lizenz zum Freischalten erneuern','Renew PRO License'=>'PRO-Lizenz erneuern','PRO fields cannot be edited without an active license.'=>'PRO-Felder können ohne aktive Lizenz nicht bearbeitet werden.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um Feldgruppen bearbeiten zu können, die einem ACF-Block zugewiesen wurden.','Please activate your ACF PRO license to edit this options page.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um diese Optionsseite zu bearbeiten.','Please contact your site administrator or developer for more details.'=>'Bitte kontaktiere den Administrator oder Entwickler deiner Website für mehr Details.','Learn more'=>'Mehr erfahren','Hide details'=>'Details verbergen','Show details'=>'Details anzeigen','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - gerendert via %3$s','Renew ACF PRO License'=>'ACF-PRO-Lizenz erneuern','Renew License'=>'Lizenz erneuern','Manage License'=>'Lizenz verwalten','\'High\' position not supported in the Block Editor'=>'Die „Hoch“-Position wird im Block-Editor nicht unterstützt','Upgrade to ACF PRO'=>'Upgrade auf ACF PRO','Add Options Page'=>'Optionen-Seite hinzufügen','In the editor used as the placeholder of the title.'=>'Wird im Editor als Platzhalter für den Titel verwendet.','Title Placeholder'=>'Titel-Platzhalter','4 Months Free'=>'4 Monate kostenlos','(Duplicated from %s)'=>'(Duplikat von %s)','Select Options Pages'=>'Options-Seite auswählen','Duplicate taxonomy'=>'Taxonomie duplizieren','Create taxonomy'=>'Taxonomie erstellen','Duplicate post type'=>'Inhalttyp duplizieren','Create post type'=>'Inhaltstyp erstellen','Link field groups'=>'Feldgruppen verlinken','Add fields'=>'Felder hinzufügen','This Field'=>'Dieses Feld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Hilfe','is developed and maintained by'=>'wird entwickelt und gewartet von','Add this %s to the location rules of the selected field groups.'=>'Füge %s zu den Positions-Optionen der ausgewählten Feldgruppen hinzu.','Target Field'=>'Ziel-Feld','Update a field on the selected values, referencing back to this ID'=>'Ein Feld mit den ausgewählten Werten aktualisieren, auf diese ID zurückverweisend','Bidirectional'=>'Bidirektional','%s Field'=>'%s Feld','Select Multiple'=>'Mehrere auswählen','WP Engine logo'=>'Logo von WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Erlaubt sind Kleinbuchstaben, Unterstriche (_) und Striche (-), maximal 32 Zeichen.','The capability name for assigning terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zuzuordnen.','Assign Terms Capability'=>'Begriffs-Berechtigung zuordnen','The capability name for deleting terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu löschen.','Delete Terms Capability'=>'Begriffs-Berechtigung löschen','The capability name for editing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu bearbeiten.','Edit Terms Capability'=>'Begriffs-Berechtigung bearbeiten','The capability name for managing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu verwalten.','Manage Terms Capability'=>'Begriffs-Berechtigung verwalten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Legt fest, ob Beiträge von den Suchergebnissen und Taxonomie-Archivseiten ausgeschlossen werden sollen.','More Tools from WP Engine'=>'Mehr Werkzeuge von WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gebaut für alle, die mit WordPress bauen, vom Team bei %s','View Pricing & Upgrade'=>'Preise anzeigen und Upgrade installieren','Learn More'=>'Mehr erfahren','Unlock Advanced Features and Build Even More with ACF PRO'=>'Schalte erweiterte Funktionen frei und erschaffe noch mehr mit ACF PRO','%s fields'=>'%s Felder','No terms'=>'Keine Begriffe','No post types'=>'Keine Inhaltstypen','No posts'=>'Keine Beiträge','No taxonomies'=>'Keine Taxonomien','No field groups'=>'Keine Feldgruppen','No fields'=>'Keine Felder','No description'=>'Keine Beschreibung','Any post status'=>'Jeder Beitragsstatus','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie außerhalb von ACF und kann nicht verwendet werden.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie in ACF und kann nicht verwendet werden.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Taxonomie-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The taxonomy key must be under 32 characters.'=>'Der Taxonomie-Schlüssel muss kürzer als 32 Zeichen sein.','No Taxonomies found in Trash'=>'Es wurden keine Taxonomien im Papierkorb gefunden','No Taxonomies found'=>'Es wurden keine Taxonomien gefunden','Search Taxonomies'=>'Suche Taxonomien','View Taxonomy'=>'Taxonomie anzeigen','New Taxonomy'=>'Neue Taxonomie','Edit Taxonomy'=>'Taxonomie bearbeiten','Add New Taxonomy'=>'Neue Taxonomie hinzufügen','No Post Types found in Trash'=>'Es wurden keine Inhaltstypen im Papierkorb gefunden','No Post Types found'=>'Es wurden keine Inhaltstypen gefunden','Search Post Types'=>'Inhaltstypen suchen','View Post Type'=>'Inhaltstyp anzeigen','New Post Type'=>'Neuer Inhaltstyp','Edit Post Type'=>'Inhaltstyp bearbeiten','Add New Post Type'=>'Neuen Inhaltstyp hinzufügen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp außerhalb von ACF und kann nicht verwendet werden.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp in ACF und kann nicht verwendet werden.','This field must not be a WordPress reserved term.'=>'Dieses Feld darf kein von WordPress reservierter Begriff sein.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Inhaltstyp-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The post type key must be under 20 characters.'=>'Der Inhaltstyp-Schlüssel muss kürzer als 20 Zeichen sein.','We do not recommend using this field in ACF Blocks.'=>'Es wird nicht empfohlen, dieses Feld in ACF-Blöcken zu verwenden.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zeigt den WordPress-WYSIWYG-Editor an, wie er in Beiträgen und Seiten zu sehen ist, und ermöglicht so eine umfangreiche Textbearbeitung, die auch Multimedia-Inhalte zulässt.','WYSIWYG Editor'=>'WYSIWYG-Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Ermöglicht die Auswahl von einem oder mehreren Benutzern, die zur Erstellung von Beziehungen zwischen Datenobjekten verwendet werden können.','A text input specifically designed for storing web addresses.'=>'Eine Texteingabe, die speziell für die Speicherung von Webadressen entwickelt wurde.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ein Schalter, mit dem ein Wert von 1 oder 0 (ein oder aus, wahr oder falsch usw.) auswählt werden kann. Kann als stilisierter Schalter oder Kontrollkästchen dargestellt werden.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zum Auswählen einer Zeit. Das Zeitformat kann in den Feldeinstellungen angepasst werden.','A basic textarea input for storing paragraphs of text.'=>'Eine einfache Eingabe in Form eines Textbereiches zum Speichern von Textabsätzen.','A basic text input, useful for storing single string values.'=>'Eine einfache Texteingabe, nützlich für die Speicherung einzelner Zeichenfolgen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Ermöglicht die Auswahl von einem oder mehreren Taxonomiebegriffen auf der Grundlage der in den Feldeinstellungen angegebenen Kriterien und Optionen.','A dropdown list with a selection of choices that you specify.'=>'Eine Dropdown-Liste mit einer von dir angegebenen Auswahl an Wahlmöglichkeiten.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Ein Schieberegler-Eingabefeld für numerische Zahlenwerte in einem festgelegten Bereich.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Eine Gruppe von Radiobuttons, die es dem Benutzer ermöglichen, eine einzelne Auswahl aus von dir angegebenen Werten zu treffen.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Eine interaktive und anpassbare Benutzeroberfläche zur Auswahl einer beliebigen Anzahl von Beiträgen, Seiten oder Inhaltstypen-Elemente mit der Option zum Suchen. ','An input for providing a password using a masked field.'=>'Ein Passwort-Feld, das die Eingabe maskiert.','Filter by Post Status'=>'Nach Beitragsstatus filtern','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Ein interaktives Drop-down-Menü zur Auswahl von einem oder mehreren Beiträgen, Seiten, individuellen Inhaltstypen oder Archiv-URLs mit der Option zur Suche.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Ein interaktives Feld zum Einbetten von Videos, Bildern, Tweets, Audio und anderen Inhalten unter Verwendung der nativen WordPress-oEmbed-Funktionalität.','An input limited to numerical values.'=>'Eine auf numerische Werte beschränkte Eingabe.','Uses the native WordPress media picker to upload, or choose images.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Bildern.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Bietet die Möglichkeit zur Gruppierung von Feldern, um Daten und den Bearbeiten-Bildschirm besser zu strukturieren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Standortes unter Verwendung von Google Maps. Benötigt einen Google-Maps-API-Schlüssel und eine zusätzliche Konfiguration für eine korrekte Anzeige.','Uses the native WordPress media picker to upload, or choose files.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Dateien.','A text input specifically designed for storing email addresses.'=>'Ein Texteingabefeld, das speziell für die Speicherung von E-Mail-Adressen entwickelt wurde.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl von Datum und Uhrzeit. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Datums. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Eine interaktive Benutzeroberfläche zur Auswahl einer Farbe, oder zur Eingabe eines Hex-Wertes.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Eine Gruppe von Auswahlkästchen, die du festlegst, aus denen der Benutzer einen oder mehrere Werte auswählen kann.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Eine Gruppe von Buttons mit von dir festgelegten Werten. Die Benutzer können eine Option aus den angegebenen Werten auswählen.','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Erweitert','JSON (newer)'=>'JSON (neuer)','Original'=>'Original','Invalid post ID.'=>'Ungültige Beitrags-ID.','Invalid post type selected for review.'=>'Der für die Betrachtung ausgewählte Inhaltstyp ist ungültig.','More'=>'Mehr','Tutorial'=>'Anleitung','Select Field'=>'Feld auswählen','Try a different search term or browse %s'=>'Probiere es mit einem anderen Suchbegriff oder durchsuche %s','Popular fields'=>'Beliebte Felder','No search results for \'%s\''=>'Es wurden keine Suchergebnisse für ‚%s‘ gefunden','Search fields...'=>'Felder suchen ...','Select Field Type'=>'Feldtyp auswählen','Popular'=>'Beliebt','Add Taxonomy'=>'Taxonomie hinzufügen','Create custom taxonomies to classify post type content'=>'Erstelle individuelle Taxonomien, um die Inhalte von Inhaltstypen zu kategorisieren','Add Your First Taxonomy'=>'Deine erste Taxonomie hinzufügen','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchische Taxonomien können untergeordnete haben (wie Kategorien).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Macht eine Taxonomie sichtbar im Frontend und im Admin-Dashboard.','One or many post types that can be classified with this taxonomy.'=>'Einer oder mehrere Inhaltstypen, die mit dieser Taxonomie kategorisiert werden können.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Terms_Controller“.','Expose this post type in the REST API.'=>'Diesen Inhaltstyp in der REST-API anzeigen.','Customize the query variable name'=>'Den Namen der Abfrage-Variable anpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Begriffe können über den unschicken Permalink abgerufen werden, z. B. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Über-/untergeordnete Begriffe in URLs von hierarchischen Taxonomien.','Customize the slug used in the URL'=>'Passe die Titelform an, die in der URL genutzt wird','Permalinks for this taxonomy are disabled.'=>'Permalinks sind für diese Taxonomie deaktiviert.','Taxonomy Key'=>'Taxonomie-Schlüssel','Select the type of permalink to use for this taxonomy.'=>'Wähle den Permalink-Typ, der für diese Taxonomie genutzt werden soll.','Display a column for the taxonomy on post type listing screens.'=>'Anzeigen einer Spalte für die Taxonomie in der Listenansicht der Inhaltstypen.','Show Admin Column'=>'Admin-Spalte anzeigen','Show the taxonomy in the quick/bulk edit panel.'=>'Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen.','Quick Edit'=>'QuickEdit','List the taxonomy in the Tag Cloud Widget controls.'=>'Listet die Taxonomie in den Steuerelementen des Schlagwortwolke-Widgets auf.','Tag Cloud'=>'Schlagwort-Wolke','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ein PHP-Funktionsname, der zum Bereinigen von Taxonomiedaten aufgerufen werden soll, die von einer Metabox gespeichert wurden.','Meta Box Sanitization Callback'=>'Metabox-Bereinigungs-Callback','Register Meta Box Callback'=>'Metabox-Callback registrieren','No Meta Box'=>'Keine Metabox','Custom Meta Box'=>'Individuelle Metabox','Meta Box'=>'Metabox','Categories Meta Box'=>'Kategorien-Metabox','Tags Meta Box'=>'Schlagwörter-Metabox','A link to a tag'=>'Ein Link zu einem Schlagwort','A link to a %s'=>'Ein Link zu einer Taxonomie %s','Tag Link'=>'Schlagwort-Link','← Go to tags'=>'← Zu Schlagwörtern gehen','Back To Items'=>'Zurück zu den Elementen','← Go to %s'=>'← Zu %s gehen','Tags list'=>'Schlagwörter-Liste','Tags list navigation'=>'Navigation der Schlagwörterliste','Filter by category'=>'Nach Kategorie filtern','Filter By Item'=>'Filtern nach Element','Filter by %s'=>'Nach %s filtern','Describes the Description field on the Edit Tags screen.'=>'Beschreibt das Beschreibungsfeld in der Schlagwörter-bearbeiten-Ansicht.','Description Field Description'=>'Beschreibung des Beschreibungfeldes','Describes the Parent field on the Edit Tags screen.'=>'Beschreibt das übergeordnete Feld in der Schlagwörter-bearbeiten-Ansicht.','Parent Field Description'=>'Beschreibung des übergeordneten Feldes','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Die Titelform ist die URL-freundliche Version des Namens. Sie besteht üblicherweise aus Kleinbuchstaben und zudem nur aus Buchstaben, Zahlen und Bindestrichen.','Describes the Slug field on the Edit Tags screen.'=>'Beschreibt das Titelform-Feld in der Schlagwörter-bearbeiten-Ansicht.','Slug Field Description'=>'Beschreibung des Titelformfeldes','The name is how it appears on your site'=>'Der Name ist das, was auf deiner Website angezeigt wird','Describes the Name field on the Edit Tags screen.'=>'Beschreibt das Namensfeld in der Schlagwörter-bearbeiten-Ansicht.','Name Field Description'=>'Beschreibung des Namenfeldes','No tags'=>'Keine Schlagwörter','No Terms'=>'Keine Begriffe','No %s'=>'Keine %s-Taxonomien','No tags found'=>'Es wurden keine Schlagwörter gefunden','Not Found'=>'Es wurde nichts gefunden','Most Used'=>'Am häufigsten verwendet','Choose from the most used tags'=>'Wähle aus den meistgenutzten Schlagwörtern','Choose From Most Used'=>'Wähle aus den Meistgenutzten','Choose from the most used %s'=>'Wähle aus den meistgenutzten %s','Add or remove tags'=>'Schlagwörter hinzufügen oder entfernen','Add Or Remove Items'=>'Elemente hinzufügen oder entfernen','Add or remove %s'=>'%s hinzufügen oder entfernen','Separate tags with commas'=>'Schlagwörter durch Kommas trennen','Separate Items With Commas'=>'Trenne Elemente mit Kommas','Separate %s with commas'=>'Trenne %s durch Kommas','Popular Tags'=>'Beliebte Schlagwörter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Zugeordneter Text für beliebte Elemente. Wird nur für nicht-hierarchische Taxonomien verwendet.','Popular Items'=>'Beliebte Elemente','Popular %s'=>'Beliebte %s','Search Tags'=>'Schlagwörter suchen','Parent Category:'=>'Übergeordnete Kategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Den Text des übergeordneten Elements zuordnen, aber mit einem Doppelpunkt (:) am Ende.','Parent Item With Colon'=>'Übergeordnetes Element mit Doppelpunkt','Parent Category'=>'Übergeordnete Kategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Zugeordneter Text für übergeordnete Elemente. Wird nur für hierarchische Taxonomien verwendet.','Parent Item'=>'Übergeordnetes Element','Parent %s'=>'Übergeordnete Taxonomie %s','New Tag Name'=>'Neuer Schlagwortname','New Item Name'=>'Name des neuen Elements','New %s Name'=>'Neuer %s-Name','Add New Tag'=>'Ein neues Schlagwort hinzufügen','Update Tag'=>'Schlagwort aktualisieren','Update Item'=>'Element aktualisieren','Update %s'=>'%s aktualisieren','View Tag'=>'Schlagwort anzeigen','Edit Tag'=>'Schlagwort bearbeiten','At the top of the editor screen when editing a term.'=>'Oben in der Editoransicht, wenn ein Begriff bearbeitet wird.','All Tags'=>'Alle Schlagwörter','Menu Label'=>'Menü-Beschriftung','Active taxonomies are enabled and registered with WordPress.'=>'Aktive Taxonomien sind aktiviert und in WordPress registriert.','A descriptive summary of the taxonomy.'=>'Eine beschreibende Zusammenfassung der Taxonomie.','A descriptive summary of the term.'=>'Eine beschreibende Zusammenfassung des Begriffs.','Term Description'=>'Beschreibung des Begriffs','Single word, no spaces. Underscores and dashes allowed.'=>'Einzelnes Wort, keine Leerzeichen. Unterstriche und Bindestriche erlaubt.','Term Slug'=>'Begriffs-Titelform','The name of the default term.'=>'Der Name des Standardbegriffs.','Term Name'=>'Name des Begriffs','Default Term'=>'Standardbegriff','Sort Terms'=>'Begriffe sortieren','Add Post Type'=>'Inhaltstyp hinzufügen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Erweitere die Funktionalität von WordPress über Standard-Beiträge und -Seiten hinaus mit individuellen Inhaltstypen.','Add Your First Post Type'=>'Deinen ersten Inhaltstyp hinzufügen','I know what I\'m doing, show me all the options.'=>'Ich weiß, was ich tue, zeig mir alle Optionen.','Advanced Configuration'=>'Erweiterte Konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarchische Inhaltstypen können untergeordnete haben (wie Seiten).','Hierarchical'=>'Hierarchisch','Visible on the frontend and in the admin dashboard.'=>'Sichtbar im Frontend und im Admin-Dashboard.','Public'=>'Öffentlich','movie'=>'Film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Nur Kleinbuchstaben, Unterstriche und Bindestriche, maximal 20 Zeichen.','Movie'=>'Film','Singular Label'=>'Beschriftung (Einzahl)','Movies'=>'Filme','Plural Label'=>'Beschriftung (Mehrzahl)','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Posts_Controller“.','Controller Class'=>'Controller-Klasse','The namespace part of the REST API URL.'=>'Der Namensraum-Teil der REST-API-URL.','Namespace Route'=>'Namensraum-Route','The base URL for the post type REST API URLs.'=>'Die Basis-URL für REST-API-URLs des Inhalttyps.','Base URL'=>'Basis-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zeigt diesen Inhalttyp in der REST-API. Wird zur Verwendung im Block-Editor benötigt.','Show In REST API'=>'Im REST-API anzeigen','Customize the query variable name.'=>'Den Namen der Abfrage-Variable anpassen.','Query Variable'=>'Abfrage-Variable','No Query Variable Support'=>'Keine Unterstützung von Abfrage-Variablen','Custom Query Variable'=>'Individuelle Abfrage-Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elemente können über den unschicken Permalink abgerufen werden, z. B. {post_type}={post_slug}.','Query Variable Support'=>'Unterstützung von Abfrage-Variablen','Publicly Queryable'=>'Öffentlich abfragbar','Custom slug for the Archive URL.'=>'Individuelle Titelform für die Archiv-URL.','Archive Slug'=>'Archiv-Titelform','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Unterstützung für Seitennummerierung der Element-URLs, wie bei Archiven.','Pagination'=>'Seitennummerierung','RSS feed URL for the post type items.'=>'RSS-Feed-URL für Inhaltstyp-Elemente.','Feed URL'=>'Feed-URL','Customize the slug used in the URL.'=>'Passe die Titelform an, die in der URL genutzt wird.','URL Slug'=>'URL-Titelform','Permalinks for this post type are disabled.'=>'Permalinks sind für diesen Inhaltstyp deaktiviert.','Custom Permalink'=>'Individueller Permalink','Post Type Key'=>'Inhaltstyp-Schlüssel','Permalink Rewrite'=>'Permalink neu schreiben','Delete items by a user when that user is deleted.'=>'Elemente eines Benutzers löschen, wenn der Benutzer gelöscht wird.','Delete With User'=>'Zusammen mit dem Benutzer löschen','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Erlaubt den Inhaltstyp zu exportieren unter „Werkzeuge“ > „Export“.','Can Export'=>'Kann exportieren','Optionally provide a plural to be used in capabilities.'=>'Du kannst optional eine Mehrzahl für Berechtigungen angeben.','Plural Capability Name'=>'Name der Berechtigung (Mehrzahl)','Choose another post type to base the capabilities for this post type.'=>'Wähle einen anderen Inhaltstyp aus als Basis der Berechtigungen für diesen Inhaltstyp.','Singular Capability Name'=>'Name der Berechtigung (Einzahl)','Rename Capabilities'=>'Berechtigungen umbenennen','Exclude From Search'=>'Von der Suche ausschließen','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Erlaubt das Hinzufügen von Elementen zu Menüs unter „Design“ > „Menüs“. Muss aktiviert werden unter „Ansicht anpassen“.','Appearance Menus Support'=>'Unterstützung für Design-Menüs','Appears as an item in the \'New\' menu in the admin bar.'=>'Erscheint als Eintrag im „Neu“-Menü der Adminleiste.','Show In Admin Bar'=>'In der Adminleiste anzeigen','Custom Meta Box Callback'=>'Individueller Metabox-Callback','Menu Icon'=>'Menü-Icon','The position in the sidebar menu in the admin dashboard.'=>'Die Position im Seitenleisten-Menü des Admin-Dashboards.','Menu Position'=>'Menü-Position','Admin Menu Parent'=>'Übergeordnetes Admin-Menü','Show In Admin Menu'=>'Im Admin-Menü anzeigen','Items can be edited and managed in the admin dashboard.'=>'Elemente können im Admin-Dashboard bearbeitet und verwaltet werden.','Show In UI'=>'In der Benutzeroberfläche anzeigen','A link to a post.'=>'Ein Link zu einem Beitrag.','Item Link Description'=>'Beschreibung des Element-Links','A link to a %s.'=>'Ein Link zu einem Inhaltstyp %s','Post Link'=>'Beitragslink','Item Link'=>'Element-Link','%s Link'=>'%s-Link','Post updated.'=>'Der Beitrag wurde aktualisiert.','In the editor notice after an item is updated.'=>'Im Editor-Hinweis, nachdem ein Element aktualisiert wurde.','Item Updated'=>'Das Element wurde aktualisiert','%s updated.'=>'%s wurde aktualisiert.','Post scheduled.'=>'Die Beiträge wurden geplant.','In the editor notice after scheduling an item.'=>'Im Editor-Hinweis, nachdem ein Element geplant wurde.','Item Scheduled'=>'Das Element wurde geplant','%s scheduled.'=>'%s wurde geplant.','Post reverted to draft.'=>'Der Beitrag wurde auf Entwurf zurückgesetzt.','In the editor notice after reverting an item to draft.'=>'Im Editor-Hinweis, nachdem ein Element auf Entwurf zurückgesetzt wurde.','Item Reverted To Draft'=>'Das Element wurde auf Entwurf zurückgesetzt','%s reverted to draft.'=>'%s wurde auf Entwurf zurückgesetzt.','Post published privately.'=>'Der Beitrag wurde privat veröffentlicht.','In the editor notice after publishing a private item.'=>'Im Editor-Hinweis, nachdem ein Element privat veröffentlicht wurde.','Item Published Privately'=>'Das Element wurde privat veröffentlicht','%s published privately.'=>'%s wurde privat veröffentlicht.','Post published.'=>'Der Beitrag wurde veröffentlicht.','In the editor notice after publishing an item.'=>'Im Editor-Hinweis, nachdem ein Element veröffentlicht wurde.','Item Published'=>'Das Element wurde veröffentlicht','%s published.'=>'%s wurde veröffentlicht.','Posts list'=>'Liste der Beiträge','Items List'=>'Elementliste','%s list'=>'%s-Liste','Posts list navigation'=>'Navigation der Beiträge-Liste','Items List Navigation'=>'Navigation der Elementliste','%s list navigation'=>'%s-Listen-Navigation','Filter posts by date'=>'Beiträge nach Datum filtern','Filter Items By Date'=>'Elemente nach Datum filtern','Filter %s by date'=>'%s nach Datum filtern','Filter posts list'=>'Liste mit Beiträgen filtern','Filter Items List'=>'Elemente-Liste filtern','Filter %s list'=>'%s-Liste filtern','Uploaded To This Item'=>'Zu diesem Element hochgeladen','Uploaded to this %s'=>'Zu diesem %s hochgeladen','Insert into post'=>'In den Beitrag einfügen','As the button label when adding media to content.'=>'Als Button-Beschriftung, wenn Medien zum Inhalt hinzugefügt werden.','Insert into %s'=>'In %s einfügen','Use as featured image'=>'Als Beitragsbild verwenden','As the button label for selecting to use an image as the featured image.'=>'Als Button-Beschriftung, wenn ein Bild als Beitragsbild ausgewählt wird.','Use Featured Image'=>'Beitragsbild verwenden','Remove featured image'=>'Beitragsbild entfernen','As the button label when removing the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild entfernt wird.','Remove Featured Image'=>'Beitragsbild entfernen','Set featured image'=>'Beitragsbild festlegen','As the button label when setting the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild festgelegt wird.','Set Featured Image'=>'Beitragsbild festlegen','Featured image'=>'Beitragsbild','Featured Image Meta Box'=>'Beitragsbild-Metabox','Post Attributes'=>'Beitrags-Attribute','In the editor used for the title of the post attributes meta box.'=>'In dem Editor, der für den Titel der Beitragsattribute-Metabox verwendet wird.','Attributes Meta Box'=>'Metabox-Attribute','%s Attributes'=>'%s-Attribute','Post Archives'=>'Beitrags-Archive','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Fügt ‚Inhaltstyp-Archiv‘-Elemente mit dieser Beschriftung zur Liste der Beiträge hinzu, die beim Hinzufügen von Elementen zu einem bestehenden Menü in einem individuellen Inhaltstyp mit aktivierten Archiven angezeigt werden. Erscheint nur, wenn Menüs im Modus „Live-Vorschau“ bearbeitet werden und eine individuelle Archiv-Titelform angegeben wurde.','Archives Nav Menu'=>'Navigations-Menü der Archive','%s Archives'=>'%s-Archive','No posts found in Trash'=>'Es wurden keine Beiträge im Papierkorb gefunden','At the top of the post type list screen when there are no posts in the trash.'=>'Oben in der Listen-Ansicht des Inhaltstyps, wenn keine Beiträge im Papierkorb vorhanden sind.','No Items Found in Trash'=>'Es wurden keine Elemente im Papierkorb gefunden','No %s found in Trash'=>'%s konnten nicht im Papierkorb gefunden werden','No posts found'=>'Es wurden keine Beiträge gefunden','At the top of the post type list screen when there are no posts to display.'=>'Oben in der Listenansicht für Inhaltstypen, wenn es keine Beiträge zum Anzeigen gibt.','No Items Found'=>'Es wurden keine Elemente gefunden','No %s found'=>'%s konnten nicht gefunden werden','Search Posts'=>'Beiträge suchen','At the top of the items screen when searching for an item.'=>'Oben in der Elementansicht, während der Suche nach einem Element.','Search Items'=>'Elemente suchen','Search %s'=>'%s suchen','Parent Page:'=>'Übergeordnete Seite:','For hierarchical types in the post type list screen.'=>'Für hierarchische Typen in der Listenansicht der Inhaltstypen.','Parent Item Prefix'=>'Präfix des übergeordneten Elementes','Parent %s:'=>'%s, übergeordnet:','New Post'=>'Neuer Beitrag','New Item'=>'Neues Element','New %s'=>'Neuer Inhaltstyp %s','Add New Post'=>'Neuen Beitrag hinzufügen','At the top of the editor screen when adding a new item.'=>'Oben in der Editoransicht, wenn ein neues Element hinzugefügt wird.','Add New Item'=>'Neues Element hinzufügen','Add New %s'=>'Neu hinzufügen: %s','View Posts'=>'Beiträge anzeigen','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Wird in der Adminleiste in der Ansicht „Alle Beiträge“ angezeigt, sofern der Inhaltstyp Archive unterstützt und die Homepage kein Archiv dieses Inhaltstyps ist.','View Items'=>'Elemente anzeigen','View Post'=>'Beitrag anzeigen','In the admin bar to view item when editing it.'=>'In der Adminleiste, um das Element beim Bearbeiten anzuzeigen.','View Item'=>'Element anzeigen','View %s'=>'%s anzeigen','Edit Post'=>'Beitrag bearbeiten','At the top of the editor screen when editing an item.'=>'Oben in der Editoransicht, wenn ein Element bearbeitet wird.','Edit Item'=>'Element bearbeiten','Edit %s'=>'%s bearbeiten','All Posts'=>'Alle Beiträge','In the post type submenu in the admin dashboard.'=>'Im Untermenü des Inhaltstyps im Admin-Dashboard.','All Items'=>'Alle Elemente','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Name des Admin-Menüs für den Inhaltstyp.','Menu Name'=>'Menüname','Regenerate all labels using the Singular and Plural labels'=>'Alle Beschriftungen unter Verwendung der Einzahl- und Mehrzahl-Beschriftungen neu generieren','Regenerate'=>'Neu generieren','Active post types are enabled and registered with WordPress.'=>'Aktive Inhaltstypen sind aktiviert und in WordPress registriert.','A descriptive summary of the post type.'=>'Eine beschreibende Zusammenfassung des Inhaltstyps.','Add Custom'=>'Individuell hinzufügen','Enable various features in the content editor.'=>'Verschiedene Funktionen im Inhalts-Editor aktivieren.','Post Formats'=>'Beitragsformate','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Vorhandene Taxonomien auswählen, um Elemente des Inhaltstyps zu kategorisieren.','Browse Fields'=>'Felder durchsuchen','Nothing to import'=>'Es gibt nichts zu importieren','. The Custom Post Type UI plugin can be deactivated.'=>'. Das Plugin Custom Post Type UI kann deaktiviert werden.','Imported %d item from Custom Post Type UI -'=>'Es wurde %d Element von Custom Post Type UI importiert -' . "\0" . 'Es wurden %d Elemente von Custom Post Type UI importiert -','Failed to import taxonomies.'=>'Der Import der Taxonomien ist fehlgeschlagen.','Failed to import post types.'=>'Der Import der Inhaltstypen ist fehlgeschlagen.','Nothing from Custom Post Type UI plugin selected for import.'=>'Es wurde nichts aus dem Plugin Custom Post Type UI für den Import ausgewählt.','Imported 1 item'=>'1 Element wurde importiert' . "\0" . '%s Elemente wurden importiert','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Wenn ein Inhaltstyp oder eine Taxonomie mit einem Schlüssel importiert wird, der bereits vorhanden ist, werden die Einstellungen des vorhandenen Inhaltstyps oder der vorhandenen Taxonomie mit denen des Imports überschrieben.','Import from Custom Post Type UI'=>'Aus Custom Post Type UI importieren','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Der folgende Code kann verwendet werden, um eine lokale Version der ausgewählten Elemente zu registrieren. Die lokale Speicherung von Feldgruppen, Inhaltstypen oder Taxonomien kann viele Vorteile bieten, wie z. B. schnellere Ladezeiten, Versionskontrolle und dynamische Felder/Einstellungen. Kopiere den folgenden Code in die Datei functions.php deines Themes oder füge ihn in eine externe Datei ein und deaktiviere oder lösche anschließend die Elemente in der ACF-Administration.','Export - Generate PHP'=>'Export – PHP generieren','Export'=>'Export','Select Taxonomies'=>'Taxonomien auswählen','Select Post Types'=>'Inhaltstypen auswählen','Exported 1 item.'=>'Ein Element wurde exportiert.' . "\0" . '%s Elemente wurden exportiert.','Category'=>'Kategorie','Tag'=>'Schlagwort','%s taxonomy created'=>'Die Taxonomie %s wurde erstellt','%s taxonomy updated'=>'Die Taxonomie %s wurde aktualisiert','Taxonomy draft updated.'=>'Der Taxonomie-Entwurf wurde aktualisiert.','Taxonomy scheduled for.'=>'Die Taxonomie wurde geplant für.','Taxonomy submitted.'=>'Die Taxonomie wurde übermittelt.','Taxonomy saved.'=>'Die Taxonomie wurde gespeichert.','Taxonomy deleted.'=>'Die Taxonomie wurde gelöscht.','Taxonomy updated.'=>'Die Taxonomie wurde aktualisiert.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Diese Taxonomie konnte nicht registriert werden, da der Schlüssel von einer anderen Taxonomie, die von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Taxonomy synchronized.'=>'Die Taxonomie wurde synchronisiert.' . "\0" . '%s Taxonomien wurden synchronisiert.','Taxonomy duplicated.'=>'Die Taxonomie wurde dupliziert.' . "\0" . '%s Taxonomien wurden dupliziert.','Taxonomy deactivated.'=>'Die Taxonomie wurde deaktiviert.' . "\0" . '%s Taxonomien wurden deaktiviert.','Taxonomy activated.'=>'Die Taxonomie wurde aktiviert.' . "\0" . '%s Taxonomien wurden aktiviert.','Terms'=>'Begriffe','Post type synchronized.'=>'Der Inhaltstyp wurde synchronisiert.' . "\0" . '%s Inhaltstypen wurden synchronisiert.','Post type duplicated.'=>'Der Inhaltstyp wurde dupliziert.' . "\0" . '%s Inhaltstypen wurden dupliziert.','Post type deactivated.'=>'Der Inhaltstyp wurde deaktiviert.' . "\0" . '%s Inhaltstypen wurden deaktiviert.','Post type activated.'=>'Der Inhaltstyp wurde aktiviert.' . "\0" . '%s Inhaltstypen wurden aktiviert.','Post Types'=>'Inhaltstypen','Advanced Settings'=>'Erweiterte Einstellungen','Basic Settings'=>'Grundlegende Einstellungen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dieser Inhaltstyp konnte nicht registriert werden, da dessen Schlüssel von einem anderen Inhaltstyp, der von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Pages'=>'Seiten','Link Existing Field Groups'=>'Vorhandene Feldgruppen verknüpfen','%s post type created'=>'Der Inhaltstyp %s wurde erstellt','Add fields to %s'=>'Felder zu %s hinzufügen','%s post type updated'=>'Der Inhaltstyp %s wurde aktualisiert','Post type draft updated.'=>'Der Inhaltstyp-Entwurf wurde aktualisiert.','Post type scheduled for.'=>'Der Inhaltstyp wurde geplant für.','Post type submitted.'=>'Der Inhaltstyp wurde übermittelt.','Post type saved.'=>'Der Inhaltstyp wurde gespeichert.','Post type updated.'=>'Der Inhaltstyp wurde aktualisiert.','Post type deleted.'=>'Der Inhaltstyp wurde gelöscht.','Type to search...'=>'Tippen, um zu suchen …','PRO Only'=>'Nur Pro','Field groups linked successfully.'=>'Die Feldgruppen wurden erfolgreich verlinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importiere Inhaltstypen und Taxonomien, die mit Custom Post Type UI registriert wurden, und verwalte sie mit ACF. Jetzt starten.','ACF'=>'ACF','taxonomy'=>'Taxonomie','post type'=>'Inhaltstyp','Done'=>'Erledigt','Field Group(s)'=>'Feldgruppe(n)','Select one or many field groups...'=>'Wähle eine Feldgruppe oder mehrere ...','Please select the field groups to link.'=>'Bitte wähle die Feldgruppe zum Verlinken aus.','Field group linked successfully.'=>'Die Feldgruppe wurde erfolgreich verlinkt.' . "\0" . 'Die Feldgruppen wurden erfolgreich verlinkt.','post statusRegistration Failed'=>'Die Registrierung ist fehlgeschlagen','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dieses Element konnte nicht registriert werden, da dessen Schlüssel von einem anderen Element, das von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','REST API'=>'REST-API','Permissions'=>'Berechtigungen','URLs'=>'URLs','Visibility'=>'Sichtbarkeit','Labels'=>'Beschriftungen','Field Settings Tabs'=>'Tabs für Feldeinstellungen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Die Vorschau des ACF-Shortcodes wurde deaktiviert]','Close Modal'=>'Modal schließen','Field moved to other group'=>'Das Feld wurde zu einer anderen Gruppe verschoben','Close modal'=>'Modal schließen','Start a new group of tabs at this tab.'=>'Eine neue Gruppe von Tabs in diesem Tab beginnen.','New Tab Group'=>'Neue Tab-Gruppe','Use a stylized checkbox using select2'=>'Ein stylisches Auswahlkästchen mit select2 verwenden','Save Other Choice'=>'Eine andere Auswahlmöglichkeit speichern','Allow Other Choice'=>'Eine andere Auswahlmöglichkeit erlauben','Add Toggle All'=>'„Alles umschalten“ hinzufügen','Save Custom Values'=>'Individuelle Werte speichern','Allow Custom Values'=>'Individuelle Werte zulassen','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Individuelle Werte von Auswahlkästchen dürfen nicht leer sein. Deaktiviere alle leeren Werte.','Updates'=>'Aktualisierungen','Advanced Custom Fields logo'=>'Advanced-Custom-Fields-Logo','Save Changes'=>'Änderungen speichern','Field Group Title'=>'Feldgruppen-Titel','Add title'=>'Titel hinzufügen','New to ACF? Take a look at our getting started guide.'=>'Neu bei ACF? Wirf einen Blick auf die Anleitung zum Starten (engl.).','Add Field Group'=>'Feldgruppe hinzufügen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF verwendet Feldgruppen, um individuelle Felder zu gruppieren und diese dann in Bearbeitungsansichten anzuhängen.','Add Your First Field Group'=>'Deine erste Feldgruppe hinzufügen','Options Pages'=>'Optionen-Seiten','ACF Blocks'=>'ACF-Blöcke','Gallery Field'=>'Galerie-Feld','Flexible Content Field'=>'Feld „Flexibler Inhalt“','Repeater Field'=>'Wiederholungs-Feld','Unlock Extra Features with ACF PRO'=>'Zusatzfunktionen mit ACF PRO freischalten','Delete Field Group'=>'Feldgruppe löschen','Created on %1$s at %2$s'=>'Erstellt am %1$s um %2$s','Group Settings'=>'Gruppeneinstellungen','Location Rules'=>'Regeln für die Position','Choose from over 30 field types. Learn more.'=>'Wähle aus mehr als 30 Feldtypen. Mehr erfahren (engl.).','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Beginne mit der Erstellung neuer individueller Felder für deine Beiträge, Seiten, individuellen Inhaltstypen und sonstigen WordPress-Inhalten.','Add Your First Field'=>'Füge dein erstes Feld hinzu','#'=>'#','Add Field'=>'Feld hinzufügen','Presentation'=>'Präsentation','Validation'=>'Validierung','General'=>'Allgemein','Import JSON'=>'JSON importieren','Export As JSON'=>'Als JSON exportieren','Field group deactivated.'=>'Die Feldgruppe wurde deaktiviert.' . "\0" . '%s Feldgruppen wurden deaktiviert.','Field group activated.'=>'Die Feldgruppe wurde aktiviert.' . "\0" . '%s Feldgruppen wurden aktiviert.','Deactivate'=>'Deaktivieren','Deactivate this item'=>'Dieses Element deaktivieren','Activate'=>'Aktivieren','Activate this item'=>'Dieses Element aktivieren','Move field group to trash?'=>'Soll die Feldgruppe in den Papierkorb verschoben werden?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch deaktiviert.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields wurde automatisch deaktiviert.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Es wurde mindestens ein Versuch festgestellt, ACF-Feldwerte abzurufen, bevor ACF initialisiert wurde. Dies wird nicht unterstützt und kann zu fehlerhaften oder fehlenden Daten führen. Lerne, wie du das beheben kannst (engl.).','%1$s must have a user with the %2$s role.'=>'%1$s muss einen Benutzer mit der %2$s-Rolle haben.' . "\0" . '%1$s muss einen Benutzer mit einer der folgenden rollen haben: %2$s','%1$s must have a valid user ID.'=>'%1$s muss eine gültige Benutzer-ID haben.','Invalid request.'=>'Ungültige Anfrage.','%1$s is not one of %2$s'=>'%1$s ist nicht eins von %2$s','%1$s must have term %2$s.'=>'%1$s muss den Begriff %2$s haben.' . "\0" . '%1$s muss einen der folgenden Begriffe haben: %2$s','%1$s must be of post type %2$s.'=>'%1$s muss vom Inhaltstyp %2$s sein.' . "\0" . '%1$s muss einer der folgenden Inhaltstypen sein: %2$s','%1$s must have a valid post ID.'=>'%1$s muss eine gültige Beitrags-ID haben.','%s requires a valid attachment ID.'=>'%s erfordert eine gültige Anhangs-ID.','Show in REST API'=>'Im REST-API anzeigen','Enable Transparency'=>'Transparenz aktivieren','RGBA Array'=>'RGBA-Array','RGBA String'=>'RGBA-Zeichenfolge','Hex String'=>'Hex-Zeichenfolge','Upgrade to PRO'=>'Upgrade auf PRO','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'‚%s‘ ist keine gültige E-Mail-Adresse','Color value'=>'Farbwert','Select default color'=>'Standardfarbe auswählen','Clear color'=>'Farbe entfernen','Blocks'=>'Blöcke','Options'=>'Optionen','Users'=>'Benutzer','Menu items'=>'Menüelemente','Widgets'=>'Widgets','Attachments'=>'Anhänge','Taxonomies'=>'Taxonomien','Posts'=>'Beiträge','Last updated: %s'=>'Zuletzt aktualisiert: %s','Sorry, this post is unavailable for diff comparison.'=>'Leider steht diese Feldgruppe nicht für einen Diff-Vergleich zur Verfügung.','Invalid field group parameter(s).'=>'Ungültige(r) Feldgruppen-Parameter.','Awaiting save'=>'Ein Speichern wird erwartet','Saved'=>'Gespeichert','Import'=>'Importieren','Review changes'=>'Änderungen überprüfen','Located in: %s'=>'Ist zu finden in: %s','Located in plugin: %s'=>'Liegt im Plugin: %s','Located in theme: %s'=>'Liegt im Theme: %s','Various'=>'Verschiedene','Sync changes'=>'Änderungen synchronisieren','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON-Änderungen überprüfen','Visit website'=>'Website besuchen','View details'=>'Details anzeigen','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help-Desk. Die Support-Experten unseres Help-Desks werden dir bei komplexeren technischen Herausforderungen unterstützend zur Seite stehen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussionen. Wir haben eine aktive und freundliche Community in unseren Community-Foren, die dir vielleicht dabei helfen kann, dich mit den „How-tos“ der ACF-Welt vertraut zu machen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation (engl.). Diese umfassende Dokumentation beinhaltet Referenzen und Leitfäden zu den meisten Situationen, die du vorfinden wirst.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wir legen großen Wert auf Support und möchten, dass du mit ACF das Beste aus deiner Website herausholst. Wenn du auf Schwierigkeiten stößt, gibt es mehrere Stellen, an denen du Hilfe finden kannst:','Help & Support'=>'Hilfe und Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Falls du Hilfe benötigst, nutze bitte den Tab „Hilfe und Support“, um dich mit uns in Verbindung zu setzen.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Bevor du deine erste Feldgruppe erstellst, wird empfohlen, vorab die Anleitung Erste Schritte (engl.) durchzulesen, um dich mit der Philosophie hinter dem Plugin und den besten Praktiken vertraut zu machen.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Das Advanced-Custom-Fields-Plugin bietet einen visuellen Formular-Builder, um WordPress-Bearbeitungsansichten mit weiteren Feldern zu individualisieren und eine intuitive API, um individuelle Feldwerte in beliebigen Theme-Template-Dateien anzuzeigen.','Overview'=>'Übersicht','Location type "%s" is already registered.'=>'Positions-Typ „%s“ ist bereits registriert.','Class "%s" does not exist.'=>'Die Klasse „%s“ existiert nicht.','Invalid nonce.'=>'Der Nonce ist ungültig.','Error loading field.'=>'Fehler beim Laden des Felds.','Error: %s'=>'Fehler: %s','Widget'=>'Widget','User Role'=>'Benutzerrolle','Comment'=>'Kommentar','Post Format'=>'Beitragsformat','Menu Item'=>'Menüelement','Post Status'=>'Beitragsstatus','Menus'=>'Menüs','Menu Locations'=>'Menüpositionen','Menu'=>'Menü','Post Taxonomy'=>'Beitrags-Taxonomie','Child Page (has parent)'=>'Unterseite (hat übergeordnete Seite)','Parent Page (has children)'=>'Übergeordnete Seite (hat Unterseiten)','Top Level Page (no parent)'=>'Seite der ersten Ebene (keine übergeordnete)','Posts Page'=>'Beitrags-Seite','Front Page'=>'Startseite','Page Type'=>'Seitentyp','Viewing back end'=>'Backend anzeigen','Viewing front end'=>'Frontend anzeigen','Logged in'=>'Angemeldet','Current User'=>'Aktueller Benutzer','Page Template'=>'Seiten-Template','Register'=>'Registrieren','Add / Edit'=>'Hinzufügen/bearbeiten','User Form'=>'Benutzerformular','Page Parent'=>'Übergeordnete Seite','Super Admin'=>'Super-Administrator','Current User Role'=>'Aktuelle Benutzerrolle','Default Template'=>'Standard-Template','Post Template'=>'Beitrags-Template','Post Category'=>'Beitragskategorie','All %s formats'=>'Alle %s Formate','Attachment'=>'Anhang','%s value is required'=>'%s Wert ist erforderlich','Show this field if'=>'Dieses Feld anzeigen, falls','Conditional Logic'=>'Bedingte Logik','and'=>'und','Local JSON'=>'Lokales JSON','Clone Field'=>'Feld duplizieren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.','This version contains improvements to your database and requires an upgrade.'=>'Diese Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.','Thank you for updating to %1$s v%2$s!'=>'Danke für die Aktualisierung auf %1$s v%2$s!','Database Upgrade Required'=>'Ein Upgrade der Datenbank ist erforderlich','Options Page'=>'Optionen-Seite','Gallery'=>'Galerie','Flexible Content'=>'Flexibler Inhalt','Repeater'=>'Wiederholung','Back to all tools'=>'Zurück zur Werkzeugübersicht','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)'=>'Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Sortierungs-Nummer)','Select items to hide them from the edit screen.'=>'Die Elemente auswählen, die in der Bearbeitungsansicht verborgen werden sollen.','Hide on screen'=>'In der Ansicht ausblenden','Send Trackbacks'=>'Trackbacks senden','Tags'=>'Schlagwörter','Categories'=>'Kategorien','Page Attributes'=>'Seiten-Attribute','Format'=>'Format','Author'=>'Autor','Slug'=>'Titelform','Revisions'=>'Revisionen','Comments'=>'Kommentare','Discussion'=>'Diskussion','Excerpt'=>'Textauszug','Content Editor'=>'Inhalts-Editor','Permalink'=>'Permalink','Shown in field group list'=>'Wird in der Feldgruppen-Liste angezeigt','Field groups with a lower order will appear first'=>'Die Feldgruppen mit niedrigerer Ordnung werden zuerst angezeigt','Order No.'=>'Sortierungs-Nr.','Below fields'=>'Unterhalb der Felder','Below labels'=>'Unterhalb der Beschriftungen','Instruction Placement'=>'Platzierung der Anweisungen','Label Placement'=>'Platzierung der Beschriftung','Side'=>'Seite','Normal (after content)'=>'Normal (nach Inhalt)','High (after title)'=>'Hoch (nach dem Titel)','Position'=>'Position','Seamless (no metabox)'=>'Übergangslos (keine Metabox)','Standard (WP metabox)'=>'Standard (WP-Metabox)','Style'=>'Stil','Type'=>'Typ','Key'=>'Schlüssel','Order'=>'Reihenfolge','Close Field'=>'Feld schließen','id'=>'ID','class'=>'Klasse','width'=>'Breite','Wrapper Attributes'=>'Wrapper-Attribute','Required'=>'Erforderlich','Instructions'=>'Anweisungen','Field Type'=>'Feldtyp','Single word, no spaces. Underscores and dashes allowed'=>'Einzelnes Wort ohne Leerzeichen. Unterstriche und Bindestriche sind erlaubt','Field Name'=>'Feldname','This is the name which will appear on the EDIT page'=>'Dies ist der Name, der auf der BEARBEITUNGS-Seite erscheinen wird','Field Label'=>'Feldbeschriftung','Delete'=>'Löschen','Delete field'=>'Feld löschen','Move'=>'Verschieben','Move field to another group'=>'Feld in eine andere Gruppe verschieben','Duplicate field'=>'Feld duplizieren','Edit field'=>'Feld bearbeiten','Drag to reorder'=>'Ziehen zum Sortieren','Show this field group if'=>'Diese Feldgruppe anzeigen, falls','No updates available.'=>'Es sind keine Aktualisierungen verfügbar.','Database upgrade complete. See what\'s new'=>'Das Datenbank-Upgrade wurde abgeschlossen. Schau nach was es Neues gibt','Reading upgrade tasks...'=>'Aufgaben für das Upgrade einlesen ...','Upgrade failed.'=>'Das Upgrade ist fehlgeschlagen.','Upgrade complete.'=>'Das Upgrade wurde abgeschlossen.','Upgrading data to version %s'=>'Das Upgrade der Daten auf Version %s wird ausgeführt','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es wird dringend empfohlen, dass du deine Datenbank sicherst, bevor du fortfährst. Bist du sicher, dass du die Aktualisierung jetzt durchführen möchtest?','Please select at least one site to upgrade.'=>'Bitte mindestens eine Website für das Upgrade auswählen.','Database Upgrade complete. Return to network dashboard'=>'Das Upgrade der Datenbank wurde fertiggestellt. Zurück zum Netzwerk-Dashboard','Site is up to date'=>'Die Website ist aktuell','Site requires database upgrade from %1$s to %2$s'=>'Die Website erfordert ein Upgrade der Datenbank von %1$s auf %2$s','Site'=>'Website','Upgrade Sites'=>'Upgrade der Websites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du aktualisieren möchtest und klick dann auf %s.','Add rule group'=>'Eine Regelgruppe hinzufügen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Erstelle einen Satz von Regeln, um festzulegen, in welchen Bearbeitungsansichten diese „advanced custom fields“ genutzt werden','Rules'=>'Regeln','Copied'=>'Kopiert','Copy to clipboard'=>'In die Zwischenablage kopieren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wähle, welche Feldgruppen du exportieren möchtest und wähle dann die Exportmethode. Exportiere als JSON, um eine JSON-Datei zu exportieren, die du im Anschluss in eine andere ACF-Installation importieren kannst. Verwende den „PHP erstellen“-Button, um den resultierenden PHP-Code zu exportieren, den du in dein Theme einfügen kannst.','Select Field Groups'=>'Feldgruppen auswählen','No field groups selected'=>'Es wurden keine Feldgruppen ausgewählt','Generate PHP'=>'PHP erstellen','Export Field Groups'=>'Feldgruppen exportieren','Import file empty'=>'Die importierte Datei ist leer','Incorrect file type'=>'Inkorrekter Dateityp','Error uploading file. Please try again'=>'Fehler beim Upload der Datei. Bitte erneut versuchen','Import Field Groups'=>'Feldgruppen importieren','Sync'=>'Synchronisieren','Select %s'=>'%s auswählen','Duplicate'=>'Duplizieren','Duplicate this item'=>'Dieses Element duplizieren','Supports'=>'Hilfe','Documentation'=>'Dokumentation','Description'=>'Beschreibung','Sync available'=>'Synchronisierung verfügbar','Field group synchronized.'=>'Die Feldgruppe wurde synchronisiert.' . "\0" . '%s Feldgruppen wurden synchronisiert.','Field group duplicated.'=>'Die Feldgruppe wurde dupliziert.' . "\0" . '%s Feldgruppen wurden dupliziert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiv (%s)','Review sites & upgrade'=>'Websites prüfen und ein Upgrade durchführen','Upgrade Database'=>'Upgrade der Datenbank','Custom Fields'=>'Individuelle Felder','Move Field'=>'Feld verschieben','Please select the destination for this field'=>'Bitte das Ziel für dieses Feld auswählen','The %1$s field can now be found in the %2$s field group'=>'Das %1$s-Feld kann jetzt in der %2$s-Feldgruppe gefunden werden','Move Complete.'=>'Das Verschieben ist abgeschlossen.','Active'=>'Aktiv','Field Keys'=>'Feldschlüssel','Settings'=>'Einstellungen','Location'=>'Position','Null'=>'Null','copy'=>'kopieren','(this field)'=>'(dieses Feld)','Checked'=>'Ausgewählt','Move Custom Field'=>'Individuelles Feld verschieben','No toggle fields available'=>'Es sind keine Felder zum Umschalten verfügbar','Field group title is required'=>'Ein Titel für die Feldgruppe ist erforderlich','This field cannot be moved until its changes have been saved'=>'Dieses Feld kann erst verschoben werden, wenn dessen Änderungen gespeichert wurden','The string "field_" may not be used at the start of a field name'=>'Die Zeichenfolge „field_“ darf nicht am Beginn eines Feldnamens stehen','Field group draft updated.'=>'Der Entwurf der Feldgruppe wurde aktualisiert.','Field group scheduled for.'=>'Feldgruppe geplant für.','Field group submitted.'=>'Die Feldgruppe wurde übertragen.','Field group saved.'=>'Die Feldgruppe wurde gespeichert.','Field group published.'=>'Die Feldgruppe wurde veröffentlicht.','Field group deleted.'=>'Die Feldgruppe wurde gelöscht.','Field group updated.'=>'Die Feldgruppe wurde aktualisiert.','Tools'=>'Werkzeuge','is not equal to'=>'ist ungleich','is equal to'=>'ist gleich','Forms'=>'Formulare','Page'=>'Seite','Post'=>'Beitrag','Relational'=>'Relational','Choice'=>'Auswahl','Basic'=>'Grundlegend','Unknown'=>'Unbekannt','Field type does not exist'=>'Der Feldtyp existiert nicht','Spam Detected'=>'Es wurde Spam entdeckt','Post updated'=>'Der Beitrag wurde aktualisiert','Update'=>'Aktualisieren','Validate Email'=>'E-Mail-Adresse bestätigen','Content'=>'Inhalt','Title'=>'Titel','Edit field group'=>'Feldgruppe bearbeiten','Selection is less than'=>'Die Auswahl ist kleiner als','Selection is greater than'=>'Die Auswahl ist größer als','Value is less than'=>'Der Wert ist kleiner als','Value is greater than'=>'Der Wert ist größer als','Value contains'=>'Der Wert enthält','Value matches pattern'=>'Der Wert entspricht dem Muster','Value is not equal to'=>'Wert ist ungleich','Value is equal to'=>'Der Wert ist gleich','Has no value'=>'Hat keinen Wert','Has any value'=>'Hat einen Wert','Cancel'=>'Abbrechen','Are you sure?'=>'Bist du sicher?','%d fields require attention'=>'%d Felder erfordern Aufmerksamkeit','1 field requires attention'=>'1 Feld erfordert Aufmerksamkeit','Validation failed'=>'Die Überprüfung ist fehlgeschlagen','Validation successful'=>'Die Überprüfung war erfolgreich','Restricted'=>'Eingeschränkt','Collapse Details'=>'Details ausblenden','Expand Details'=>'Details einblenden','Uploaded to this post'=>'Zu diesem Beitrag hochgeladen','verbUpdate'=>'Aktualisieren','verbEdit'=>'Bearbeiten','The changes you made will be lost if you navigate away from this page'=>'Deine Änderungen werden verlorengehen, wenn du diese Seite verlässt','File type must be %s.'=>'Der Dateityp muss %s sein.','or'=>'oder','File size must not exceed %s.'=>'Die Dateigröße darf nicht größer als %s sein.','File size must be at least %s.'=>'Die Dateigröße muss mindestens %s sein.','Image height must not exceed %dpx.'=>'Die Höhe des Bild darf %dpx nicht überschreiten.','Image height must be at least %dpx.'=>'Die Höhe des Bildes muss mindestens %dpx sein.','Image width must not exceed %dpx.'=>'Die Breite des Bildes darf %dpx nicht überschreiten.','Image width must be at least %dpx.'=>'Die Breite des Bildes muss mindestens %dpx sein.','(no title)'=>'(ohne Titel)','Full Size'=>'Volle Größe','Large'=>'Groß','Medium'=>'Mittel','Thumbnail'=>'Vorschaubild','(no label)'=>'(keine Beschriftung)','Sets the textarea height'=>'Legt die Höhe des Textbereichs fest','Rows'=>'Zeilen','Text Area'=>'Textbereich','Prepend an extra checkbox to toggle all choices'=>'Ein zusätzliches Auswahlfeld voranstellen, um alle Optionen auszuwählen','Save \'custom\' values to the field\'s choices'=>'Individuelle Werte in den Auswahlmöglichkeiten des Feldes speichern','Allow \'custom\' values to be added'=>'Das Hinzufügen individueller Werte erlauben','Add new choice'=>'Eine neue Auswahlmöglichkeit hinzufügen','Toggle All'=>'Alle umschalten','Allow Archives URLs'=>'Archiv-URLs erlauben','Archives'=>'Archive','Page Link'=>'Seiten-Link','Add'=>'Hinzufügen','Name'=>'Name','%s added'=>'%s hinzugefügt','%s already exists'=>'%s ist bereits vorhanden','User unable to add new %s'=>'Der Benutzer kann keine neue %s hinzufügen','Term ID'=>'Begriffs-ID','Term Object'=>'Begriffs-Objekt','Load value from posts terms'=>'Den Wert aus den Begriffen des Beitrags laden','Load Terms'=>'Begriffe laden','Connect selected terms to the post'=>'Verbinde die ausgewählten Begriffe mit dem Beitrag','Save Terms'=>'Begriffe speichern','Allow new terms to be created whilst editing'=>'Erlaubt das Erstellen neuer Begriffe während des Bearbeitens','Create Terms'=>'Begriffe erstellen','Radio Buttons'=>'Radiobuttons','Single Value'=>'Einzelner Wert','Multi Select'=>'Mehrfachauswahl','Checkbox'=>'Auswahlkästchen','Multiple Values'=>'Mehrere Werte','Select the appearance of this field'=>'Das Design für dieses Feld auswählen','Appearance'=>'Design','Select the taxonomy to be displayed'=>'Wähle die Taxonomie, welche angezeigt werden soll','No TermsNo %s'=>'Keine %s','Value must be equal to or lower than %d'=>'Der Wert muss kleiner oder gleich %d sein','Value must be equal to or higher than %d'=>'Der Wert muss größer oder gleich %d sein','Value must be a number'=>'Der Wert muss eine Zahl sein','Number'=>'Numerisch','Save \'other\' values to the field\'s choices'=>'Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern','Add \'other\' choice to allow for custom values'=>'Das Hinzufügen der Auswahlmöglichkeit ‚weitere‘ erlaubt individuelle Werte','Other'=>'Weitere','Radio Button'=>'Radiobutton','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiert einen Endpunkt, an dem das vorangegangene Akkordeon endet. Dieses Akkordeon wird nicht sichtbar sein.','Allow this accordion to open without closing others.'=>'Dieses Akkordeon öffnen, ohne die anderen zu schließen.','Multi-Expand'=>'Mehrfach-Erweiterung','Display this accordion as open on page load.'=>'Dieses Akkordeon beim Laden der Seite in geöffnetem Zustand anzeigen.','Open'=>'Geöffnet','Accordion'=>'Akkordeon','Restrict which files can be uploaded'=>'Beschränkt, welche Dateien hochgeladen werden können','File ID'=>'Datei-ID','File URL'=>'Datei-URL','File Array'=>'Datei-Array','Add File'=>'Datei hinzufügen','No file selected'=>'Es wurde keine Datei ausgewählt','File name'=>'Dateiname','Update File'=>'Datei aktualisieren','Edit File'=>'Datei bearbeiten','Select File'=>'Datei auswählen','File'=>'Datei','Password'=>'Passwort','Specify the value returned'=>'Lege den Rückgabewert fest','Use AJAX to lazy load choices?'=>'Soll AJAX genutzt werden, um Auswahlen verzögert zu laden?','Enter each default value on a new line'=>'Jeden Standardwert in einer neuen Zeile eingeben','verbSelect'=>'Auswählen','Select2 JS load_failLoading failed'=>'Das Laden ist fehlgeschlagen','Select2 JS searchingSearching…'=>'Suchen…','Select2 JS load_moreLoading more results…'=>'Mehr Ergebnisse laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kannst nur %d Elemente auswählen','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kannst nur ein Element auswählen','Select2 JS input_too_long_nPlease delete %d characters'=>'Lösche bitte %d Zeichen','Select2 JS input_too_long_1Please delete 1 character'=>'Lösche bitte ein Zeichen','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Gib bitte %d oder mehr Zeichen ein','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Gib bitte ein oder mehr Zeichen ein','Select2 JS matches_0No matches found'=>'Es wurden keine Übereinstimmungen gefunden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und unten zu navigieren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ein Ergebnis ist verfügbar, Eingabetaste drücken, um es auszuwählen.','nounSelect'=>'Auswahl','User ID'=>'Benutzer-ID','User Object'=>'Benutzer-Objekt','User Array'=>'Benutzer-Array','All user roles'=>'Alle Benutzerrollen','Filter by Role'=>'Nach Rolle filtern','User'=>'Benutzer','Separator'=>'Trennzeichen','Select Color'=>'Farbe auswählen','Default'=>'Standard','Clear'=>'Leeren','Color Picker'=>'Farbpicker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Auswählen','Date Time Picker JS closeTextDone'=>'Fertig','Date Time Picker JS currentTextNow'=>'Jetzt','Date Time Picker JS timezoneTextTime Zone'=>'Zeitzone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunde','Date Time Picker JS millisecTextMillisecond'=>'Millisekunde','Date Time Picker JS secondTextSecond'=>'Sekunde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Stunde','Date Time Picker JS timeTextTime'=>'Zeit','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zeit wählen','Date Time Picker'=>'Datums- und Zeitauswahl','Endpoint'=>'Endpunkt','Left aligned'=>'Linksbündig','Top aligned'=>'Oben ausgerichtet','Placement'=>'Platzierung','Tab'=>'Tab','Value must be a valid URL'=>'Der Wert muss eine gültige URL sein','Link URL'=>'Link-URL','Link Array'=>'Link-Array','Opens in a new window/tab'=>'In einem neuen Fenster/Tab öffnen','Select Link'=>'Link auswählen','Link'=>'Link','Email'=>'E-Mail-Adresse','Step Size'=>'Schrittweite','Maximum Value'=>'Maximalwert','Minimum Value'=>'Mindestwert','Range'=>'Bereich','Both (Array)'=>'Beide (Array)','Label'=>'Beschriftung','Value'=>'Wert','Vertical'=>'Vertikal','Horizontal'=>'Horizontal','red : Red'=>'rot : Rot','For more control, you may specify both a value and label like this:'=>'Für mehr Kontrolle kannst du sowohl einen Wert als auch eine Beschriftung wie folgt angeben:','Enter each choice on a new line.'=>'Jede Option in eine neue Zeile eintragen.','Choices'=>'Auswahlmöglichkeiten','Button Group'=>'Button-Gruppe','Allow Null'=>'NULL-Werte zulassen?','Parent'=>'Übergeordnet','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wird erst initialisiert, wenn das Feld geklickt wird','Delay Initialization'=>'Soll die Initialisierung verzögert werden?','Show Media Upload Buttons'=>'Sollen Buttons zum Hochladen von Medien anzeigt werden?','Toolbar'=>'Werkzeugleiste','Text Only'=>'Nur Text','Visual Only'=>'Nur visuell','Visual & Text'=>'Visuell und Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klicken, um TinyMCE zu initialisieren','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuell','Value must not exceed %d characters'=>'Der Wert darf %d Zeichen nicht überschreiten','Leave blank for no limit'=>'Leer lassen, wenn es keine Begrenzung gibt','Character Limit'=>'Zeichenbegrenzung','Appears after the input'=>'Wird nach dem Eingabefeld angezeigt','Append'=>'Anhängen','Appears before the input'=>'Wird dem Eingabefeld vorangestellt','Prepend'=>'Voranstellen','Appears within the input'=>'Wird innerhalb des Eingabefeldes angezeigt','Placeholder Text'=>'Platzhaltertext','Appears when creating a new post'=>'Wird bei der Erstellung eines neuen Beitrags angezeigt','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s erfordert mindestens %2$s Auswahl' . "\0" . '%1$s erfordert mindestens %2$s Auswahlen','Post ID'=>'Beitrags-ID','Post Object'=>'Beitrags-Objekt','Maximum Posts'=>'Höchstzahl an Beiträgen','Minimum Posts'=>'Mindestzahl an Beiträgen','Featured Image'=>'Beitragsbild','Selected elements will be displayed in each result'=>'Die ausgewählten Elemente werden in jedem Ergebnis angezeigt','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Inhaltstyp','Filters'=>'Filter','All taxonomies'=>'Alle Taxonomien','Filter by Taxonomy'=>'Nach Taxonomie filtern','All post types'=>'Alle Inhaltstypen','Filter by Post Type'=>'Nach Inhaltstyp filtern','Search...'=>'Suche ...','Select taxonomy'=>'Taxonomie auswählen','Select post type'=>'Inhaltstyp auswählen','No matches found'=>'Es wurde keine Übereinstimmung gefunden','Loading'=>'Wird geladen','Maximum values reached ( {max} values )'=>'Die maximal möglichen Werte wurden erreicht ({max} Werte)','Relationship'=>'Beziehung','Comma separated list. Leave blank for all types'=>'Eine durch Kommata getrennte Liste. Leer lassen, um alle Typen zu erlauben','Allowed File Types'=>'Erlaubte Dateiformate','Maximum'=>'Maximum','File size'=>'Dateigröße','Restrict which images can be uploaded'=>'Beschränkt, welche Bilder hochgeladen werden können','Minimum'=>'Minimum','Uploaded to post'=>'Wurde zum Beitrag hochgeladen','All'=>'Alle','Limit the media library choice'=>'Beschränkt die Auswahl in der Mediathek','Library'=>'Mediathek','Preview Size'=>'Vorschau-Größe','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-Array','Specify the returned value on front end'=>'Legt den Rückgabewert für das Frontend fest','Return Value'=>'Rückgabewert','Add Image'=>'Bild hinzufügen','No image selected'=>'Es wurde kein Bild ausgewählt','Remove'=>'Entfernen','Edit'=>'Bearbeiten','All images'=>'Alle Bilder','Update Image'=>'Bild aktualisieren','Edit Image'=>'Bild bearbeiten','Select Image'=>'Bild auswählen','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'HTML-Markup als sichtbaren Text anzeigen, anstatt es zu rendern','Escape HTML'=>'HTML maskieren','No Formatting'=>'Keine Formatierung','Automatically add <br>'=>'Automatisches Hinzufügen von <br>','Automatically add paragraphs'=>'Absätze automatisch hinzufügen','Controls how new lines are rendered'=>'Legt fest, wie Zeilenumbrüche gerendert werden','New Lines'=>'Zeilenumbrüche','Week Starts On'=>'Die Woche beginnt am','The format used when saving a value'=>'Das Format für das Speichern eines Wertes','Save Format'=>'Format speichern','Date Picker JS weekHeaderWk'=>'W','Date Picker JS prevTextPrev'=>'Vorheriges','Date Picker JS nextTextNext'=>'Nächstes','Date Picker JS currentTextToday'=>'Heute','Date Picker JS closeTextDone'=>'Fertig','Date Picker'=>'Datumspicker','Width'=>'Breite','Embed Size'=>'Einbettungs-Größe','Enter URL'=>'URL eingeben','oEmbed'=>'oEmbed','Text shown when inactive'=>'Der Text, der im aktiven Zustand angezeigt wird','Off Text'=>'Wenn inaktiv','Text shown when active'=>'Der Text, der im inaktiven Zustand angezeigt wird','On Text'=>'Wenn aktiv','Stylized UI'=>'Gestylte UI','Default Value'=>'Standardwert','Displays text alongside the checkbox'=>'Zeigt den Text neben dem Auswahlkästchen an','Message'=>'Mitteilung','No'=>'Nein','Yes'=>'Ja','True / False'=>'Wahr/falsch','Row'=>'Reihe','Table'=>'Tabelle','Block'=>'Block','Specify the style used to render the selected fields'=>'Lege den Stil für die Darstellung der ausgewählten Felder fest','Layout'=>'Layout','Sub Fields'=>'Untergeordnete Felder','Group'=>'Gruppe','Customize the map height'=>'Kartenhöhe anpassen','Height'=>'Höhe','Set the initial zoom level'=>'Den Anfangswert für Zoom einstellen','Zoom'=>'Zoom','Center the initial map'=>'Ausgangskarte zentrieren','Center'=>'Zentriert','Search for address...'=>'Nach der Adresse suchen ...','Find current location'=>'Aktuelle Position finden','Clear location'=>'Position löschen','Search'=>'Suchen','Sorry, this browser does not support geolocation'=>'Dieser Browser unterstützt leider keine Standortbestimmung','Google Map'=>'Google Maps','The format returned via template functions'=>'Das über Template-Funktionen zurückgegebene Format','Return Format'=>'Rückgabeformat','Custom:'=>'Individuell:','The format displayed when editing a post'=>'Das angezeigte Format beim Bearbeiten eines Beitrags','Display Format'=>'Darstellungsformat','Time Picker'=>'Zeitpicker','Inactive (%s)'=>'Deaktiviert (%s)' . "\0" . 'Deaktiviert (%s)','No Fields found in Trash'=>'Es wurden keine Felder im Papierkorb gefunden','No Fields found'=>'Es wurden keine Felder gefunden','Search Fields'=>'Felder suchen','View Field'=>'Feld anzeigen','New Field'=>'Neues Feld','Edit Field'=>'Feld bearbeiten','Add New Field'=>'Neues Feld hinzufügen','Field'=>'Feld','Fields'=>'Felder','No Field Groups found in Trash'=>'Es wurden keine Feldgruppen im Papierkorb gefunden','No Field Groups found'=>'Es wurden keine Feldgruppen gefunden','Search Field Groups'=>'Feldgruppen durchsuchen','View Field Group'=>'Feldgruppe anzeigen','New Field Group'=>'Neue Feldgruppe','Edit Field Group'=>'Feldgruppe bearbeiten','Add New Field Group'=>'Neue Feldgruppe hinzufügen','Add New'=>'Neu hinzufügen','Field Group'=>'Feldgruppe','Field Groups'=>'Feldgruppen','Customize WordPress with powerful, professional and intuitive fields.'=>'WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Name des Block-Typs wird benötigt.','Block type "%s" is already registered.'=>'Block-Typ „%s“ ist bereits registriert.','Switch to Edit'=>'Zum Bearbeiten wechseln','Switch to Preview'=>'Zur Vorschau wechseln','Change content alignment'=>'Ausrichtung des Inhalts ändern','%s settings'=>'%s Einstellungen','Options Updated'=>'Optionen aktualisiert','Check Again'=>'Erneut suchen','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feldgruppen für diese Options-Seite gefunden. Eine Feldgruppe erstellen','Error. Could not connect to update server'=>'Fehler. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probieren Sie es nochmal oder deaktivieren und reaktivieren Sie ihre ACF PRO-Lizenz.','Select one or more fields you wish to clone'=>'Wählen Sie ein oder mehrere Felder aus die Sie klonen möchten','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Geben Sie den Stil an mit dem das Klon-Feld angezeigt werden soll','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Labels will be displayed as %s'=>'Beschriftungen werden als %s angezeigt','Prefix Field Labels'=>'Präfix für Feldbeschriftungen','Values will be saved as %s'=>'Werte werden als %s gespeichert','Prefix Field Names'=>'Präfix für Feldnamen','Unknown field'=>'Unbekanntes Feld','Unknown field group'=>'Unbekannte Feldgruppe','All fields from %s field group'=>'Alle Felder der Feldgruppe %s','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Mindestzahl an Layouts','Maximum Layouts'=>'Höchstzahl an Layouts','Button Label'=>'Button-Beschriftung','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Caption'=>'Bildunterschrift','Alt Text'=>'Alt Text','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schließen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Allowed file types'=>'Erlaubte Dateiformate','Insert'=>'Einfügen','Specify where new attachments are added'=>'Geben Sie an wo neue Anhänge hinzugefügt werden sollen','Append to the end'=>'Anhängen','Prepend to the beginning'=>'Voranstellen','Minimum rows not reached ({min} rows)'=>'Mindestzahl der Einträge hat ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Höchstzahl der Einträge hat ({max} Reihen) erreicht','Minimum Rows'=>'Mindestzahl der Einträge','Maximum Rows'=>'Höchstzahl der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll','Invalid field key or name.'=>'Ungültige Feldgruppen-ID.','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Zeile duplizieren','Remove row'=>'Eintrag löschen','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Blocktypen vorhanden','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Um die Aktualisierungsfähigkeit freizuschalten geben Sie bitte unten Ihren Lizenzschlüssel ein. Falls Sie keinen besitzen sollten informieren Sie sich bitte hier hinsichtlich Preisen und aller weiteren Details.','License Key'=>'Lizenzschlüssel','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','Upgrade Notice'=>'Hinweis zum Upgrade','Enter your license key to unlock updates'=>'Bitte geben Sie oben Ihren Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'Quelle aktualisieren','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'de.wordpress.org','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Mehr erfahren.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[Der ACF-Shortcode kann keine Felder von nicht-öffentlichen Beiträgen anzeigen]','[The ACF shortcode is disabled on this site]'=>'[Der AFC-Shortcode ist auf dieser Website deaktiviert]','Businessman Icon'=>'Geschäftsmann-Icon','Forums Icon'=>'Foren-Icon','YouTube Icon'=>'YouTube-Icon','Yes (alt) Icon'=>'','Xing Icon'=>'Xing-Icon','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'WhatsApp-Icon','Write Blog Icon'=>'Blog-schreiben-Icon','Widgets Menus Icon'=>'Widgets-Menü-Icon','View Site Icon'=>'Website-anzeigen-Icon','Learn More Icon'=>'Mehr-erfahren-Icon','Add Page Icon'=>'Seite-hinzufügen-Icon','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'Twitch-Icon','Tide Icon'=>'Tide-Icon','Tickets (alt) Icon'=>'','Text Page Icon'=>'Textseite-Icon','Table Row Delete Icon'=>'Tabellenzeile-löschen-Icon','Table Row Before Icon'=>'Tabellenzeile-davor-Icon','Table Row After Icon'=>'Tabellenzeile-danach-Icon','Table Col Delete Icon'=>'Tabellenspalte-löschen-Icon','Table Col Before Icon'=>'Tabellenspalte-davor-Icon','Table Col After Icon'=>'Tabellenspalte-danach-Icon','Superhero (alt) Icon'=>'','Superhero Icon'=>'Superheld-Icon','Spotify Icon'=>'Spotify-Icon','Shortcode Icon'=>'Shortcode-Icon','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'Gespeichert-Icon','RSS Icon'=>'RSS-Icon','REST API Icon'=>'REST-API-Icon','Remove Icon'=>'Entfernen-Icon','Reddit Icon'=>'Reddit-Icon','Privacy Icon'=>'Datenschutz-Icon','Printer Icon'=>'Drucker-Icon','Podio Icon'=>'Podio-Icon','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'Plugins-geprüft-Icon','Pinterest Icon'=>'Pinterest-Icon','Pets Icon'=>'Haustiere-Icon','PDF Icon'=>'PDF-Icon','Palm Tree Icon'=>'Palme-Icon','Open Folder Icon'=>'Offener-Ordner-Icon','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'Interaktiv-Icon','Document Icon'=>'Dokument-Icon','Default Icon'=>'Standard-Icon','Location (alt) Icon'=>'','LinkedIn Icon'=>'LinkedIn-Icon','Instagram Icon'=>'Instagram-Icon','Insert Before Icon'=>'Davor-einfügen-Icon','Insert After Icon'=>'Danach-einfügen-Icon','Insert Icon'=>'Einfügen-Icon','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'Nach-rechts-drehen-Icon','Rotate Left Icon'=>'Nach-links-drehen-Icon','Rotate Icon'=>'Drehen-Icon','Flip Vertical Icon'=>'Vertikal-spiegeln-Icon','Flip Horizontal Icon'=>'Horizontal-spiegeln-Icon','Crop Icon'=>'Zuschneiden-Icon','ID (alt) Icon'=>'','HTML Icon'=>'HTML-Icon','Hourglass Icon'=>'Sanduhr-Icon','Heading Icon'=>'Überschrift-Icon','Google Icon'=>'Google-Icon','Games Icon'=>'Spiele-Icon','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'Status-Icon','Image Icon'=>'Bild-Icon','Gallery Icon'=>'Galerie-Icon','Chat Icon'=>'Chat-Icon','Audio Icon'=>'Audio-Icon','Aside Icon'=>'','Food Icon'=>'Essen-Icon','Exit Icon'=>'Verlassen-Icon','Excerpt View Icon'=>'Textauszug-anzeigen-Icon','Embed Video Icon'=>'Video-einbetten-Icon','Embed Post Icon'=>'Beitrag-einbetten-Icon','Embed Photo Icon'=>'Foto-einbetten-Icon','Embed Generic Icon'=>'Einbetten-Icon','Embed Audio Icon'=>'Audio-einbetten-Icon','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'Individuelles-Zeichen-Icon','Edit Page Icon'=>'Seite-bearbeiten-Icon','Edit Large Icon'=>'','Drumstick Icon'=>'Hähnchenkeule-Icon','Database View Icon'=>'Datenbank-anzeigen-Icon','Database Remove Icon'=>'Datenbank-entfernen-Icon','Database Import Icon'=>'Datenbank-importieren-Icon','Database Export Icon'=>'Datenbank-exportieren-Icon','Database Add Icon'=>'Datenbank-hinzufügen-Icon','Database Icon'=>'Datenbank-Icon','Cover Image Icon'=>'Titelbild-Icon','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'Wiederholen-Icon','Play Icon'=>'Abspielen-Icon','Pause Icon'=>'Pause-Icon','Forward Icon'=>'','Back Icon'=>'Zurück-Icon','Columns Icon'=>'Spalten-Icon','Color Picker Icon'=>'Farbwähler-Icon','Coffee Icon'=>'Kaffee-Icon','Code Standards Icon'=>'Code-Standards-Icon','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'Auto-Icon','Camera (alt) Icon'=>'','Calculator Icon'=>'Rechner-Icon','Button Icon'=>'Button-Icon','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'Themen-Icon','Replies Icon'=>'Antworten-Icon','PM Icon'=>'','Friends Icon'=>'Freunde-Icon','Community Icon'=>'Community-Icon','BuddyPress Icon'=>'BuddyPress-Icon','bbPress Icon'=>'bbPress-Icon','Activity Icon'=>'Aktivität-Icon','Book (alt) Icon'=>'','Block Default Icon'=>'Block-Standard-Icon','Bell Icon'=>'Glocke-Icon','Beer Icon'=>'Bier-Icon','Bank Icon'=>'Bank-Icon','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'Amazon-Icon','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Flugzeug-Icon','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'Du bist leider nicht berechtigt, diese Aktion durchzuführen.','Blocks Using Post Meta'=>'','ACF PRO logo'=>'ACF-PRO-Logo','ACF PRO Logo'=>'ACF-PRO-Logo','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'Ja-Icon','WordPress Icon'=>'WordPress-Icon','Warning Icon'=>'Warnung-Icon','Visibility Icon'=>'Sichtbarkeit-Icon','Vault Icon'=>'Tresorraum-Icon','Upload Icon'=>'Upload-Icon','Update Icon'=>'Aktualisieren-Icon','Unlock Icon'=>'Schloss-offen-Icon','Universal Access Icon'=>'','Undo Icon'=>'Rückgängig-Icon','Twitter Icon'=>'Twitter-Icon','Trash Icon'=>'Papierkorb-Icon','Translation Icon'=>'Übersetzung-Icon','Tickets Icon'=>'Tickets-Icon','Thumbs Up Icon'=>'Daumen-hoch-Icon','Thumbs Down Icon'=>'Daumen-runter-Icon','Text Icon'=>'Text-Icon','Testimonial Icon'=>'','Tagcloud Icon'=>'Schlagwortwolke-Icon','Tag Icon'=>'Schlagwort-Icon','Tablet Icon'=>'Tablet-Icon','Store Icon'=>'Shop-Icon','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'SOS-Icon','Sort Icon'=>'Sortieren-Icon','Smiley Icon'=>'Smiley-Icon','Smartphone Icon'=>'Smartphone-Icon','Slides Icon'=>'Slides-Icon','Shield Icon'=>'Schild-Icon','Share Icon'=>'Teilen-Icon','Search Icon'=>'Suchen-Icon','Screen Options Icon'=>'','Schedule Icon'=>'Zeitplan-Icon','Redo Icon'=>'Wiederholen-Icon','Randomize Icon'=>'','Products Icon'=>'Produkte-Icon','Pressthis Icon'=>'Pressthis-Icon','Post Status Icon'=>'Beitragsstatus-Icon','Portfolio Icon'=>'Portfolio-Icon','Plus Icon'=>'Plus-Icon','Playlist Video Icon'=>'Video-Wiedergabeliste-Icon','Playlist Audio Icon'=>'Audio-Wiedergabeliste-Icon','Phone Icon'=>'Telefon-Icon','Performance Icon'=>'Leistung-Icon','Paperclip Icon'=>'Büroklammer-Icon','No Icon'=>'Nein-Icon','Networking Icon'=>'','Nametag Icon'=>'Namensschild-Icon','Move Icon'=>'','Money Icon'=>'Geld-Icon','Minus Icon'=>'Minus-Icon','Migrate Icon'=>'Migrieren-Icon','Microphone Icon'=>'Mikrofon-Icon','Megaphone Icon'=>'Megafon-Icon','Marker Icon'=>'Marker-Icon','Lock Icon'=>'Schloss-Icon','Location Icon'=>'','List View Icon'=>'Listenansicht-Icon','Lightbulb Icon'=>'Glühbirnen-Icon','Left Right Icon'=>'Links-Rechts-Icon','Layout Icon'=>'Layout-Icon','Laptop Icon'=>'Laptop-Icon','Info Icon'=>'Info-Icon','Index Card Icon'=>'Karteikarte-Icon','ID Icon'=>'ID-Icon','Hidden Icon'=>'','Heart Icon'=>'Herz-Icon','Hammer Icon'=>'Hammer-Icon','Groups Icon'=>'Gruppen-Icon','Grid View Icon'=>'Rasteransicht-Icon','Forms Icon'=>'Formulare-Icon','Flag Icon'=>'Flagge-Icon','Filter Icon'=>'Filter-Icon','Feedback Icon'=>'Feedback-Icon','Facebook (alt) Icon'=>'','Facebook Icon'=>'Facebook-Icon','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'E-Mail-Icon','Video Icon'=>'Video-Icon','Unlink Icon'=>'Link-entfernen-Icon','Underline Icon'=>'Unterstreichen-Icon','Text Color Icon'=>'Textfarbe-Icon','Table Icon'=>'Tabelle-Icon','Strikethrough Icon'=>'Durchgestrichen-Icon','Spellcheck Icon'=>'Rechtschreibprüfung-Icon','Remove Formatting Icon'=>'Formatierung-entfernen-Icon','Quote Icon'=>'Zitat-Icon','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'Absatz-Icon','Outdent Icon'=>'Ausrücken-Icon','Kitchen Sink Icon'=>'','Justify Icon'=>'Blocksatz-Icon','Italic Icon'=>'Kursiv-Icon','Insert More Icon'=>'','Indent Icon'=>'Einrücken-Icon','Help Icon'=>'Hilfe-Icon','Expand Icon'=>'','Contract Icon'=>'Vertrag-Icon','Code Icon'=>'Code-Icon','Break Icon'=>'Umbruch-Icon','Bold Icon'=>'Fett-Icon','Edit Icon'=>'Bearbeiten-Icon','Download Icon'=>'Download-Icon','Dismiss Icon'=>'','Desktop Icon'=>'Desktop-Icon','Dashboard Icon'=>'Dashboard-Icon','Cloud Icon'=>'','Clock Icon'=>'Uhr-Icon','Clipboard Icon'=>'','Chart Pie Icon'=>'Tortendiagramm-Icon','Chart Line Icon'=>'Liniendiagramm-Icon','Chart Bar Icon'=>'Balkendiagramm-Icon','Chart Area Icon'=>'Flächendiagramm-Icon','Category Icon'=>'Kategorie-Icon','Cart Icon'=>'Warenkorb-Icon','Carrot Icon'=>'Karotte-Icon','Camera Icon'=>'Kamera-Icon','Calendar (alt) Icon'=>'','Calendar Icon'=>'Kalender-Icon','Businesswoman Icon'=>'Geschäftsfrau-Icon','Building Icon'=>'Gebäude-Icon','Book Icon'=>'Buch-Icon','Backup Icon'=>'Backup-Icon','Awards Icon'=>'Auszeichnungen-Icon','Art Icon'=>'Kunst-Icon','Arrow Up Icon'=>'Pfeil-nach-oben-Icon','Arrow Right Icon'=>'Pfeil-nach-rechts-Icon','Arrow Left Icon'=>'Pfeil-nach-links-Icon','Arrow Down Icon'=>'Pfeil-nach-unten-Icon','Archive Icon'=>'Archiv-Icon','Analytics Icon'=>'Analyse-Icon','Align Right Icon'=>'Rechtsbündig-Icon','Align None Icon'=>'','Align Left Icon'=>'Linksbündig-Icon','Align Center Icon'=>'Zentriert-Icon','Album Icon'=>'Album-Icon','Users Icon'=>'Benutzer-Icon','Tools Icon'=>'Werkzeuge-Icon','Site Icon'=>'Website-Icon','Settings Icon'=>'Einstellungen-Icon','Post Icon'=>'Beitrag-Icon','Plugins Icon'=>'Plugins-Icon','Page Icon'=>'Seite-Icon','Network Icon'=>'Netzwerk-Icon','Multisite Icon'=>'Multisite-Icon','Media Icon'=>'Medien-Icon','Links Icon'=>'Links-Icon','Home Icon'=>'Home-Icon','Customizer Icon'=>'Customizer-Icon','Comments Icon'=>'Kommentare-Icon','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'Es wurden keine Ergebnisse für diesen Suchbegriff gefunden.','Array'=>'Array','String'=>'Zeichenfolge','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'Mediathek durchsuchen','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'Icons suchen …','Media Library'=>'Mediathek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Icon-Wähler','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'Registrierte ACF-Formulare','Shortcode Enabled'=>'Shortcode aktiviert','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'Registrierte ACF-Blöcke','Light'=>'','Standard'=>'Standard','REST API Format'=>'REST-API-Format','Registered Options Pages (PHP)'=>'Registrierte Optionsseiten (PHP)','Registered Options Pages (JSON)'=>'Registrierte Optionsseiten (JSON)','Registered Options Pages (UI)'=>'Registrierte Optionsseiten (UI)','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'Registrierte Taxonomien (JSON)','Registered Taxonomies (UI)'=>'Registrierte Taxonomien (UI)','Registered Post Types (JSON)'=>'Registrierte Inhaltstypen (JSON)','Registered Post Types (UI)'=>'Registrierte Inhaltstypen (UI)','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'Registrierte Feldgruppen (JSON)','Registered Field Groups (PHP)'=>'Registrierte Feldgruppen (PHP)','Registered Field Groups (UI)'=>'Registrierte Feldgruppen (UI)','Active Plugins'=>'Aktive Plugins','Parent Theme'=>'Übergeordnetes Theme','Active Theme'=>'Aktives Theme','Is Multisite'=>'Ist Multisite','MySQL Version'=>'MySQL-Version','WordPress Version'=>'WordPress-Version','Subscription Expiry Date'=>'Ablaufdatum des Abonnements','License Status'=>'Lizenzstatus','License Type'=>'Lizenz-Typ','Licensed URL'=>'Lizensierte URL','License Activated'=>'Lizenz aktiviert','Free'=>'Kostenlos','Plugin Type'=>'Plugin-Typ','Plugin Version'=>'Plugin-Version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'Dauerhaft verwerfen','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'Begriffe enthalten nicht','Terms contain'=>'Begriffe enthalten','Term is not equal to'=>'Begriff ist ungleich','Term is equal to'=>'Begriff ist gleich','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'Benutzer enthalten nicht','Users contain'=>'Benutzer enthalten','User is not equal to'=>'Benutzer ist ungleich','User is equal to'=>'Benutzer ist gleich','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'Seiten enthalten nicht','Pages contain'=>'Seiten enthalten','Page is not equal to'=>'Seite ist ungleich','Page is equal to'=>'Seite ist gleich','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'Beiträge enthalten nicht','Posts contain'=>'Beiträge enthalten','Post is not equal to'=>'Beitrag ist ungleich','Post is equal to'=>'Beitrag ist gleich','Relationships do not contain'=>'Beziehungen enthalten nicht','Relationships contain'=>'Beziehungen enthalten','Relationship is not equal to'=>'Beziehung ist ungleich','Relationship is equal to'=>'Beziehung ist gleich','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-Felder','ACF PRO Feature'=>'ACF-PRO-Funktion','Renew PRO to Unlock'=>'PRO-Lizenz zum Freischalten erneuern','Renew PRO License'=>'PRO-Lizenz erneuern','PRO fields cannot be edited without an active license.'=>'PRO-Felder können ohne aktive Lizenz nicht bearbeitet werden.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um Feldgruppen bearbeiten zu können, die einem ACF-Block zugewiesen wurden.','Please activate your ACF PRO license to edit this options page.'=>'Bitte aktiviere deine ACF-PRO-Lizenz, um diese Optionsseite zu bearbeiten.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Bitte kontaktiere den Administrator oder Entwickler deiner Website für mehr Details.','Learn more'=>'Mehr erfahren','Hide details'=>'Details verbergen','Show details'=>'Details anzeigen','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - gerendert via %3$s','Renew ACF PRO License'=>'ACF-PRO-Lizenz erneuern','Renew License'=>'Lizenz erneuern','Manage License'=>'Lizenz verwalten','\'High\' position not supported in the Block Editor'=>'Die „Hoch“-Position wird im Block-Editor nicht unterstützt','Upgrade to ACF PRO'=>'Upgrade auf ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Optionen-Seite hinzufügen','In the editor used as the placeholder of the title.'=>'Wird im Editor als Platzhalter für den Titel verwendet.','Title Placeholder'=>'Titel-Platzhalter','4 Months Free'=>'4 Monate kostenlos','(Duplicated from %s)'=>'(Duplikat von %s)','Select Options Pages'=>'Options-Seite auswählen','Duplicate taxonomy'=>'Taxonomie duplizieren','Create taxonomy'=>'Taxonomie erstellen','Duplicate post type'=>'Inhalttyp duplizieren','Create post type'=>'Inhaltstyp erstellen','Link field groups'=>'Feldgruppen verlinken','Add fields'=>'Felder hinzufügen','This Field'=>'Dieses Feld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Hilfe','is developed and maintained by'=>'wird entwickelt und gewartet von','Add this %s to the location rules of the selected field groups.'=>'Füge %s zu den Positions-Optionen der ausgewählten Feldgruppen hinzu.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'Ziel-Feld','Update a field on the selected values, referencing back to this ID'=>'Ein Feld mit den ausgewählten Werten aktualisieren, auf diese ID zurückverweisend','Bidirectional'=>'Bidirektional','%s Field'=>'%s Feld','Select Multiple'=>'Mehrere auswählen','WP Engine logo'=>'Logo von WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Erlaubt sind Kleinbuchstaben, Unterstriche (_) und Striche (-), maximal 32 Zeichen.','The capability name for assigning terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zuzuordnen.','Assign Terms Capability'=>'Begriffs-Berechtigung zuordnen','The capability name for deleting terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu löschen.','Delete Terms Capability'=>'Begriffs-Berechtigung löschen','The capability name for editing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu bearbeiten.','Edit Terms Capability'=>'Begriffs-Berechtigung bearbeiten','The capability name for managing terms of this taxonomy.'=>'Der Name der Berechtigung, um Begriffe dieser Taxonomie zu verwalten.','Manage Terms Capability'=>'Begriffs-Berechtigung verwalten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Legt fest, ob Beiträge von den Suchergebnissen und Taxonomie-Archivseiten ausgeschlossen werden sollen.','More Tools from WP Engine'=>'Mehr Werkzeuge von WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gebaut für alle, die mit WordPress bauen, vom Team bei %s','View Pricing & Upgrade'=>'Preise anzeigen und Upgrade installieren','Learn More'=>'Mehr erfahren','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'Schalte erweiterte Funktionen frei und erschaffe noch mehr mit ACF PRO','%s fields'=>'%s Felder','No terms'=>'Keine Begriffe','No post types'=>'Keine Inhaltstypen','No posts'=>'Keine Beiträge','No taxonomies'=>'Keine Taxonomien','No field groups'=>'Keine Feldgruppen','No fields'=>'Keine Felder','No description'=>'Keine Beschreibung','Any post status'=>'Jeder Beitragsstatus','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie außerhalb von ACF und kann nicht verwendet werden.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Dieser Taxonomie-Schlüssel stammt von einer anderen Taxonomie in ACF und kann nicht verwendet werden.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Taxonomie-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The taxonomy key must be under 32 characters.'=>'Der Taxonomie-Schlüssel muss kürzer als 32 Zeichen sein.','No Taxonomies found in Trash'=>'Es wurden keine Taxonomien im Papierkorb gefunden','No Taxonomies found'=>'Es wurden keine Taxonomien gefunden','Search Taxonomies'=>'Suche Taxonomien','View Taxonomy'=>'Taxonomie anzeigen','New Taxonomy'=>'Neue Taxonomie','Edit Taxonomy'=>'Taxonomie bearbeiten','Add New Taxonomy'=>'Neue Taxonomie hinzufügen','No Post Types found in Trash'=>'Es wurden keine Inhaltstypen im Papierkorb gefunden','No Post Types found'=>'Es wurden keine Inhaltstypen gefunden','Search Post Types'=>'Inhaltstypen suchen','View Post Type'=>'Inhaltstyp anzeigen','New Post Type'=>'Neuer Inhaltstyp','Edit Post Type'=>'Inhaltstyp bearbeiten','Add New Post Type'=>'Neuen Inhaltstyp hinzufügen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp außerhalb von ACF und kann nicht verwendet werden.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Dieser Inhaltstyp-Schlüssel stammt von einem anderen Inhaltstyp in ACF und kann nicht verwendet werden.','This field must not be a WordPress reserved term.'=>'Dieses Feld darf kein von WordPress reservierter Begriff sein.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Der Inhaltstyp-Schlüssel darf nur Kleinbuchstaben, Unterstriche und Trennstriche enthalten.','The post type key must be under 20 characters.'=>'Der Inhaltstyp-Schlüssel muss kürzer als 20 Zeichen sein.','We do not recommend using this field in ACF Blocks.'=>'Es wird nicht empfohlen, dieses Feld in ACF-Blöcken zu verwenden.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Zeigt den WordPress-WYSIWYG-Editor an, wie er in Beiträgen und Seiten zu sehen ist, und ermöglicht so eine umfangreiche Textbearbeitung, die auch Multimedia-Inhalte zulässt.','WYSIWYG Editor'=>'WYSIWYG-Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Ermöglicht die Auswahl von einem oder mehreren Benutzern, die zur Erstellung von Beziehungen zwischen Datenobjekten verwendet werden können.','A text input specifically designed for storing web addresses.'=>'Eine Texteingabe, die speziell für die Speicherung von Webadressen entwickelt wurde.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ein Schalter, mit dem ein Wert von 1 oder 0 (ein oder aus, wahr oder falsch usw.) auswählt werden kann. Kann als stilisierter Schalter oder Kontrollkästchen dargestellt werden.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zum Auswählen einer Zeit. Das Zeitformat kann in den Feldeinstellungen angepasst werden.','A basic textarea input for storing paragraphs of text.'=>'Eine einfache Eingabe in Form eines Textbereiches zum Speichern von Textabsätzen.','A basic text input, useful for storing single string values.'=>'Eine einfache Texteingabe, nützlich für die Speicherung einzelner Zeichenfolgen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Ermöglicht die Auswahl von einem oder mehreren Taxonomiebegriffen auf der Grundlage der in den Feldeinstellungen angegebenen Kriterien und Optionen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'Eine Dropdown-Liste mit einer von dir angegebenen Auswahl an Wahlmöglichkeiten.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'Ein Schieberegler-Eingabefeld für numerische Zahlenwerte in einem festgelegten Bereich.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Eine Gruppe von Radiobuttons, die es dem Benutzer ermöglichen, eine einzelne Auswahl aus von dir angegebenen Werten zu treffen.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Eine interaktive und anpassbare Benutzeroberfläche zur Auswahl einer beliebigen Anzahl von Beiträgen, Seiten oder Inhaltstypen-Elemente mit der Option zum Suchen. ','An input for providing a password using a masked field.'=>'Ein Passwort-Feld, das die Eingabe maskiert.','Filter by Post Status'=>'Nach Beitragsstatus filtern','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Ein interaktives Drop-down-Menü zur Auswahl von einem oder mehreren Beiträgen, Seiten, individuellen Inhaltstypen oder Archiv-URLs mit der Option zur Suche.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Ein interaktives Feld zum Einbetten von Videos, Bildern, Tweets, Audio und anderen Inhalten unter Verwendung der nativen WordPress-oEmbed-Funktionalität.','An input limited to numerical values.'=>'Eine auf numerische Werte beschränkte Eingabe.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Bildern.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Bietet die Möglichkeit zur Gruppierung von Feldern, um Daten und den Bearbeiten-Bildschirm besser zu strukturieren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Standortes unter Verwendung von Google Maps. Benötigt einen Google-Maps-API-Schlüssel und eine zusätzliche Konfiguration für eine korrekte Anzeige.','Uses the native WordPress media picker to upload, or choose files.'=>'Nutzt den nativen WordPress-Mediendialog zum Hochladen oder Auswählen von Dateien.','A text input specifically designed for storing email addresses.'=>'Ein Texteingabefeld, das speziell für die Speicherung von E-Mail-Adressen entwickelt wurde.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl von Datum und Uhrzeit. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Eine interaktive Benutzeroberfläche zur Auswahl eines Datums. Das zurückgegebene Datumsformat kann in den Feldeinstellungen angepasst werden.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Eine interaktive Benutzeroberfläche zur Auswahl einer Farbe, oder zur Eingabe eines Hex-Wertes.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Eine Gruppe von Auswahlkästchen, die du festlegst, aus denen der Benutzer einen oder mehrere Werte auswählen kann.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Eine Gruppe von Buttons mit von dir festgelegten Werten. Die Benutzer können eine Option aus den angegebenen Werten auswählen.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Erweitert','JSON (newer)'=>'JSON (neuer)','Original'=>'Original','Invalid post ID.'=>'Die Beitrags-ID ist ungültig.','Invalid post type selected for review.'=>'Der für die Betrachtung ausgewählte Inhaltstyp ist ungültig.','More'=>'Mehr','Tutorial'=>'Anleitung','Select Field'=>'Feld auswählen','Try a different search term or browse %s'=>'Probiere es mit einem anderen Suchbegriff oder durchsuche %s','Popular fields'=>'Beliebte Felder','No search results for \'%s\''=>'Es wurden keine Suchergebnisse für ‚%s‘ gefunden','Search fields...'=>'Felder suchen ...','Select Field Type'=>'Feldtyp auswählen','Popular'=>'Beliebt','Add Taxonomy'=>'Taxonomie hinzufügen','Create custom taxonomies to classify post type content'=>'Erstelle individuelle Taxonomien, um die Inhalte von Inhaltstypen zu kategorisieren','Add Your First Taxonomy'=>'Deine erste Taxonomie hinzufügen','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchische Taxonomien können untergeordnete haben (wie Kategorien).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Macht eine Taxonomie sichtbar im Frontend und im Admin-Dashboard.','One or many post types that can be classified with this taxonomy.'=>'Einer oder mehrere Inhaltstypen, die mit dieser Taxonomie kategorisiert werden können.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Terms_Controller“.','Expose this post type in the REST API.'=>'Diesen Inhaltstyp in der REST-API anzeigen.','Customize the query variable name'=>'Den Namen der Abfrage-Variable anpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Begriffe können über den unschicken Permalink abgerufen werden, z. B. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Über-/untergeordnete Begriffe in URLs von hierarchischen Taxonomien.','Customize the slug used in the URL'=>'Passe die Titelform an, die in der URL genutzt wird','Permalinks for this taxonomy are disabled.'=>'Permalinks sind für diese Taxonomie deaktiviert.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'Taxonomie-Schlüssel','Select the type of permalink to use for this taxonomy.'=>'Wähle den Permalink-Typ, der für diese Taxonomie genutzt werden soll.','Display a column for the taxonomy on post type listing screens.'=>'Anzeigen einer Spalte für die Taxonomie in der Listenansicht der Inhaltstypen.','Show Admin Column'=>'Admin-Spalte anzeigen','Show the taxonomy in the quick/bulk edit panel.'=>'Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen.','Quick Edit'=>'Schnellbearbeitung','List the taxonomy in the Tag Cloud Widget controls.'=>'Listet die Taxonomie in den Steuerelementen des Schlagwortwolke-Widgets auf.','Tag Cloud'=>'Schlagwort-Wolke','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ein PHP-Funktionsname, der zum Bereinigen von Taxonomiedaten aufgerufen werden soll, die von einer Metabox gespeichert wurden.','Meta Box Sanitization Callback'=>'Metabox-Bereinigungs-Callback','Register Meta Box Callback'=>'Metabox-Callback registrieren','No Meta Box'=>'Keine Metabox','Custom Meta Box'=>'Individuelle Metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Metabox','Categories Meta Box'=>'Kategorien-Metabox','Tags Meta Box'=>'Schlagwörter-Metabox','A link to a tag'=>'Ein Link zu einem Schlagwort','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'Ein Link zu einer Taxonomie %s','Tag Link'=>'Schlagwort-Link','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Zu Schlagwörtern gehen','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'Zurück zu den Elementen','← Go to %s'=>'← Zu %s gehen','Tags list'=>'Schlagwörter-Liste','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'Navigation der Schlagwörterliste','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Nach Kategorie filtern','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'Filtern nach Element','Filter by %s'=>'Nach %s filtern','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'Beschreibt das Beschreibungsfeld in der Schlagwörter-bearbeiten-Ansicht.','Description Field Description'=>'Beschreibung des Beschreibungfeldes','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'Beschreibt das übergeordnete Feld in der Schlagwörter-bearbeiten-Ansicht.','Parent Field Description'=>'Beschreibung des übergeordneten Feldes','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Die Titelform ist die URL-freundliche Version des Namens. Sie besteht üblicherweise aus Kleinbuchstaben und zudem nur aus Buchstaben, Zahlen und Bindestrichen.','Describes the Slug field on the Edit Tags screen.'=>'Beschreibt das Titelform-Feld in der Schlagwörter-bearbeiten-Ansicht.','Slug Field Description'=>'Beschreibung des Titelformfeldes','The name is how it appears on your site'=>'Der Name ist das, was auf deiner Website angezeigt wird','Describes the Name field on the Edit Tags screen.'=>'Beschreibt das Namensfeld in der Schlagwörter-bearbeiten-Ansicht.','Name Field Description'=>'Beschreibung des Namenfeldes','No tags'=>'Keine Schlagwörter','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'Keine Begriffe','No %s'=>'Keine %s-Taxonomien','No tags found'=>'Es wurden keine Schlagwörter gefunden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Es wurde nichts gefunden','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Am häufigsten verwendet','Choose from the most used tags'=>'Wähle aus den meistgenutzten Schlagwörtern','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Wähle aus den Meistgenutzten','Choose from the most used %s'=>'Wähle aus den meistgenutzten %s','Add or remove tags'=>'Schlagwörter hinzufügen oder entfernen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Elemente hinzufügen oder entfernen','Add or remove %s'=>'%s hinzufügen oder entfernen','Separate tags with commas'=>'Schlagwörter durch Kommas trennen','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Trenne Elemente mit Kommas','Separate %s with commas'=>'Trenne %s durch Kommas','Popular Tags'=>'Beliebte Schlagwörter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Zugeordneter Text für beliebte Elemente. Wird nur für nicht-hierarchische Taxonomien verwendet.','Popular Items'=>'Beliebte Elemente','Popular %s'=>'Beliebte %s','Search Tags'=>'Schlagwörter suchen','Assigns search items text.'=>'','Parent Category:'=>'Übergeordnete Kategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Den Text des übergeordneten Elements zuordnen, aber mit einem Doppelpunkt (:) am Ende.','Parent Item With Colon'=>'Übergeordnetes Element mit Doppelpunkt','Parent Category'=>'Übergeordnete Kategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Zugeordneter Text für übergeordnete Elemente. Wird nur für hierarchische Taxonomien verwendet.','Parent Item'=>'Übergeordnetes Element','Parent %s'=>'Übergeordnete Taxonomie %s','New Tag Name'=>'Neuer Schlagwortname','Assigns the new item name text.'=>'','New Item Name'=>'Name des neuen Elements','New %s Name'=>'Neuer %s-Name','Add New Tag'=>'Ein neues Schlagwort hinzufügen','Assigns the add new item text.'=>'','Update Tag'=>'Schlagwort aktualisieren','Assigns the update item text.'=>'','Update Item'=>'Element aktualisieren','Update %s'=>'%s aktualisieren','View Tag'=>'Schlagwort anzeigen','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Schlagwort bearbeiten','At the top of the editor screen when editing a term.'=>'Oben in der Editoransicht, wenn ein Begriff bearbeitet wird.','All Tags'=>'Alle Schlagwörter','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'Menü-Beschriftung','Active taxonomies are enabled and registered with WordPress.'=>'Aktive Taxonomien sind aktiviert und in WordPress registriert.','A descriptive summary of the taxonomy.'=>'Eine beschreibende Zusammenfassung der Taxonomie.','A descriptive summary of the term.'=>'Eine beschreibende Zusammenfassung des Begriffs.','Term Description'=>'Beschreibung des Begriffs','Single word, no spaces. Underscores and dashes allowed.'=>'Einzelnes Wort, keine Leerzeichen. Unterstriche und Bindestriche erlaubt.','Term Slug'=>'Begriffs-Titelform','The name of the default term.'=>'Der Name des Standardbegriffs.','Term Name'=>'Name des Begriffs','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'Standardbegriff','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'Begriffe sortieren','Add Post Type'=>'Inhaltstyp hinzufügen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Erweitere die Funktionalität von WordPress über Standard-Beiträge und -Seiten hinaus mit individuellen Inhaltstypen.','Add Your First Post Type'=>'Deinen ersten Inhaltstyp hinzufügen','I know what I\'m doing, show me all the options.'=>'Ich weiß, was ich tue, zeig mir alle Optionen.','Advanced Configuration'=>'Erweiterte Konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarchische Inhaltstypen können untergeordnete haben (wie Seiten).','Hierarchical'=>'Hierarchisch','Visible on the frontend and in the admin dashboard.'=>'Sichtbar im Frontend und im Admin-Dashboard.','Public'=>'Öffentlich','movie'=>'Film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Nur Kleinbuchstaben, Unterstriche und Bindestriche, maximal 20 Zeichen.','Movie'=>'Film','Singular Label'=>'Beschriftung (Einzahl)','Movies'=>'Filme','Plural Label'=>'Beschriftung (Mehrzahl)','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionalen individuellen Controller verwenden anstelle von „WP_REST_Posts_Controller“.','Controller Class'=>'Controller-Klasse','The namespace part of the REST API URL.'=>'Der Namensraum-Teil der REST-API-URL.','Namespace Route'=>'Namensraum-Route','The base URL for the post type REST API URLs.'=>'Die Basis-URL für REST-API-URLs des Inhalttyps.','Base URL'=>'Basis-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Zeigt diesen Inhalttyp in der REST-API. Wird zur Verwendung im Block-Editor benötigt.','Show In REST API'=>'Im REST-API anzeigen','Customize the query variable name.'=>'Den Namen der Abfrage-Variable anpassen.','Query Variable'=>'Abfrage-Variable','No Query Variable Support'=>'Keine Unterstützung von Abfrage-Variablen','Custom Query Variable'=>'Individuelle Abfrage-Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elemente können über den unschicken Permalink abgerufen werden, z. B. {post_type}={post_slug}.','Query Variable Support'=>'Unterstützung von Abfrage-Variablen','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'Öffentlich abfragbar','Custom slug for the Archive URL.'=>'Individuelle Titelform für die Archiv-URL.','Archive Slug'=>'Archiv-Titelform','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Archiv','Pagination support for the items URLs such as the archives.'=>'Unterstützung für Seitennummerierung der Element-URLs, wie bei Archiven.','Pagination'=>'Seitennummerierung','RSS feed URL for the post type items.'=>'RSS-Feed-URL für Inhaltstyp-Elemente.','Feed URL'=>'Feed-URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'Passe die Titelform an, die in der URL genutzt wird.','URL Slug'=>'URL-Titelform','Permalinks for this post type are disabled.'=>'Permalinks sind für diesen Inhaltstyp deaktiviert.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'Individueller Permalink','Post Type Key'=>'Inhaltstyp-Schlüssel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'Permalink neu schreiben','Delete items by a user when that user is deleted.'=>'Elemente eines Benutzers löschen, wenn der Benutzer gelöscht wird.','Delete With User'=>'Zusammen mit dem Benutzer löschen','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Erlaubt den Inhaltstyp zu exportieren unter „Werkzeuge“ > „Export“.','Can Export'=>'Kann exportieren','Optionally provide a plural to be used in capabilities.'=>'Du kannst optional eine Mehrzahl für Berechtigungen angeben.','Plural Capability Name'=>'Name der Berechtigung (Mehrzahl)','Choose another post type to base the capabilities for this post type.'=>'Wähle einen anderen Inhaltstyp aus als Basis der Berechtigungen für diesen Inhaltstyp.','Singular Capability Name'=>'Name der Berechtigung (Einzahl)','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'Berechtigungen umbenennen','Exclude From Search'=>'Von der Suche ausschließen','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Erlaubt das Hinzufügen von Elementen zu Menüs unter „Design“ > „Menüs“. Muss aktiviert werden unter „Ansicht anpassen“.','Appearance Menus Support'=>'Unterstützung für Design-Menüs','Appears as an item in the \'New\' menu in the admin bar.'=>'Erscheint als Eintrag im „Neu“-Menü der Adminleiste.','Show In Admin Bar'=>'In der Adminleiste anzeigen','Custom Meta Box Callback'=>'Individueller Metabox-Callback','Menu Icon'=>'Menü-Icon','The position in the sidebar menu in the admin dashboard.'=>'Die Position im Seitenleisten-Menü des Admin-Dashboards.','Menu Position'=>'Menü-Position','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'Übergeordnetes Admin-Menü','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'Im Admin-Menü anzeigen','Items can be edited and managed in the admin dashboard.'=>'Elemente können im Admin-Dashboard bearbeitet und verwaltet werden.','Show In UI'=>'In der Benutzeroberfläche anzeigen','A link to a post.'=>'Ein Link zu einem Beitrag.','Description for a navigation link block variation.'=>'','Item Link Description'=>'Beschreibung des Element-Links','A link to a %s.'=>'Ein Link zu einem Inhaltstyp %s','Post Link'=>'Beitragslink','Title for a navigation link block variation.'=>'','Item Link'=>'Element-Link','%s Link'=>'%s-Link','Post updated.'=>'Der Beitrag wurde aktualisiert.','In the editor notice after an item is updated.'=>'Im Editor-Hinweis, nachdem ein Element aktualisiert wurde.','Item Updated'=>'Das Element wurde aktualisiert','%s updated.'=>'%s wurde aktualisiert.','Post scheduled.'=>'Der Beitrag wurde geplant.','In the editor notice after scheduling an item.'=>'Im Editor-Hinweis, nachdem ein Element geplant wurde.','Item Scheduled'=>'Das Element wurde geplant','%s scheduled.'=>'%s wurde geplant.','Post reverted to draft.'=>'Der Beitrag wurde auf Entwurf zurückgesetzt.','In the editor notice after reverting an item to draft.'=>'Im Editor-Hinweis, nachdem ein Element auf Entwurf zurückgesetzt wurde.','Item Reverted To Draft'=>'Das Element wurde auf Entwurf zurückgesetzt','%s reverted to draft.'=>'%s wurde auf Entwurf zurückgesetzt.','Post published privately.'=>'Der Beitrag wurde privat veröffentlicht.','In the editor notice after publishing a private item.'=>'Im Editor-Hinweis, nachdem ein Element privat veröffentlicht wurde.','Item Published Privately'=>'Das Element wurde privat veröffentlicht','%s published privately.'=>'%s wurde privat veröffentlicht.','Post published.'=>'Der Beitrag wurde veröffentlicht.','In the editor notice after publishing an item.'=>'Im Editor-Hinweis, nachdem ein Element veröffentlicht wurde.','Item Published'=>'Das Element wurde veröffentlicht','%s published.'=>'%s wurde veröffentlicht.','Posts list'=>'Liste der Beiträge','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Elementliste','%s list'=>'%s-Liste','Posts list navigation'=>'Navigation der Beiträge-Liste','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'Navigation der Elementliste','%s list navigation'=>'%s-Listen-Navigation','Filter posts by date'=>'Beiträge nach Datum filtern','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Elemente nach Datum filtern','Filter %s by date'=>'%s nach Datum filtern','Filter posts list'=>'Liste mit Beiträgen filtern','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'Elemente-Liste filtern','Filter %s list'=>'%s-Liste filtern','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'Zu diesem Element hochgeladen','Uploaded to this %s'=>'Zu diesem %s hochgeladen','Insert into post'=>'In den Beitrag einfügen','As the button label when adding media to content.'=>'Als Button-Beschriftung, wenn Medien zum Inhalt hinzugefügt werden.','Insert Into Media Button'=>'','Insert into %s'=>'In %s einfügen','Use as featured image'=>'Als Beitragsbild verwenden','As the button label for selecting to use an image as the featured image.'=>'Als Button-Beschriftung, wenn ein Bild als Beitragsbild ausgewählt wird.','Use Featured Image'=>'Beitragsbild verwenden','Remove featured image'=>'Beitragsbild entfernen','As the button label when removing the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild entfernt wird.','Remove Featured Image'=>'Beitragsbild entfernen','Set featured image'=>'Beitragsbild festlegen','As the button label when setting the featured image.'=>'Als Button-Beschriftung, wenn das Beitragsbild festgelegt wird.','Set Featured Image'=>'Beitragsbild festlegen','Featured image'=>'Beitragsbild','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'Beitragsbild-Metabox','Post Attributes'=>'Beitrags-Attribute','In the editor used for the title of the post attributes meta box.'=>'In dem Editor, der für den Titel der Beitragsattribute-Metabox verwendet wird.','Attributes Meta Box'=>'Metabox-Attribute','%s Attributes'=>'%s-Attribute','Post Archives'=>'Beitrags-Archive','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Fügt ‚Inhaltstyp-Archiv‘-Elemente mit dieser Beschriftung zur Liste der Beiträge hinzu, die beim Hinzufügen von Elementen zu einem bestehenden Menü in einem individuellen Inhaltstyp mit aktivierten Archiven angezeigt werden. Erscheint nur, wenn Menüs im Modus „Live-Vorschau“ bearbeitet werden und eine individuelle Archiv-Titelform angegeben wurde.','Archives Nav Menu'=>'Navigations-Menü der Archive','%s Archives'=>'%s-Archive','No posts found in Trash'=>'Es wurden keine Beiträge im Papierkorb gefunden','At the top of the post type list screen when there are no posts in the trash.'=>'Oben in der Listen-Ansicht des Inhaltstyps, wenn keine Beiträge im Papierkorb vorhanden sind.','No Items Found in Trash'=>'Es wurden keine Elemente im Papierkorb gefunden','No %s found in Trash'=>'%s konnten nicht im Papierkorb gefunden werden','No posts found'=>'Es wurden keine Beiträge gefunden','At the top of the post type list screen when there are no posts to display.'=>'Oben in der Listenansicht für Inhaltstypen, wenn es keine Beiträge zum Anzeigen gibt.','No Items Found'=>'Es wurden keine Elemente gefunden','No %s found'=>'%s konnten nicht gefunden werden','Search Posts'=>'Beiträge suchen','At the top of the items screen when searching for an item.'=>'Oben in der Elementansicht, während der Suche nach einem Element.','Search Items'=>'Elemente suchen','Search %s'=>'%s suchen','Parent Page:'=>'Übergeordnete Seite:','For hierarchical types in the post type list screen.'=>'Für hierarchische Typen in der Listenansicht der Inhaltstypen.','Parent Item Prefix'=>'Präfix des übergeordneten Elementes','Parent %s:'=>'%s, übergeordnet:','New Post'=>'Neuer Beitrag','New Item'=>'Neues Element','New %s'=>'Neuer Inhaltstyp %s','Add New Post'=>'Neuen Beitrag hinzufügen','At the top of the editor screen when adding a new item.'=>'Oben in der Editoransicht, wenn ein neues Element hinzugefügt wird.','Add New Item'=>'Neues Element hinzufügen','Add New %s'=>'Neu hinzufügen: %s','View Posts'=>'Beiträge anzeigen','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Wird in der Adminleiste in der Ansicht „Alle Beiträge“ angezeigt, sofern der Inhaltstyp Archive unterstützt und die Homepage kein Archiv dieses Inhaltstyps ist.','View Items'=>'Elemente anzeigen','View Post'=>'Beitrag anzeigen','In the admin bar to view item when editing it.'=>'In der Adminleiste, um das Element beim Bearbeiten anzuzeigen.','View Item'=>'Element anzeigen','View %s'=>'%s anzeigen','Edit Post'=>'Beitrag bearbeiten','At the top of the editor screen when editing an item.'=>'Oben in der Editoransicht, wenn ein Element bearbeitet wird.','Edit Item'=>'Element bearbeiten','Edit %s'=>'%s bearbeiten','All Posts'=>'Alle Beiträge','In the post type submenu in the admin dashboard.'=>'Im Untermenü des Inhaltstyps im Admin-Dashboard.','All Items'=>'Alle Elemente','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Name des Admin-Menüs für den Inhaltstyp.','Menu Name'=>'Menüname','Regenerate all labels using the Singular and Plural labels'=>'Alle Beschriftungen unter Verwendung der Einzahl- und Mehrzahl-Beschriftungen neu generieren','Regenerate'=>'Neu generieren','Active post types are enabled and registered with WordPress.'=>'Aktive Inhaltstypen sind aktiviert und in WordPress registriert.','A descriptive summary of the post type.'=>'Eine beschreibende Zusammenfassung des Inhaltstyps.','Add Custom'=>'Individuell hinzufügen','Enable various features in the content editor.'=>'Verschiedene Funktionen im Inhalts-Editor aktivieren.','Post Formats'=>'Beitragsformate','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Vorhandene Taxonomien auswählen, um Elemente des Inhaltstyps zu kategorisieren.','Browse Fields'=>'Felder durchsuchen','Nothing to import'=>'Es gibt nichts zu importieren','. The Custom Post Type UI plugin can be deactivated.'=>'. Das Plugin Custom Post Type UI kann deaktiviert werden.','Imported %d item from Custom Post Type UI -'=>'Es wurde %d Element von Custom Post Type UI importiert -' . "\0" . 'Es wurden %d Elemente von Custom Post Type UI importiert -','Failed to import taxonomies.'=>'Der Import der Taxonomien ist fehlgeschlagen.','Failed to import post types.'=>'Der Import der Inhaltstypen ist fehlgeschlagen.','Nothing from Custom Post Type UI plugin selected for import.'=>'Es wurde nichts aus dem Plugin Custom Post Type UI für den Import ausgewählt.','Imported 1 item'=>'1 Element wurde importiert' . "\0" . '%s Elemente wurden importiert','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Wenn ein Inhaltstyp oder eine Taxonomie mit einem Schlüssel importiert wird, der bereits vorhanden ist, werden die Einstellungen des vorhandenen Inhaltstyps oder der vorhandenen Taxonomie mit denen des Imports überschrieben.','Import from Custom Post Type UI'=>'Aus Custom Post Type UI importieren','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Der folgende Code kann verwendet werden, um eine lokale Version der ausgewählten Elemente zu registrieren. Die lokale Speicherung von Feldgruppen, Inhaltstypen oder Taxonomien kann viele Vorteile bieten, wie z. B. schnellere Ladezeiten, Versionskontrolle und dynamische Felder/Einstellungen. Kopiere den folgenden Code in die Datei functions.php deines Themes oder füge ihn in eine externe Datei ein und deaktiviere oder lösche anschließend die Elemente in der ACF-Administration.','Export - Generate PHP'=>'Export – PHP generieren','Export'=>'Export','Select Taxonomies'=>'Taxonomien auswählen','Select Post Types'=>'Inhaltstypen auswählen','Exported 1 item.'=>'Ein Element wurde exportiert.' . "\0" . '%s Elemente wurden exportiert.','Category'=>'Kategorie','Tag'=>'Schlagwort','%s taxonomy created'=>'Die Taxonomie %s wurde erstellt','%s taxonomy updated'=>'Die Taxonomie %s wurde aktualisiert','Taxonomy draft updated.'=>'Der Taxonomie-Entwurf wurde aktualisiert.','Taxonomy scheduled for.'=>'Die Taxonomie wurde geplant für.','Taxonomy submitted.'=>'Die Taxonomie wurde übermittelt.','Taxonomy saved.'=>'Die Taxonomie wurde gespeichert.','Taxonomy deleted.'=>'Die Taxonomie wurde gelöscht.','Taxonomy updated.'=>'Die Taxonomie wurde aktualisiert.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Diese Taxonomie konnte nicht registriert werden, da der Schlüssel von einer anderen Taxonomie, die von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Taxonomy synchronized.'=>'Die Taxonomie wurde synchronisiert.' . "\0" . '%s Taxonomien wurden synchronisiert.','Taxonomy duplicated.'=>'Die Taxonomie wurde dupliziert.' . "\0" . '%s Taxonomien wurden dupliziert.','Taxonomy deactivated.'=>'Die Taxonomie wurde deaktiviert.' . "\0" . '%s Taxonomien wurden deaktiviert.','Taxonomy activated.'=>'Die Taxonomie wurde aktiviert.' . "\0" . '%s Taxonomien wurden aktiviert.','Terms'=>'Begriffe','Post type synchronized.'=>'Der Inhaltstyp wurde synchronisiert.' . "\0" . '%s Inhaltstypen wurden synchronisiert.','Post type duplicated.'=>'Der Inhaltstyp wurde dupliziert.' . "\0" . '%s Inhaltstypen wurden dupliziert.','Post type deactivated.'=>'Der Inhaltstyp wurde deaktiviert.' . "\0" . '%s Inhaltstypen wurden deaktiviert.','Post type activated.'=>'Der Inhaltstyp wurde aktiviert.' . "\0" . '%s Inhaltstypen wurden aktiviert.','Post Types'=>'Inhaltstypen','Advanced Settings'=>'Erweiterte Einstellungen','Basic Settings'=>'Grundlegende Einstellungen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dieser Inhaltstyp konnte nicht registriert werden, da dessen Schlüssel von einem anderen Inhaltstyp, der von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','Pages'=>'Seiten','Link Existing Field Groups'=>'Vorhandene Feldgruppen verknüpfen','%s post type created'=>'Der Inhaltstyp %s wurde erstellt','Add fields to %s'=>'Felder zu %s hinzufügen','%s post type updated'=>'Der Inhaltstyp %s wurde aktualisiert','Post type draft updated.'=>'Der Inhaltstyp-Entwurf wurde aktualisiert.','Post type scheduled for.'=>'Der Inhaltstyp wurde geplant für.','Post type submitted.'=>'Der Inhaltstyp wurde übermittelt.','Post type saved.'=>'Der Inhaltstyp wurde gespeichert.','Post type updated.'=>'Der Inhaltstyp wurde aktualisiert.','Post type deleted.'=>'Der Inhaltstyp wurde gelöscht.','Type to search...'=>'Tippen, um zu suchen …','PRO Only'=>'Nur Pro','Field groups linked successfully.'=>'Die Feldgruppen wurden erfolgreich verlinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importiere Inhaltstypen und Taxonomien, die mit Custom Post Type UI registriert wurden, und verwalte sie mit ACF. Jetzt starten.','ACF'=>'ACF','taxonomy'=>'Taxonomie','post type'=>'Inhaltstyp','Done'=>'Erledigt','Field Group(s)'=>'Feldgruppe(n)','Select one or many field groups...'=>'Wähle eine Feldgruppe oder mehrere ...','Please select the field groups to link.'=>'Bitte wähle die Feldgruppe zum Verlinken aus.','Field group linked successfully.'=>'Die Feldgruppe wurde erfolgreich verlinkt.' . "\0" . 'Die Feldgruppen wurden erfolgreich verlinkt.','post statusRegistration Failed'=>'Die Registrierung ist fehlgeschlagen','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dieses Element konnte nicht registriert werden, da dessen Schlüssel von einem anderen Element, das von einem anderen Plugin oder Theme registriert wurde, genutzt wird.','REST API'=>'REST-API','Permissions'=>'Berechtigungen','URLs'=>'URLs','Visibility'=>'Sichtbarkeit','Labels'=>'Beschriftungen','Field Settings Tabs'=>'Tabs für Feldeinstellungen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Die Vorschau des ACF-Shortcodes wurde deaktiviert]','Close Modal'=>'Modal schließen','Field moved to other group'=>'Das Feld wurde zu einer anderen Gruppe verschoben','Close modal'=>'Modal schließen','Start a new group of tabs at this tab.'=>'Eine neue Gruppe von Tabs in diesem Tab beginnen.','New Tab Group'=>'Neue Tab-Gruppe','Use a stylized checkbox using select2'=>'Ein stylisches Auswahlkästchen mit select2 verwenden','Save Other Choice'=>'Eine andere Auswahlmöglichkeit speichern','Allow Other Choice'=>'Eine andere Auswahlmöglichkeit erlauben','Add Toggle All'=>'„Alles umschalten“ hinzufügen','Save Custom Values'=>'Individuelle Werte speichern','Allow Custom Values'=>'Individuelle Werte zulassen','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Individuelle Werte von Auswahlkästchen dürfen nicht leer sein. Deaktiviere alle leeren Werte.','Updates'=>'Aktualisierungen','Advanced Custom Fields logo'=>'Advanced-Custom-Fields-Logo','Save Changes'=>'Änderungen speichern','Field Group Title'=>'Feldgruppen-Titel','Add title'=>'Titel hinzufügen','New to ACF? Take a look at our getting started guide.'=>'Neu bei ACF? Wirf einen Blick auf die Anleitung zum Starten (engl.).','Add Field Group'=>'Feldgruppe hinzufügen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF verwendet Feldgruppen, um individuelle Felder zu gruppieren und diese dann in Bearbeitungsansichten anzuhängen.','Add Your First Field Group'=>'Deine erste Feldgruppe hinzufügen','Options Pages'=>'Optionen-Seiten','ACF Blocks'=>'ACF-Blöcke','Gallery Field'=>'Galerie-Feld','Flexible Content Field'=>'Feld „Flexibler Inhalt“','Repeater Field'=>'Wiederholungs-Feld','Unlock Extra Features with ACF PRO'=>'Zusatzfunktionen mit ACF PRO freischalten','Delete Field Group'=>'Feldgruppe löschen','Created on %1$s at %2$s'=>'Erstellt am %1$s um %2$s','Group Settings'=>'Gruppeneinstellungen','Location Rules'=>'Regeln für die Position','Choose from over 30 field types. Learn more.'=>'Wähle aus mehr als 30 Feldtypen. Mehr erfahren (engl.).','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Beginne mit der Erstellung neuer individueller Felder für deine Beiträge, Seiten, individuellen Inhaltstypen und sonstigen WordPress-Inhalten.','Add Your First Field'=>'Füge dein erstes Feld hinzu','#'=>'#','Add Field'=>'Feld hinzufügen','Presentation'=>'Präsentation','Validation'=>'Validierung','General'=>'Allgemein','Import JSON'=>'JSON importieren','Export As JSON'=>'Als JSON exportieren','Field group deactivated.'=>'Die Feldgruppe wurde deaktiviert.' . "\0" . '%s Feldgruppen wurden deaktiviert.','Field group activated.'=>'Die Feldgruppe wurde aktiviert.' . "\0" . '%s Feldgruppen wurden aktiviert.','Deactivate'=>'Deaktivieren','Deactivate this item'=>'Dieses Element deaktivieren','Activate'=>'Aktivieren','Activate this item'=>'Dieses Element aktivieren','Move field group to trash?'=>'Soll die Feldgruppe in den Papierkorb verschoben werden?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch deaktiviert.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields und Advanced Custom Fields PRO sollten nicht gleichzeitig aktiviert sein. Advanced Custom Fields wurde automatisch deaktiviert.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Es wurde mindestens ein Versuch festgestellt, ACF-Feldwerte abzurufen, bevor ACF initialisiert wurde. Dies wird nicht unterstützt und kann zu fehlerhaften oder fehlenden Daten führen. Lerne, wie du das beheben kannst (engl.).','%1$s must have a user with the %2$s role.'=>'%1$s muss einen Benutzer mit der %2$s-Rolle haben.' . "\0" . '%1$s muss einen Benutzer mit einer der folgenden rollen haben: %2$s','%1$s must have a valid user ID.'=>'%1$s muss eine gültige Benutzer-ID haben.','Invalid request.'=>'Ungültige Anfrage.','%1$s is not one of %2$s'=>'%1$s ist nicht eins von %2$s','%1$s must have term %2$s.'=>'%1$s muss den Begriff %2$s haben.' . "\0" . '%1$s muss einen der folgenden Begriffe haben: %2$s','%1$s must be of post type %2$s.'=>'%1$s muss vom Inhaltstyp %2$s sein.' . "\0" . '%1$s muss einer der folgenden Inhaltstypen sein: %2$s','%1$s must have a valid post ID.'=>'%1$s muss eine gültige Beitrags-ID haben.','%s requires a valid attachment ID.'=>'%s erfordert eine gültige Anhangs-ID.','Show in REST API'=>'Im REST-API anzeigen','Enable Transparency'=>'Transparenz aktivieren','RGBA Array'=>'RGBA-Array','RGBA String'=>'RGBA-Zeichenfolge','Hex String'=>'Hex-Zeichenfolge','Upgrade to PRO'=>'Upgrade auf PRO','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'‚%s‘ ist keine gültige E-Mail-Adresse','Color value'=>'Farbwert','Select default color'=>'Standardfarbe auswählen','Clear color'=>'Farbe entfernen','Blocks'=>'Blöcke','Options'=>'Optionen','Users'=>'Benutzer','Menu items'=>'Menüelemente','Widgets'=>'Widgets','Attachments'=>'Anhänge','Taxonomies'=>'Taxonomien','Posts'=>'Beiträge','Last updated: %s'=>'Zuletzt aktualisiert: %s','Sorry, this post is unavailable for diff comparison.'=>'Leider steht diese Feldgruppe nicht für einen Diff-Vergleich zur Verfügung.','Invalid field group parameter(s).'=>'Ungültige(r) Feldgruppen-Parameter.','Awaiting save'=>'Ein Speichern wird erwartet','Saved'=>'Gespeichert','Import'=>'Importieren','Review changes'=>'Änderungen überprüfen','Located in: %s'=>'Ist zu finden in: %s','Located in plugin: %s'=>'Liegt im Plugin: %s','Located in theme: %s'=>'Liegt im Theme: %s','Various'=>'Verschiedene','Sync changes'=>'Änderungen synchronisieren','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON-Änderungen überprüfen','Visit website'=>'Website besuchen','View details'=>'Details anzeigen','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help-Desk. Die Support-Experten unseres Help-Desks werden dir bei komplexeren technischen Herausforderungen unterstützend zur Seite stehen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussionen. Wir haben eine aktive und freundliche Community in unseren Community-Foren, die dir vielleicht dabei helfen kann, dich mit den „How-tos“ der ACF-Welt vertraut zu machen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation (engl.). Diese umfassende Dokumentation beinhaltet Referenzen und Leitfäden zu den meisten Situationen, die du vorfinden wirst.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wir legen großen Wert auf Support und möchten, dass du mit ACF das Beste aus deiner Website herausholst. Wenn du auf Schwierigkeiten stößt, gibt es mehrere Stellen, an denen du Hilfe finden kannst:','Help & Support'=>'Hilfe und Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Falls du Hilfe benötigst, nutze bitte den Tab „Hilfe und Support“, um dich mit uns in Verbindung zu setzen.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Bevor du deine erste Feldgruppe erstellst, wird empfohlen, vorab die Anleitung Erste Schritte (engl.) durchzulesen, um dich mit der Philosophie hinter dem Plugin und den besten Praktiken vertraut zu machen.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Das Advanced-Custom-Fields-Plugin bietet einen visuellen Formular-Builder, um WordPress-Bearbeitungsansichten mit weiteren Feldern zu individualisieren und eine intuitive API, um individuelle Feldwerte in beliebigen Theme-Template-Dateien anzuzeigen.','Overview'=>'Übersicht','Location type "%s" is already registered.'=>'Positions-Typ „%s“ ist bereits registriert.','Class "%s" does not exist.'=>'Die Klasse „%s“ existiert nicht.','Invalid nonce.'=>'Der Nonce ist ungültig.','Error loading field.'=>'Fehler beim Laden des Felds.','Error: %s'=>'Fehler: %s','Widget'=>'Widget','User Role'=>'Benutzerrolle','Comment'=>'Kommentar','Post Format'=>'Beitragsformat','Menu Item'=>'Menüelement','Post Status'=>'Beitragsstatus','Menus'=>'Menüs','Menu Locations'=>'Menüpositionen','Menu'=>'Menü','Post Taxonomy'=>'Beitrags-Taxonomie','Child Page (has parent)'=>'Unterseite (hat übergeordnete Seite)','Parent Page (has children)'=>'Übergeordnete Seite (hat Unterseiten)','Top Level Page (no parent)'=>'Seite der ersten Ebene (keine übergeordnete)','Posts Page'=>'Beitrags-Seite','Front Page'=>'Startseite','Page Type'=>'Seitentyp','Viewing back end'=>'Backend anzeigen','Viewing front end'=>'Frontend anzeigen','Logged in'=>'Angemeldet','Current User'=>'Aktueller Benutzer','Page Template'=>'Seiten-Template','Register'=>'Registrieren','Add / Edit'=>'Hinzufügen/bearbeiten','User Form'=>'Benutzerformular','Page Parent'=>'Übergeordnete Seite','Super Admin'=>'Super-Administrator','Current User Role'=>'Aktuelle Benutzerrolle','Default Template'=>'Standard-Template','Post Template'=>'Beitrags-Template','Post Category'=>'Beitragskategorie','All %s formats'=>'Alle %s Formate','Attachment'=>'Anhang','%s value is required'=>'%s Wert ist erforderlich','Show this field if'=>'Dieses Feld anzeigen, falls','Conditional Logic'=>'Bedingte Logik','and'=>'und','Local JSON'=>'Lokales JSON','Clone Field'=>'Feld duplizieren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.','This version contains improvements to your database and requires an upgrade.'=>'Diese Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.','Thank you for updating to %1$s v%2$s!'=>'Danke für die Aktualisierung auf %1$s v%2$s!','Database Upgrade Required'=>'Ein Upgrade der Datenbank ist erforderlich','Options Page'=>'Optionen-Seite','Gallery'=>'Galerie','Flexible Content'=>'Flexibler Inhalt','Repeater'=>'Wiederholung','Back to all tools'=>'Zurück zur Werkzeugübersicht','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)'=>'Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Sortierungs-Nummer)','Select items to hide them from the edit screen.'=>'Die Elemente auswählen, die in der Bearbeitungsansicht verborgen werden sollen.','Hide on screen'=>'In der Ansicht ausblenden','Send Trackbacks'=>'Trackbacks senden','Tags'=>'Schlagwörter','Categories'=>'Kategorien','Page Attributes'=>'Seiten-Attribute','Format'=>'Format','Author'=>'Autor','Slug'=>'Titelform','Revisions'=>'Revisionen','Comments'=>'Kommentare','Discussion'=>'Diskussion','Excerpt'=>'Textauszug','Content Editor'=>'Inhalts-Editor','Permalink'=>'Permalink','Shown in field group list'=>'Wird in der Feldgruppen-Liste angezeigt','Field groups with a lower order will appear first'=>'Die Feldgruppen mit niedrigerer Ordnung werden zuerst angezeigt','Order No.'=>'Sortierungs-Nr.','Below fields'=>'Unterhalb der Felder','Below labels'=>'Unterhalb der Beschriftungen','Instruction Placement'=>'Platzierung der Anweisungen','Label Placement'=>'Platzierung der Beschriftung','Side'=>'Seite','Normal (after content)'=>'Normal (nach Inhalt)','High (after title)'=>'Hoch (nach dem Titel)','Position'=>'Position','Seamless (no metabox)'=>'Übergangslos (keine Metabox)','Standard (WP metabox)'=>'Standard (WP-Metabox)','Style'=>'Stil','Type'=>'Typ','Key'=>'Schlüssel','Order'=>'Reihenfolge','Close Field'=>'Feld schließen','id'=>'ID','class'=>'Klasse','width'=>'Breite','Wrapper Attributes'=>'Wrapper-Attribute','Required'=>'Erforderlich','Instructions'=>'Anweisungen','Field Type'=>'Feldtyp','Single word, no spaces. Underscores and dashes allowed'=>'Einzelnes Wort ohne Leerzeichen. Unterstriche und Bindestriche sind erlaubt','Field Name'=>'Feldname','This is the name which will appear on the EDIT page'=>'Dies ist der Name, der auf der BEARBEITUNGS-Seite erscheinen wird','Field Label'=>'Feldbeschriftung','Delete'=>'Löschen','Delete field'=>'Feld löschen','Move'=>'Verschieben','Move field to another group'=>'Feld in eine andere Gruppe verschieben','Duplicate field'=>'Feld duplizieren','Edit field'=>'Feld bearbeiten','Drag to reorder'=>'Ziehen zum Sortieren','Show this field group if'=>'Diese Feldgruppe anzeigen, falls','No updates available.'=>'Es sind keine Aktualisierungen verfügbar.','Database upgrade complete. See what\'s new'=>'Das Datenbank-Upgrade wurde abgeschlossen. Schau nach was es Neues gibt','Reading upgrade tasks...'=>'Aufgaben für das Upgrade einlesen ...','Upgrade failed.'=>'Das Upgrade ist fehlgeschlagen.','Upgrade complete.'=>'Das Upgrade wurde abgeschlossen.','Upgrading data to version %s'=>'Das Upgrade der Daten auf Version %s wird ausgeführt','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es wird dringend empfohlen, dass du deine Datenbank sicherst, bevor du fortfährst. Bist du sicher, dass du die Aktualisierung jetzt durchführen möchtest?','Please select at least one site to upgrade.'=>'Bitte mindestens eine Website für das Upgrade auswählen.','Database Upgrade complete. Return to network dashboard'=>'Das Upgrade der Datenbank wurde fertiggestellt. Zurück zum Netzwerk-Dashboard','Site is up to date'=>'Die Website ist aktuell','Site requires database upgrade from %1$s to %2$s'=>'Die Website erfordert ein Upgrade der Datenbank von %1$s auf %2$s','Site'=>'Website','Upgrade Sites'=>'Upgrade der Websites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du aktualisieren möchtest und klick dann auf %s.','Add rule group'=>'Eine Regelgruppe hinzufügen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Erstelle einen Satz von Regeln, um festzulegen, in welchen Bearbeitungsansichten diese „advanced custom fields“ genutzt werden','Rules'=>'Regeln','Copied'=>'Kopiert','Copy to clipboard'=>'In die Zwischenablage kopieren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wähle, welche Feldgruppen du exportieren möchtest und wähle dann die Exportmethode. Exportiere als JSON, um eine JSON-Datei zu exportieren, die du im Anschluss in eine andere ACF-Installation importieren kannst. Verwende den „PHP erstellen“-Button, um den resultierenden PHP-Code zu exportieren, den du in dein Theme einfügen kannst.','Select Field Groups'=>'Feldgruppen auswählen','No field groups selected'=>'Es wurden keine Feldgruppen ausgewählt','Generate PHP'=>'PHP erstellen','Export Field Groups'=>'Feldgruppen exportieren','Import file empty'=>'Die importierte Datei ist leer','Incorrect file type'=>'Inkorrekter Dateityp','Error uploading file. Please try again'=>'Fehler beim Upload der Datei. Bitte erneut versuchen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Feldgruppen importieren','Sync'=>'Synchronisieren','Select %s'=>'%s auswählen','Duplicate'=>'Duplizieren','Duplicate this item'=>'Dieses Element duplizieren','Supports'=>'Hilfe','Documentation'=>'Dokumentation','Description'=>'Beschreibung','Sync available'=>'Synchronisierung verfügbar','Field group synchronized.'=>'Die Feldgruppe wurde synchronisiert.' . "\0" . '%s Feldgruppen wurden synchronisiert.','Field group duplicated.'=>'Die Feldgruppe wurde dupliziert.' . "\0" . '%s Feldgruppen wurden dupliziert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiv (%s)','Review sites & upgrade'=>'Websites prüfen und ein Upgrade durchführen','Upgrade Database'=>'Upgrade der Datenbank','Custom Fields'=>'Individuelle Felder','Move Field'=>'Feld verschieben','Please select the destination for this field'=>'Bitte das Ziel für dieses Feld auswählen','The %1$s field can now be found in the %2$s field group'=>'Das %1$s-Feld kann jetzt in der %2$s-Feldgruppe gefunden werden','Move Complete.'=>'Das Verschieben ist abgeschlossen.','Active'=>'Aktiv','Field Keys'=>'Feldschlüssel','Settings'=>'Einstellungen','Location'=>'Position','Null'=>'Null','copy'=>'kopieren','(this field)'=>'(dieses Feld)','Checked'=>'Ausgewählt','Move Custom Field'=>'Individuelles Feld verschieben','No toggle fields available'=>'Es sind keine Felder zum Umschalten verfügbar','Field group title is required'=>'Ein Titel für die Feldgruppe ist erforderlich','This field cannot be moved until its changes have been saved'=>'Dieses Feld kann erst verschoben werden, wenn dessen Änderungen gespeichert wurden','The string "field_" may not be used at the start of a field name'=>'Die Zeichenfolge „field_“ darf nicht am Beginn eines Feldnamens stehen','Field group draft updated.'=>'Der Entwurf der Feldgruppe wurde aktualisiert.','Field group scheduled for.'=>'Feldgruppe geplant für.','Field group submitted.'=>'Die Feldgruppe wurde übertragen.','Field group saved.'=>'Die Feldgruppe wurde gespeichert.','Field group published.'=>'Die Feldgruppe wurde veröffentlicht.','Field group deleted.'=>'Die Feldgruppe wurde gelöscht.','Field group updated.'=>'Die Feldgruppe wurde aktualisiert.','Tools'=>'Werkzeuge','is not equal to'=>'ist ungleich','is equal to'=>'ist gleich','Forms'=>'Formulare','Page'=>'Seite','Post'=>'Beitrag','Relational'=>'Relational','Choice'=>'Auswahl','Basic'=>'Grundlegend','Unknown'=>'Unbekannt','Field type does not exist'=>'Der Feldtyp existiert nicht','Spam Detected'=>'Es wurde Spam entdeckt','Post updated'=>'Der Beitrag wurde aktualisiert','Update'=>'Aktualisieren','Validate Email'=>'E-Mail-Adresse bestätigen','Content'=>'Inhalt','Title'=>'Titel','Edit field group'=>'Feldgruppe bearbeiten','Selection is less than'=>'Die Auswahl ist kleiner als','Selection is greater than'=>'Die Auswahl ist größer als','Value is less than'=>'Der Wert ist kleiner als','Value is greater than'=>'Der Wert ist größer als','Value contains'=>'Der Wert enthält','Value matches pattern'=>'Der Wert entspricht dem Muster','Value is not equal to'=>'Wert ist ungleich','Value is equal to'=>'Der Wert ist gleich','Has no value'=>'Hat keinen Wert','Has any value'=>'Hat einen Wert','Cancel'=>'Abbrechen','Are you sure?'=>'Bist du sicher?','%d fields require attention'=>'%d Felder erfordern Aufmerksamkeit','1 field requires attention'=>'1 Feld erfordert Aufmerksamkeit','Validation failed'=>'Die Überprüfung ist fehlgeschlagen','Validation successful'=>'Die Überprüfung war erfolgreich','Restricted'=>'Eingeschränkt','Collapse Details'=>'Details ausblenden','Expand Details'=>'Details einblenden','Uploaded to this post'=>'Zu diesem Beitrag hochgeladen','verbUpdate'=>'Aktualisieren','verbEdit'=>'Bearbeiten','The changes you made will be lost if you navigate away from this page'=>'Deine Änderungen werden verlorengehen, wenn du diese Seite verlässt','File type must be %s.'=>'Der Dateityp muss %s sein.','or'=>'oder','File size must not exceed %s.'=>'Die Dateigröße darf nicht größer als %s sein.','File size must be at least %s.'=>'Die Dateigröße muss mindestens %s sein.','Image height must not exceed %dpx.'=>'Die Höhe des Bild darf %dpx nicht überschreiten.','Image height must be at least %dpx.'=>'Die Höhe des Bildes muss mindestens %dpx sein.','Image width must not exceed %dpx.'=>'Die Breite des Bildes darf %dpx nicht überschreiten.','Image width must be at least %dpx.'=>'Die Breite des Bildes muss mindestens %dpx sein.','(no title)'=>'(ohne Titel)','Full Size'=>'Volle Größe','Large'=>'Groß','Medium'=>'Mittel','Thumbnail'=>'Vorschaubild','(no label)'=>'(keine Beschriftung)','Sets the textarea height'=>'Legt die Höhe des Textbereichs fest','Rows'=>'Zeilen','Text Area'=>'Textbereich','Prepend an extra checkbox to toggle all choices'=>'Ein zusätzliches Auswahlfeld voranstellen, um alle Optionen auszuwählen','Save \'custom\' values to the field\'s choices'=>'Individuelle Werte in den Auswahlmöglichkeiten des Feldes speichern','Allow \'custom\' values to be added'=>'Das Hinzufügen individueller Werte erlauben','Add new choice'=>'Eine neue Auswahlmöglichkeit hinzufügen','Toggle All'=>'Alle umschalten','Allow Archives URLs'=>'Archiv-URLs erlauben','Archives'=>'Archive','Page Link'=>'Seiten-Link','Add'=>'Hinzufügen','Name'=>'Name','%s added'=>'%s hinzugefügt','%s already exists'=>'%s ist bereits vorhanden','User unable to add new %s'=>'Der Benutzer kann keine neue %s hinzufügen','Term ID'=>'Begriffs-ID','Term Object'=>'Begriffs-Objekt','Load value from posts terms'=>'Den Wert aus den Begriffen des Beitrags laden','Load Terms'=>'Begriffe laden','Connect selected terms to the post'=>'Verbinde die ausgewählten Begriffe mit dem Beitrag','Save Terms'=>'Begriffe speichern','Allow new terms to be created whilst editing'=>'Erlaubt das Erstellen neuer Begriffe während des Bearbeitens','Create Terms'=>'Begriffe erstellen','Radio Buttons'=>'Radiobuttons','Single Value'=>'Einzelner Wert','Multi Select'=>'Mehrfachauswahl','Checkbox'=>'Auswahlkästchen','Multiple Values'=>'Mehrere Werte','Select the appearance of this field'=>'Das Design für dieses Feld auswählen','Appearance'=>'Design','Select the taxonomy to be displayed'=>'Wähle die Taxonomie, welche angezeigt werden soll','No TermsNo %s'=>'Keine %s','Value must be equal to or lower than %d'=>'Der Wert muss kleiner oder gleich %d sein','Value must be equal to or higher than %d'=>'Der Wert muss größer oder gleich %d sein','Value must be a number'=>'Der Wert muss eine Zahl sein','Number'=>'Numerisch','Save \'other\' values to the field\'s choices'=>'Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern','Add \'other\' choice to allow for custom values'=>'Das Hinzufügen der Auswahlmöglichkeit ‚weitere‘ erlaubt individuelle Werte','Other'=>'Weitere','Radio Button'=>'Radiobutton','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiert einen Endpunkt, an dem das vorangegangene Akkordeon endet. Dieses Akkordeon wird nicht sichtbar sein.','Allow this accordion to open without closing others.'=>'Dieses Akkordeon öffnen, ohne die anderen zu schließen.','Multi-Expand'=>'Mehrfach-Erweiterung','Display this accordion as open on page load.'=>'Dieses Akkordeon beim Laden der Seite in geöffnetem Zustand anzeigen.','Open'=>'Geöffnet','Accordion'=>'Akkordeon','Restrict which files can be uploaded'=>'Beschränkt, welche Dateien hochgeladen werden können','File ID'=>'Datei-ID','File URL'=>'Datei-URL','File Array'=>'Datei-Array','Add File'=>'Datei hinzufügen','No file selected'=>'Es wurde keine Datei ausgewählt','File name'=>'Dateiname','Update File'=>'Datei aktualisieren','Edit File'=>'Datei bearbeiten','Select File'=>'Datei auswählen','File'=>'Datei','Password'=>'Passwort','Specify the value returned'=>'Lege den Rückgabewert fest','Use AJAX to lazy load choices?'=>'Soll AJAX genutzt werden, um Auswahlen verzögert zu laden?','Enter each default value on a new line'=>'Jeden Standardwert in einer neuen Zeile eingeben','verbSelect'=>'Auswählen','Select2 JS load_failLoading failed'=>'Das Laden ist fehlgeschlagen','Select2 JS searchingSearching…'=>'Suchen…','Select2 JS load_moreLoading more results…'=>'Mehr Ergebnisse laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kannst nur %d Elemente auswählen','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kannst nur ein Element auswählen','Select2 JS input_too_long_nPlease delete %d characters'=>'Lösche bitte %d Zeichen','Select2 JS input_too_long_1Please delete 1 character'=>'Lösche bitte ein Zeichen','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Gib bitte %d oder mehr Zeichen ein','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Gib bitte ein oder mehr Zeichen ein','Select2 JS matches_0No matches found'=>'Es wurden keine Übereinstimmungen gefunden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und unten zu navigieren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ein Ergebnis ist verfügbar, Eingabetaste drücken, um es auszuwählen.','nounSelect'=>'Auswahl','User ID'=>'Benutzer-ID','User Object'=>'Benutzer-Objekt','User Array'=>'Benutzer-Array','All user roles'=>'Alle Benutzerrollen','Filter by Role'=>'Nach Rolle filtern','User'=>'Benutzer','Separator'=>'Trennzeichen','Select Color'=>'Farbe auswählen','Default'=>'Standard','Clear'=>'Leeren','Color Picker'=>'Farbpicker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Auswählen','Date Time Picker JS closeTextDone'=>'Fertig','Date Time Picker JS currentTextNow'=>'Jetzt','Date Time Picker JS timezoneTextTime Zone'=>'Zeitzone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunde','Date Time Picker JS millisecTextMillisecond'=>'Millisekunde','Date Time Picker JS secondTextSecond'=>'Sekunde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Stunde','Date Time Picker JS timeTextTime'=>'Zeit','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zeit wählen','Date Time Picker'=>'Datums- und Zeitauswahl','Endpoint'=>'Endpunkt','Left aligned'=>'Linksbündig','Top aligned'=>'Oben ausgerichtet','Placement'=>'Platzierung','Tab'=>'Tab','Value must be a valid URL'=>'Der Wert muss eine gültige URL sein','Link URL'=>'Link-URL','Link Array'=>'Link-Array','Opens in a new window/tab'=>'In einem neuen Fenster/Tab öffnen','Select Link'=>'Link auswählen','Link'=>'Link','Email'=>'E-Mail-Adresse','Step Size'=>'Schrittweite','Maximum Value'=>'Maximalwert','Minimum Value'=>'Mindestwert','Range'=>'Bereich','Both (Array)'=>'Beide (Array)','Label'=>'Beschriftung','Value'=>'Wert','Vertical'=>'Vertikal','Horizontal'=>'Horizontal','red : Red'=>'rot : Rot','For more control, you may specify both a value and label like this:'=>'Für mehr Kontrolle kannst du sowohl einen Wert als auch eine Beschriftung wie folgt angeben:','Enter each choice on a new line.'=>'Jede Option in eine neue Zeile eintragen.','Choices'=>'Auswahlmöglichkeiten','Button Group'=>'Button-Gruppe','Allow Null'=>'NULL-Werte zulassen?','Parent'=>'Übergeordnet','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wird erst initialisiert, wenn das Feld geklickt wird','Delay Initialization'=>'Soll die Initialisierung verzögert werden?','Show Media Upload Buttons'=>'Sollen Buttons zum Hochladen von Medien anzeigt werden?','Toolbar'=>'Werkzeugleiste','Text Only'=>'Nur Text','Visual Only'=>'Nur visuell','Visual & Text'=>'Visuell und Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klicken, um TinyMCE zu initialisieren','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuell','Value must not exceed %d characters'=>'Der Wert darf %d Zeichen nicht überschreiten','Leave blank for no limit'=>'Leer lassen, wenn es keine Begrenzung gibt','Character Limit'=>'Zeichenbegrenzung','Appears after the input'=>'Wird nach dem Eingabefeld angezeigt','Append'=>'Anhängen','Appears before the input'=>'Wird dem Eingabefeld vorangestellt','Prepend'=>'Voranstellen','Appears within the input'=>'Wird innerhalb des Eingabefeldes angezeigt','Placeholder Text'=>'Platzhaltertext','Appears when creating a new post'=>'Wird bei der Erstellung eines neuen Beitrags angezeigt','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s erfordert mindestens %2$s Auswahl' . "\0" . '%1$s erfordert mindestens %2$s Auswahlen','Post ID'=>'Beitrags-ID','Post Object'=>'Beitrags-Objekt','Maximum Posts'=>'Höchstzahl an Beiträgen','Minimum Posts'=>'Mindestzahl an Beiträgen','Featured Image'=>'Beitragsbild','Selected elements will be displayed in each result'=>'Die ausgewählten Elemente werden in jedem Ergebnis angezeigt','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Inhaltstyp','Filters'=>'Filter','All taxonomies'=>'Alle Taxonomien','Filter by Taxonomy'=>'Nach Taxonomie filtern','All post types'=>'Alle Inhaltstypen','Filter by Post Type'=>'Nach Inhaltstyp filtern','Search...'=>'Suchen …','Select taxonomy'=>'Taxonomie auswählen','Select post type'=>'Inhaltstyp auswählen','No matches found'=>'Es wurde keine Übereinstimmung gefunden','Loading'=>'Wird geladen','Maximum values reached ( {max} values )'=>'Die maximal möglichen Werte wurden erreicht ({max} Werte)','Relationship'=>'Beziehung','Comma separated list. Leave blank for all types'=>'Eine durch Kommata getrennte Liste. Leer lassen, um alle Typen zu erlauben','Allowed File Types'=>'Erlaubte Dateiformate','Maximum'=>'Maximum','File size'=>'Dateigröße','Restrict which images can be uploaded'=>'Beschränkt, welche Bilder hochgeladen werden können','Minimum'=>'Minimum','Uploaded to post'=>'Wurde zum Beitrag hochgeladen','All'=>'Alle','Limit the media library choice'=>'Beschränkt die Auswahl in der Mediathek','Library'=>'Mediathek','Preview Size'=>'Vorschau-Größe','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-Array','Specify the returned value on front end'=>'Legt den Rückgabewert für das Frontend fest','Return Value'=>'Rückgabewert','Add Image'=>'Bild hinzufügen','No image selected'=>'Es wurde kein Bild ausgewählt','Remove'=>'Entfernen','Edit'=>'Bearbeiten','All images'=>'Alle Bilder','Update Image'=>'Bild aktualisieren','Edit Image'=>'Bild bearbeiten','Select Image'=>'Bild auswählen','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'HTML-Markup als sichtbaren Text anzeigen, anstatt es zu rendern','Escape HTML'=>'HTML maskieren','No Formatting'=>'Keine Formatierung','Automatically add <br>'=>'Automatisches Hinzufügen von <br>','Automatically add paragraphs'=>'Absätze automatisch hinzufügen','Controls how new lines are rendered'=>'Legt fest, wie Zeilenumbrüche gerendert werden','New Lines'=>'Zeilenumbrüche','Week Starts On'=>'Die Woche beginnt am','The format used when saving a value'=>'Das Format für das Speichern eines Wertes','Save Format'=>'Format speichern','Date Picker JS weekHeaderWk'=>'W','Date Picker JS prevTextPrev'=>'Vorheriges','Date Picker JS nextTextNext'=>'Nächstes','Date Picker JS currentTextToday'=>'Heute','Date Picker JS closeTextDone'=>'Fertig','Date Picker'=>'Datumspicker','Width'=>'Breite','Embed Size'=>'Einbettungs-Größe','Enter URL'=>'URL eingeben','oEmbed'=>'oEmbed','Text shown when inactive'=>'Der Text, der im aktiven Zustand angezeigt wird','Off Text'=>'Wenn inaktiv','Text shown when active'=>'Der Text, der im inaktiven Zustand angezeigt wird','On Text'=>'Wenn aktiv','Stylized UI'=>'Gestylte UI','Default Value'=>'Standardwert','Displays text alongside the checkbox'=>'Zeigt den Text neben dem Auswahlkästchen an','Message'=>'Mitteilung','No'=>'Nein','Yes'=>'Ja','True / False'=>'Wahr/falsch','Row'=>'Reihe','Table'=>'Tabelle','Block'=>'Block','Specify the style used to render the selected fields'=>'Lege den Stil für die Darstellung der ausgewählten Felder fest','Layout'=>'Layout','Sub Fields'=>'Untergeordnete Felder','Group'=>'Gruppe','Customize the map height'=>'Kartenhöhe anpassen','Height'=>'Höhe','Set the initial zoom level'=>'Den Anfangswert für Zoom einstellen','Zoom'=>'Zoom','Center the initial map'=>'Ausgangskarte zentrieren','Center'=>'Zentriert','Search for address...'=>'Nach der Adresse suchen ...','Find current location'=>'Aktuelle Position finden','Clear location'=>'Position löschen','Search'=>'Suchen','Sorry, this browser does not support geolocation'=>'Dieser Browser unterstützt leider keine Standortbestimmung','Google Map'=>'Google Maps','The format returned via template functions'=>'Das über Template-Funktionen zurückgegebene Format','Return Format'=>'Rückgabeformat','Custom:'=>'Individuell:','The format displayed when editing a post'=>'Das angezeigte Format beim Bearbeiten eines Beitrags','Display Format'=>'Darstellungsformat','Time Picker'=>'Zeitpicker','Inactive (%s)'=>'Deaktiviert (%s)' . "\0" . 'Deaktiviert (%s)','No Fields found in Trash'=>'Es wurden keine Felder im Papierkorb gefunden','No Fields found'=>'Es wurden keine Felder gefunden','Search Fields'=>'Felder suchen','View Field'=>'Feld anzeigen','New Field'=>'Neues Feld','Edit Field'=>'Feld bearbeiten','Add New Field'=>'Neues Feld hinzufügen','Field'=>'Feld','Fields'=>'Felder','No Field Groups found in Trash'=>'Es wurden keine Feldgruppen im Papierkorb gefunden','No Field Groups found'=>'Es wurden keine Feldgruppen gefunden','Search Field Groups'=>'Feldgruppen durchsuchen','View Field Group'=>'Feldgruppe anzeigen','New Field Group'=>'Neue Feldgruppe','Edit Field Group'=>'Feldgruppe bearbeiten','Add New Field Group'=>'Neue Feldgruppe hinzufügen','Add New'=>'Neu hinzufügen','Field Group'=>'Feldgruppe','Field Groups'=>'Feldgruppen','Customize WordPress with powerful, professional and intuitive fields.'=>'WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Name des Block-Typs wird benötigt.','Block type "%s" is already registered.'=>'Block-Typ „%s“ ist bereits registriert.','Switch to Edit'=>'Zum Bearbeiten wechseln','Switch to Preview'=>'Zur Vorschau wechseln','Change content alignment'=>'Ausrichtung des Inhalts ändern','%s settings'=>'%s Einstellungen','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Optionen aktualisiert','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'Erneut suchen','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'Veröffentlichen','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Keine Feldgruppen für diese Options-Seite gefunden. Eine Feldgruppe erstellen','Error. Could not connect to update server'=>'Fehler. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fehler. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probieren Sie es nochmal oder deaktivieren und reaktivieren Sie ihre ACF PRO-Lizenz.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Wählen Sie ein oder mehrere Felder aus die Sie klonen möchten','Display'=>'Anzeige','Specify the style used to render the clone field'=>'Geben Sie den Stil an mit dem das Klon-Feld angezeigt werden soll','Group (displays selected fields in a group within this field)'=>'Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)','Seamless (replaces this field with selected fields)'=>'Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)','Labels will be displayed as %s'=>'Beschriftungen werden als %s angezeigt','Prefix Field Labels'=>'Präfix für Feldbeschriftungen','Values will be saved as %s'=>'Werte werden als %s gespeichert','Prefix Field Names'=>'Präfix für Feldnamen','Unknown field'=>'Unbekanntes Feld','Unknown field group'=>'Unbekannte Feldgruppe','All fields from %s field group'=>'Alle Felder der Feldgruppe %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Eintrag hinzufügen','layout'=>'Layout' . "\0" . 'Layouts','layouts'=>'Einträge','This field requires at least {min} {label} {identifier}'=>'Dieses Feld erfordert mindestens {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dieses Feld erlaubt höchstens {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} möglich (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} erforderlich (min {min})','Flexible Content requires at least 1 layout'=>'Flexibler Inhalt benötigt mindestens ein Layout','Click the "%s" button below to start creating your layout'=>'Klicke "%s" zum Erstellen des Layouts','Add layout'=>'Layout hinzufügen','Duplicate layout'=>'Layout duplizieren','Remove layout'=>'Layout entfernen','Click to toggle'=>'Zum Auswählen anklicken','Delete Layout'=>'Layout löschen','Duplicate Layout'=>'Layout duplizieren','Add New Layout'=>'Neues Layout hinzufügen','Add Layout'=>'Layout hinzufügen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Mindestzahl an Layouts','Maximum Layouts'=>'Höchstzahl an Layouts','Button Label'=>'Button-Beschriftung','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Bild zur Galerie hinzufügen','Maximum selection reached'=>'Maximale Auswahl erreicht','Length'=>'Länge','Caption'=>'Bildunterschrift','Alt Text'=>'Alt Text','Add to gallery'=>'Zur Galerie hinzufügen','Bulk actions'=>'Massenverarbeitung','Sort by date uploaded'=>'Sortiere nach Upload-Datum','Sort by date modified'=>'Sortiere nach Änderungs-Datum','Sort by title'=>'Sortiere nach Titel','Reverse current order'=>'Aktuelle Sortierung umkehren','Close'=>'Schließen','Minimum Selection'=>'Minimale Auswahl','Maximum Selection'=>'Maximale Auswahl','Allowed file types'=>'Erlaubte Dateiformate','Insert'=>'Einfügen','Specify where new attachments are added'=>'Geben Sie an wo neue Anhänge hinzugefügt werden sollen','Append to the end'=>'Anhängen','Prepend to the beginning'=>'Voranstellen','Minimum rows not reached ({min} rows)'=>'Mindestzahl der Einträge hat ({min} Reihen) erreicht','Maximum rows reached ({max} rows)'=>'Höchstzahl der Einträge hat ({max} Reihen) erreicht','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Mindestzahl der Einträge','Maximum Rows'=>'Höchstzahl der Einträge','Collapsed'=>'Zugeklappt','Select a sub field to show when row is collapsed'=>'Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll','Invalid field key or name.'=>'Ungültige Feldgruppen-ID.','There was an error retrieving the field.'=>'','Click to reorder'=>'Ziehen zum Sortieren','Add row'=>'Eintrag hinzufügen','Duplicate row'=>'Zeile duplizieren','Remove row'=>'Eintrag löschen','Current Page'=>'','First Page'=>'Startseite','Previous Page'=>'Beitrags-Seite','paging%1$s of %2$s'=>'','Next Page'=>'Startseite','Last Page'=>'Beitrags-Seite','No block types exist'=>'Keine Blocktypen vorhanden','No options pages exist'=>'Keine Options-Seiten vorhanden','Deactivate License'=>'Lizenz deaktivieren','Activate License'=>'Lizenz aktivieren','License Information'=>'Lizenzinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Um die Aktualisierungsfähigkeit freizuschalten geben Sie bitte unten Ihren Lizenzschlüssel ein. Falls Sie keinen besitzen sollten informieren Sie sich bitte hier hinsichtlich Preisen und aller weiteren Details.','License Key'=>'Lizenzschlüssel','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'Aktualisierungsinformationen','Current Version'=>'Installierte Version','Latest Version'=>'Aktuellste Version','Update Available'=>'Aktualisierung verfügbar','Upgrade Notice'=>'Hinweis zum Upgrade','Check For Updates'=>'','Enter your license key to unlock updates'=>'Bitte geben Sie oben Ihren Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschalten','Update Plugin'=>'Plugin aktualisieren','Please reactivate your license to unlock updates'=>''],'language'=>'de_DE_formal','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-de_DE_formal.mo b/lang/acf-de_DE_formal.mo
index d2a832b..9c63414 100644
Binary files a/lang/acf-de_DE_formal.mo and b/lang/acf-de_DE_formal.mo differ
diff --git a/lang/acf-de_DE_formal.po b/lang/acf-de_DE_formal.po
index 565b892..13ee8cb 100644
--- a/lang/acf-de_DE_formal.po
+++ b/lang/acf-de_DE_formal.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: de_DE_formal\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Quelle aktualisieren"
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "de.wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2025,21 +2041,21 @@ msgstr "Felder hinzufügen"
msgid "This Field"
msgstr "Dieses Feld"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Hilfe"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "wird entwickelt und gewartet von"
@@ -2630,7 +2646,7 @@ msgstr "Original"
#: includes/ajax/class-acf-ajax-local-json-diff.php:60
msgid "Invalid post ID."
-msgstr "Ungültige Beitrags-ID."
+msgstr "Die Beitrags-ID ist ungültig."
#: includes/ajax/class-acf-ajax-local-json-diff.php:52
msgid "Invalid post type selected for review."
@@ -2786,7 +2802,7 @@ msgstr "Die Taxonomie im Schnell- und Mehrfach-Bearbeitungsbereich anzeigen."
#: includes/admin/views/acf-taxonomy/advanced-settings.php:901
msgid "Quick Edit"
-msgstr "QuickEdit"
+msgstr "Schnellbearbeitung"
#: includes/admin/views/acf-taxonomy/advanced-settings.php:888
msgid "List the taxonomy in the Tag Cloud Widget controls."
@@ -3700,7 +3716,7 @@ msgstr "%s wurde aktualisiert."
#: includes/admin/views/acf-post-type/advanced-settings.php:633
msgid "Post scheduled."
-msgstr "Die Beiträge wurden geplant."
+msgstr "Der Beitrag wurde geplant."
#: includes/admin/views/acf-post-type/advanced-settings.php:632
msgid "In the editor notice after scheduling an item."
@@ -4525,7 +4541,7 @@ msgstr ""
"registriert wurden, und verwalte sie mit ACF. Jetzt starten"
"a>."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4860,7 +4876,7 @@ msgstr "Dieses Element aktivieren"
msgid "Move field group to trash?"
msgstr "Soll die Feldgruppe in den Papierkorb verschoben werden?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4873,7 +4889,7 @@ msgstr "Inaktiv"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4882,7 +4898,7 @@ msgstr ""
"gleichzeitig aktiviert sein. Advanced Custom Fields PRO wurde automatisch "
"deaktiviert."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5336,7 +5352,7 @@ msgstr "Alle %s Formate"
msgid "Attachment"
msgstr "Anhang"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s Wert ist erforderlich"
@@ -5832,7 +5848,7 @@ msgstr "Dieses Element duplizieren"
msgid "Supports"
msgstr "Hilfe"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentation"
@@ -6131,8 +6147,8 @@ msgstr "%d Felder erfordern Aufmerksamkeit"
msgid "1 field requires attention"
msgstr "1 Feld erfordert Aufmerksamkeit"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Die Überprüfung ist fehlgeschlagen"
@@ -7063,7 +7079,7 @@ msgstr "Nach Inhaltstyp filtern"
#: includes/fields/class-acf-field-relationship.php:450
msgid "Search..."
-msgstr "Suche ..."
+msgstr "Suchen …"
#: includes/fields/class-acf-field-relationship.php:380
msgid "Select taxonomy"
@@ -7514,90 +7530,90 @@ msgid "Time Picker"
msgstr "Zeitpicker"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Deaktiviert (%s)"
msgstr[1] "Deaktiviert (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Es wurden keine Felder im Papierkorb gefunden"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Es wurden keine Felder gefunden"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Felder suchen"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Feld anzeigen"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Neues Feld"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Feld bearbeiten"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Neues Feld hinzufügen"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Feld"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Felder"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Es wurden keine Feldgruppen im Papierkorb gefunden"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Es wurden keine Feldgruppen gefunden"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Feldgruppen durchsuchen"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Feldgruppe anzeigen"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Neue Feldgruppe"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Feldgruppe bearbeiten"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Neue Feldgruppe hinzufügen"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Neu hinzufügen"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Feldgruppe"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-el.l10n.php b/lang/acf-el.l10n.php
index 943ca8b..f8d93f8 100644
--- a/lang/acf-el.l10n.php
+++ b/lang/acf-el.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'el','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[η προεπισκόπηση σύντομου κώδικα απενεργοποιήθηκε]','Close Modal'=>'Κλείσιμο αναδυομένου','Field moved to other group'=>'Το πεδίο μετακινήθηκε σε άλλη ομάδα','Close modal'=>'Κλείσιμο αναδυομένου','Start a new group of tabs at this tab.'=>'Ξεκινήστε μια νέα ομάδα από καρτέλες σε αυτή την καρτέλα.','New Tab Group'=>'Νέα Ομάδα Καρτελών','Use a stylized checkbox using select2'=>'Παρουσιάστε τα checkbox στυλιζαρισμένα χρησιμοποιώντας το select2','Save Other Choice'=>'Αποθήκευση Άλλης Επιλογής','Allow Other Choice'=>'Να Επιτρέπονται Άλλες Επιλογές','Add Toggle All'=>'Προσθήκη Εναλλαγής Όλων','Save Custom Values'=>'Αποθήκευση Προσαρμοσμένων Τιμών','Allow Custom Values'=>'Να Επιτρέπονται Προσαρμοσμένες Τιμές','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Οι προσαρμοσμένες τιμές των checkbox δεν επιτρέπεται να είναι κενές. Αποεπιλέξετε τις κενές τιμές.','Updates'=>'Ανανεώσεις','Advanced Custom Fields logo'=>'Λογότυπος Advanced Custom Fields','Save Changes'=>'Αποθήκευση Αλλαγών','Field Group Title'=>'Τίτλος Ομάδας Πεδίων','Add title'=>'Προσθήκη τίτλου','New to ACF? Take a look at our getting started guide.'=>'Είστε καινούριοι στο ACF; Κάνετε μια περιήγηση στον οδηγό εκκίνησης για νέους.','Add Field Group'=>'Προσθήκη Ομάδας Πεδίων','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'To ACF χρησιμοποιεί ομάδες πεδίων για να ομαδοποιήσει προσαρμοσμένα πεδία και να τα παρουσιάσει στις οθόνες επεξεργασίας.','Add Your First Field Group'=>'Προσθέστε την Πρώτη σας Ομάδα Πεδίων','Options Pages'=>'Σελίδες Ρυθμίσεων','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Πεδίο Gallery','Flexible Content Field'=>'Πεδίο Flexible Content','Repeater Field'=>'Πεδίο Repeater','Unlock Extra Features with ACF PRO'=>'Ξεκλειδώστε Επιπλέον Δυνατότητες με το ACF PRO','Delete Field Group'=>'Διαγραφή Ομάδας Πεδίων','Created on %1$s at %2$s'=>'Δημιουργήθηκε την %1$s στις %2$s','Group Settings'=>'Ρυθμίσεις Ομάδας','Location Rules'=>'Κανόνες Τοποθεσίας','Choose from over 30 field types. Learn more.'=>'Επιλέξτε από περισσότερους από 30 τύπους πεδίων. Μάθετε περισσότερα.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ξεκινήστε να δημιουργείτε νέα προσαρμοσμένα πεδία για τα άρθρα, τις σελίδες, τα custom post types και γενικότερα το περιεχόμενο του WordPress.','Add Your First Field'=>'Προσθέστε το Πρώτο σας Πεδίο','#'=>'#','Add Field'=>'Προσθήκη Πεδίου','Presentation'=>'Παρουσίαση','Validation'=>'Επικύρωση','General'=>'Γενικά','Import JSON'=>'Εισαγωγή JSON','Export As JSON'=>'Εξαγωγή ως JSON','Field group deactivated.'=>'Η ομάδα πεδίων έχει απενεργοποιηθεί.' . "\0" . '%s ομάδες πεδίων έχουν απενεργοποιηθεί.','Field group activated.'=>'Η ομάδα πεδίων ενεργοποιήθηκε.' . "\0" . '%s ομάδες πεδίων ενεργοποιήθηκαν.','Deactivate'=>'Απενεργοποίηση','Deactivate this item'=>'Απενεργοποιήστε αυτό το αντικείμενο','Activate'=>'Ενεργοποίηση','Activate this item'=>'Ενεργοποιήστε αυτό το αντικείμενο','Move field group to trash?'=>'Να μεταφερθεί αυτή η ομάδα πεδίων στον κάδο;','post statusInactive'=>'Ανενεργό','WP Engine'=>'WP Engine','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Ανιχνεύθηκαν μία ή περισσότερες κλήσεις για ανάκτηση τιμών πεδίων ACF προτού το ACF αρχικοποιηθεί. Αυτό δεν υποστηρίζεται και μπορεί να καταλήξει σε παραποιημένα ή κενά. Μάθετε πώς να το διορθώσετε.','%1$s must have a user with the %2$s role.'=>'Το %1$s πρέπει να έχει έναν χρήστη με ρόλο %2$s.' . "\0" . 'Το %1$s πρέπει να έχει έναν χρήστη με έναν από τους παρακάτω ρόλους: %2$s.','%1$s must have a valid user ID.'=>'Το %1$s πρέπει να έχει ένα έγκυρο ID χρήστη.','Invalid request.'=>'Μη έγκυρο αίτημα.','%1$s is not one of %2$s'=>'Το %1$s δεν είναι ένα από τα %2$s.','%1$s must have term %2$s.'=>'To %1$s πρέπει να έχει τον όρο %2$s.' . "\0" . 'To %1$s πρέπει να έχει έναν από τους παρακάτω όρους: %2$s.','%1$s must be of post type %2$s.'=>'Το %1$s πρέπει να έχει post type %2$s.' . "\0" . 'Το %1$s πρέπει να έχει ένα από τα παρακάτω post type: %2$s.','%1$s must have a valid post ID.'=>'Το %1$s πρέπει να έχει ένα έγκυρο post ID.','%s requires a valid attachment ID.'=>'Το %s απαιτεί ένα έγκυρο attachment ID.','Show in REST API'=>'Να εμφανίζεται στο REST API','Enable Transparency'=>'Ενεργοποίηση Διαφάνειας','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','post statusActive'=>'Ενεργό','\'%s\' is not a valid email address'=>'Το \'%s\' δεν είναι έγκυρη διεύθυνση email.','Color value'=>'Τιμή χρώματος','Select default color'=>'Επιλέξτε το προεπιλεγμένο χρώμα','Clear color'=>'Εκκαθάριση χρώματος','Blocks'=>'Μπλοκ','Options'=>'Επιλογές','Users'=>'Χρήστες','Menu items'=>'Στοιχεία μενού','Widgets'=>'Μικροεφαρμογές','Attachments'=>'Συνημμένα','Taxonomies'=>'Ταξινομίες','Posts'=>'Άρθρα','Last updated: %s'=>'Τελευταία ενημέρωση: %s','Invalid field group parameter(s).'=>'Μη έγκυρες παράμετροι field group.','Awaiting save'=>'Αναμονή αποθήκευσης','Saved'=>'Αποθηκεύτηκε','Import'=>'Εισαγωγή','Review changes'=>'Ανασκόπηση αλλαγών','Located in: %s'=>'Βρίσκεται στο: %s','Located in plugin: %s'=>'Βρίσκεται στο πρόσθετο: %s','Located in theme: %s'=>'Βρίσκεται στο θέμα: %s','Various'=>'Διάφορα','Sync changes'=>'Συγχρονισμός αλλαγών','Loading diff'=>'Φόρτωση διαφορών','Review local JSON changes'=>'Ανασκόπηση τοπικών αλλαγών στο JSON','Visit website'=>'Επισκεφθείτε τον ιστότοπο','View details'=>'Προβολή λεπτομερειών','Version %s'=>'Έκδοση %s','Information'=>'Πληροφορία','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Υποστήριξη. Οι επαγγελματίες στην Υποστήριξή μας θα σας βοηθήσουν με τις πιο προχωρημένες τεχνικές δυσκολίες σας.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Τεκμηρίωση. Η εκτεταμένη μας τεκμηρίωσή περιέχει αναφορές και οδηγούς για τις περισσότερες από τις περιπτώσεις που τυχόν συναντήσετε. ','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Είμαστε παθιασμένοι σχετικά με την υποστήριξη και θέλουμε να καταφέρετε το καλύτερο μέσα από τον ιστότοπό σας με το ACF. Αν συναντήσετε δυσκολίες, υπάρχουν πολλά σημεία στα οποία μπορείτε να αναζητήσετε βοήθεια:','Help & Support'=>'Βοήθεια & Υποστήριξη','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Χρησιμοποιήστε την καρτέλα Βοήθεια & Υποστήριξη για να επικοινωνήστε μαζί μας στην περίπτωση που χρειαστείτε βοήθεια. ','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Προτού δημιουργήσετε το πρώτο σας Field Group, σας συστήνουμε να διαβάσετε τον οδηγό μας Getting started για να εξοικειωθείτε με τη φιλοσοφία του προσθέτου και τις βέλτιστες πρακτικές του. ','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Το πρόσθετο Advanced Custom Fields παρέχει έναν οπτικό κατασκευαστή φορμών που σας επιτρέπει να προσαρμόζετε τις οθόνες επεξεργασίας του WordPress με νέα πεδία, καθώς και ένα διαισθητικό API για να παρουσιάζετε τις τιμές των custom field σε οποιοδήποτε template file ενός θέματος. ','Overview'=>'Επισκόπηση','Location type "%s" is already registered.'=>'Ο τύπος τοποθεσίας "%s" είναι ήδη καταχωρημένος.','Class "%s" does not exist.'=>'Η κλάση "%s" δεν υπάρχει.','Invalid nonce.'=>'Μη έγκυρο nonce.','Error loading field.'=>'Σφάλμα κατά τη φόρτωση του πεδίου.','Error: %s'=>'Σφάλμα: %s','Widget'=>'Μικροεφαρμογή','User Role'=>'Ρόλος Χρήστη','Comment'=>'Σχόλιο','Post Format'=>'Μορφή Άρθρου','Menu Item'=>'Στοιχείο Μενού','Post Status'=>'Κατάσταση Άρθρου','Menus'=>'Μενού','Menu Locations'=>'Τοποθεσίες Μενού','Menu'=>'Μενού','Post Taxonomy'=>'Ταξινομία Άρθρου','Child Page (has parent)'=>'Υποσελίδα (έχει γονέα)','Parent Page (has children)'=>'Γονική Σελίδα (έχει απογόνους)','Top Level Page (no parent)'=>'Σελίδα Ανωτάτου Επιπέδου (χωρίς γονέα)','Posts Page'=>'Σελίδα Άρθρων','Front Page'=>'Αρχική Σελίδα','Page Type'=>'Τύπος Άρθρου','Viewing back end'=>'Προβολή του back end','Viewing front end'=>'Προβολή του front end','Logged in'=>'Συνδεδεμένος','Current User'=>'Τρέχων Χρήστης','Page Template'=>'Πρότυπο Σελίδας','Register'=>'Εγγραφή','Add / Edit'=>'Προσθήκη / Επεξεργασία','User Form'=>'Φόρμα Χρήστη','Page Parent'=>'Γονέας Σελίδας','Super Admin'=>'Υπερδιαχειριστής','Current User Role'=>'Ρόλος Τρέχοντος Χρήστη','Default Template'=>'Προεπιλεγμένο Πρότυπο','Post Template'=>'Πρότυπο Άρθρου','Post Category'=>'Κατηγορία Άρθρου','All %s formats'=>'Όλες οι %s μορφές','Attachment'=>'Συνημμένο','%s value is required'=>'Η τιμή του %s είναι υποχρεωτική','Show this field if'=>'Εμφάνιση αυτού του πεδίου αν','Conditional Logic'=>'Λογική Υπό Συνθήκες','and'=>'και','Local JSON'=>'Τοπικό JSON','Clone Field'=>'Πεδίο Κλώνου','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Επιβεβαιώστε επίσης ότι όλα τα επί πληρωμή πρόσθετα (%s) είναι ενημερωμένα στην τελευταία τους έκδοση.','This version contains improvements to your database and requires an upgrade.'=>'Αυτή η έκδοση περιέχει βελτιώσεις στη βάση δεδομένων σας κι απαιτεί μια αναβάθμιση.','Thank you for updating to %1$s v%2$s!'=>'Ευχαριστούμε που αναβαθμίσατε στο %1$s v%2$s!','Database Upgrade Required'=>'Απαιτείται Αναβάθμιση Βάσης Δεδομένων','Options Page'=>'Σελίδα Επιλογών','Gallery'=>'Συλλογή','Flexible Content'=>'Ευέλικτο Περιεχόμενο','Repeater'=>'Επαναλήπτης','Back to all tools'=>'Πίσω σε όλα τα εργαλεία','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)'=>'Αν περισσότερα από ένα field group εμφανίζονται στην οθόνη επεξεργασίας, τότε θα χρησιμοποιηθούν οι ρυθμίσεις του πρώτου (αυτού με το χαμηλότερον αριθμό σειράς)','Select items to hide them from the edit screen.'=>'Επιλέξτε στοιχεία για να τα αποκρύψετε από την οθόνη τροποποίησης.','Hide on screen'=>'Απόκρυψη σε οθόνη','Send Trackbacks'=>'Αποστολή Παραπομπών','Tags'=>'Ετικέτες','Categories'=>'Κατηγορίες','Page Attributes'=>'Χαρακτηριστικά Σελίδας','Format'=>'Μορφή','Author'=>'Συντάκτης','Slug'=>'Σύντομο όνομα','Revisions'=>'Αναθεωρήσεις','Comments'=>'Σχόλια','Discussion'=>'Συζήτηση','Excerpt'=>'Απόσπασμα','Content Editor'=>'Επεξεργαστής Περιεχομένου','Permalink'=>'Μόνιμος σύνδεσμος','Shown in field group list'=>'Εμφανίζεται στη λίστα ομάδας πεδίων','Field groups with a lower order will appear first'=>'Ομάδες πεδίων με χαμηλότερη σειρά θα εμφανιστούν πρώτες','Order No.'=>'Αρ. Παραγγελίας','Below fields'=>'Παρακάτω πεδία','Below labels'=>'Παρακάτω ετικέτες','Side'=>'Πλάι','Normal (after content)'=>'Κανονικό (μετά το περιεχόμενο)','High (after title)'=>'Ψηλά (μετά τον τίτλο)','Position'=>'Τοποθεσία','Seamless (no metabox)'=>'Ενοποιημένη (χωρίς metabox)','Standard (WP metabox)'=>'Κλασική (με WP metabox)','Style'=>'Στυλ','Type'=>'Τύπος','Key'=>'Κλειδί','Order'=>'Σειρά','Close Field'=>'Κλείσιμο Πεδίου','id'=>'id','class'=>'κλάση','width'=>'πλάτος','Wrapper Attributes'=>'Ιδιότητες Πλαισίου','Required'=>'Απαιτείται','Instructions'=>'Οδηγίες','Field Type'=>'Τύπος Πεδίου','Single word, no spaces. Underscores and dashes allowed'=>'Μια λέξη, χωρίς κενά. Επιτρέπονται κάτω παύλες και παύλες','Field Name'=>'Όνομα Πεδίου','This is the name which will appear on the EDIT page'=>'Αυτό είναι το όνομα που θα εμφανιστεί στην σελίδα ΤΡΟΠΟΠΟΙΗΣΗΣ.','Field Label'=>'Επιγραφή Πεδίου','Delete'=>'Διαγραφή','Delete field'=>'Διαγραφή πεδίου','Move'=>'Μετακίνηση','Move field to another group'=>'Μετακίνηση του πεδίου σε άλλο group','Duplicate field'=>'Δημιουργία αντιγράφου του πεδίου','Edit field'=>'Τροποποίηση πεδίου','Drag to reorder'=>'Σύρετε για αναδιάταξη','Show this field group if'=>'Εμφάνιση αυτής της ομάδας πεδίου αν','No updates available.'=>'Δεν υπάρχουν διαθέσιμες ενημερώσεις.','Database upgrade complete. See what\'s new'=>'Η αναβάθμιση της βάσης δεδομένων ολοκληρώθηκε. Δείτε τι νέο υπάρχει','Reading upgrade tasks...'=>'Πραγματοποιείται ανάγνωση εργασιών αναβάθμισης...','Upgrade failed.'=>'Η αναβάθμιση απέτυχε.','Upgrade complete.'=>'Η αναβάθμιση ολοκληρώθηκε.','Upgrading data to version %s'=>'Πραγματοποιείται αναβάθμιση δεδομένων στην έκδοση %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Συνιστάται ιδιαίτερα να πάρετε αντίγραφο ασφαλείας της βάσης δεδομένων σας προτού να συνεχίσετε. Είστε βέβαιοι ότι θέλετε να εκτελέσετε την ενημέρωση τώρα;','Please select at least one site to upgrade.'=>'Παρακαλούμε επιλέξτε τουλάχιστον έναν ιστότοπο για αναβάθμιση.','Database Upgrade complete. Return to network dashboard'=>'Η Αναβάθμιση της Βάσης Δεδομένων ολοκληρώθηκε. Επιστροφή στον πίνακα ελέγχου του δικτύου','Site is up to date'=>'Ο ιστότοπος είναι ενημερωμένος','Site requires database upgrade from %1$s to %2$s'=>'Ο ιστότοπος απαιτεί αναβάθμιση της βάσης δεδομένων από %1$s σε%2$s','Site'=>'Ιστότοπος','Upgrade Sites'=>'Αναβάθμιση Ιστοτόπων','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Οι παρακάτω ιστότοποι απαιτούν αναβάθμιση της Βάσης Δεδομένων. Επιλέξτε αυτούς που θέλετε να ενημερώσετε και πατήστε το %s.','Add rule group'=>'Προσθήκη ομάδας κανόνων','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Δημιουργήστε μια ομάδα κανόνων που θα καθορίζουν ποιες επεξεργασίας θα χρησιμοποιούν αυτά τα πεδία','Rules'=>'Κανόνες','Copied'=>'Αντιγράφηκε','Copy to clipboard'=>'Αντιγραφή στο πρόχειρο','Select Field Groups'=>'Επιλογή ομάδων πεδίων','No field groups selected'=>'Δεν επιλέχθηκε καμία ομάδα πεδίων','Generate PHP'=>'Δημιουργία PHP','Export Field Groups'=>'Εξαγωγή Ομάδων Πεδίων','Import file empty'=>'Εισαγωγή κενού αρχείου','Incorrect file type'=>'Εσφαλμένος τύπος αρχείου','Error uploading file. Please try again'=>'Σφάλμα μεταφόρτωσης αρχείου. Παρακαλούμε δοκιμάστε πάλι','Import Field Groups'=>'Εισαγωγή Ομάδων Πεδίων','Sync'=>'Συγχρονισμός','Select %s'=>'Επιλογή %s','Duplicate'=>'Δημιουργία αντιγράφου','Duplicate this item'=>'Δημιουργία αντιγράφου αυτού του στοιχείου','Documentation'=>'Τεκμηρίωση','Description'=>'Περιγραφή','Sync available'=>'Διαθέσιμος συγχρονισμός','Field group duplicated.'=>'Δημιουργήθηκε αντίγραφο της ομάδας πεδίων.' . "\0" . 'Δημιουργήθηκαν αντίγραφα %s ομάδων πεδίων.','Active (%s)'=>'Ενεργό (%s)' . "\0" . 'Ενεργά (%s)','Review sites & upgrade'=>'Ανασκόπηση ιστοτόπων & αναβάθμιση','Upgrade Database'=>'Αναβάθμιση Βάσης Δεδομένων','Custom Fields'=>'Custom Fields','Move Field'=>'Μετακίνηση Πεδίου','Please select the destination for this field'=>'Παρακαλούμε επιλέξτε τον προορισμό γι\' αυτό το πεδίο','The %1$s field can now be found in the %2$s field group'=>'Το πεδίο %1$s μπορεί πλέον να βρεθεί στην ομάδα πεδίων %2$s','Move Complete.'=>'Η Μετακίνηση Ολοκληρώθηκε.','Active'=>'Ενεργό','Field Keys'=>'Field Keys','Settings'=>'Ρυθμίσεις','Location'=>'Τοποθεσία','Null'=>'Null','copy'=>'αντιγραφή','(this field)'=>'(αυτό το πεδίο)','Checked'=>'Επιλεγμένο','Move Custom Field'=>'Μετακίνηση Προσαρμοσμένου Πεδίου','No toggle fields available'=>'Δεν υπάρχουν διαθέσιμα πεδία εναλλαγής','Field group title is required'=>'Ο τίτλος του field group είναι απαραίτητος','This field cannot be moved until its changes have been saved'=>'Αυτό το πεδίο δεν μπορεί να μετακινηθεί μέχρι να αποθηκευτούν οι αλλαγές του','The string "field_" may not be used at the start of a field name'=>'Το αλφαριθμητικό "field_" δεν μπορεί να χρησιμοποιηθεί στην αρχή ενός ονόματος πεδίου','Field group draft updated.'=>'Το πρόχειρο field group ενημερώθηκε','Field group scheduled for.'=>'Το field group προγραμματίστηκε.','Field group submitted.'=>'Το field group καταχωρήθηκε.','Field group saved.'=>'Το field group αποθηκεύτηκε. ','Field group published.'=>'Το field group δημοσιεύθηκε.','Field group deleted.'=>'Το field group διαγράφηκε.','Field group updated.'=>'Το field group ενημερώθηκε.','Tools'=>'Εργαλεία','is not equal to'=>'δεν είναι ίσο με','is equal to'=>'είναι ίσο με','Forms'=>'Φόρμες','Page'=>'Σελίδα','Post'=>'Άρθρο','Relational'=>'Υπό Συνθήκες','Choice'=>'Επιλογή','Basic'=>'Βασικό','Unknown'=>'Άγνωστο','Field type does not exist'=>'Ο τύπος πεδίου δεν υπάρχει','Spam Detected'=>'Άνιχνεύθηκε Spam','Post updated'=>'Το άρθρο ενημερώθηκε','Update'=>'Ενημέρωση','Validate Email'=>'Επιβεβαίωση Ηλεκτρονικού Ταχυδρομείου','Content'=>'Περιεχόμενο','Title'=>'Τίτλος','Edit field group'=>'Επεξεργασία field group','Selection is less than'=>'Η επιλογή να είναι μικρότερη από','Selection is greater than'=>'Η επιλογή να είναι μεγαλύτερη από','Value is less than'=>'Η τιμή να είναι μικρότερη από','Value is greater than'=>'Η τιμή να είναι μεγαλύτερη από','Value contains'=>'Η τιμη να περιέχει','Value matches pattern'=>'Η τιμή να ικανοποιεί το μοτίβο','Value is not equal to'=>'Η τιμή να μην είναι ίση με','Value is equal to'=>'Η τιμή να είναι ίση με','Has no value'=>'Να μην έχει καμία τιμή','Has any value'=>'Να έχει οποιαδήποτε τιμή','Cancel'=>'Ακύρωση','Are you sure?'=>'Είστε σίγουροι;','%d fields require attention'=>'%d πεδία χρήζουν προσοχής','1 field requires attention'=>'1 πεδίο χρήζει προσοχής','Validation failed'=>'Ο έλεγχος απέτυχε','Validation successful'=>'Ο έλεγχος πέτυχε','Restricted'=>'Περιορισμένος','Collapse Details'=>'Σύμπτυξη Λεπτομερειών','Expand Details'=>'Ανάπτυξη Λεπτομερειών','Uploaded to this post'=>'Να έχουν μεταφορτωθεί σε αυτή την ανάρτηση','verbUpdate'=>'Ενημέρωση','verbEdit'=>'Επεξεργασία','The changes you made will be lost if you navigate away from this page'=>'Οι αλλαγές που έχετε κάνει θα χαθούν αν φύγετε από αυτή τη σελίδα.','File type must be %s.'=>'Ο τύπος του πεδίου πρέπει να είναι %s.','or'=>'ή','File size must not exceed %s.'=>'Το μέγεθος του αρχείου πρέπει να το πολύ %s.','File size must be at least %s.'=>'Το μέγεθος το αρχείου πρέπει να είναι τουλάχιστον %s.','Image height must not exceed %dpx.'=>'Το ύψος της εικόνας πρέπει να είναι το πολύ %dpx.','Image height must be at least %dpx.'=>'Το ύψος της εικόνας πρέπει να είναι τουλάχιστον %dpx.','Image width must not exceed %dpx.'=>'Το πλάτος της εικόνας πρέπει να είναι το πολύ %dpx.','Image width must be at least %dpx.'=>'Το πλάτος της εικόνας πρέπει να είναι τουλάχιστον %dpx.','(no title)'=>'(χωρίς τίτλο)','Full Size'=>'Πλήρες μέγεθος','Large'=>'Μεγάλο','Medium'=>'Μεσαίο','Thumbnail'=>'Μικρογραφία','(no label)'=>'(χωρίς ετικέτα)','Sets the textarea height'=>'Θέτει το ύψος του πεδίου κειμένου','Rows'=>'Γραμμές','Text Area'=>'Πεδίο κειμένου πολλών γραμμών','Prepend an extra checkbox to toggle all choices'=>'Εμφάνιση επιπλέον πεδίου checkbox που εναλλάσσει όλες τις επιλογές','Save \'custom\' values to the field\'s choices'=>'Αποθήκευση των \'custom\' τιμών στις επιλογές του πεδίου','Allow \'custom\' values to be added'=>'Να επιτρέπεται η προσθήκη \'custom\' τιμών','Add new choice'=>'Προσθήκη νέας τιμής','Toggle All'=>'Εναλλαγή Όλων','Allow Archives URLs'=>'Να Επιτρέπονται τα URL των Archive','Archives'=>'Archive','Page Link'=>'Σύνδεσμος Σελίδας','Add'=>'Προσθήκη','Name'=>'Όνομα','%s added'=>'%s προστέθηκε','%s already exists'=>'%s υπάρχει ήδη','User unable to add new %s'=>'Ο Χρήστης δεν ήταν δυνατό να προσθέσει νέο %s','Term ID'=>'ID όρου','Term Object'=>'Object όρου','Load value from posts terms'=>'Φόρτωση τιμής από τους όρους της ανάρτησης','Load Terms'=>'Φόρτωση Όρων','Connect selected terms to the post'=>'Σύνδεση επιλεγμένων όρων στο άρθρο','Save Terms'=>'Αποθήκευση Όρων','Allow new terms to be created whilst editing'=>'Να επιτρέπεται η δημιουργία νέων όρων κατά την επεξεργασία','Create Terms'=>'Δημιουργία Όρων','Radio Buttons'=>'Radio Button','Single Value'=>'Μοναδική Τιμή','Multi Select'=>'Πολλαπλή Επιλογή','Checkbox'=>'Checkbox','Multiple Values'=>'Πολλαπλές Τιμές','Select the appearance of this field'=>'Επιλέξτε την εμφάνιση αυτού του πεδίου','Appearance'=>'Εμφάνιση','Select the taxonomy to be displayed'=>'Επιλέξτε την ταξινομία οπυ θέλετε να εμφανιστεί','No TermsNo %s'=>'Κανένα %s','Value must be equal to or lower than %d'=>'Η τιμή πρέπι να είναι ίση ή μικρότερη από %d','Value must be equal to or higher than %d'=>'Η τιμή πρέπει να είναι ίση ή μεγαλύτερη από %d','Value must be a number'=>'Η τιμή πρέπει να είναι αριθμός','Number'=>'Αριθμός','Save \'other\' values to the field\'s choices'=>'Αποθήκευση των "άλλων" τιμών στις επιλογές του πεδίου','Add \'other\' choice to allow for custom values'=>'Προσθήκη επιλογής "άλλο" ώστε να επιτρέπονται προσαρμοσμένες τιμές','Other'=>'Άλλο','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Προσδιορίστε ένα σημείο άκρου στο οποίο το προηγούμενο accordion κλείνει. Αυτό δε θα είναι κάτι ορατό.','Allow this accordion to open without closing others.'=>'Επιτρέψτε σε αυτό το accordion να ανοίγει χωρίς να κλείνουν τα άλλα.','Display this accordion as open on page load.'=>'Αυτό το accordion να είναι ανοιχτό κατά τη φόρτωση της σελίδας.','Open'=>'Άνοιγμα','Accordion'=>'Ακορντεόν','Restrict which files can be uploaded'=>'Περιορίστε τα είδη των αρχείων που επιτρέπονται για μεταφόρτωση','File ID'=>'ID Αρχείου','File URL'=>'URL Αρχείου','File Array'=>'Array Αρχείων','Add File'=>'Προσθήκη Αρχείου','No file selected'=>'Δεν επιλέχθηκε αρχείο','File name'=>'Όνομα αρχείου','Update File'=>'Ενημέρωση Αρχείου','Edit File'=>'Επεξεργασία Αρχείου','Select File'=>'Επιλογή Αρχείου','File'=>'Αρχείο','Password'=>'Συνθηματικό','Specify the value returned'=>'Προσδιορίστε την επιστρεφόμενη τιμή','Use AJAX to lazy load choices?'=>'Χρήση AJAX για τη φόρτωση των τιμών με καθυστέρηση;','Enter each default value on a new line'=>'Εισαγάγετε την κάθε προεπιλεγμένη τιμή σε μια νέα γραμμή','verbSelect'=>'Επιλέξτε','Select2 JS load_failLoading failed'=>'Η φόρτωση απέτυχε','Select2 JS searchingSearching…'=>'Αναζήτηση…','Select2 JS load_moreLoading more results…'=>'Φόρτωση περισσότερων αποτελεσμάτων…','Select2 JS selection_too_long_nYou can only select %d items'=>'Μπορείτε να επιλέξετε μόνο %d αντικείμενα','Select2 JS selection_too_long_1You can only select 1 item'=>'Μπορείτε να επιλέξετε μόνο 1 αντικείμενο','Select2 JS input_too_long_nPlease delete %d characters'=>'Παρακαλούμε διαγράψτε %d χαρακτήρες','Select2 JS input_too_long_1Please delete 1 character'=>'Παρακαλούμε διαγράψτε 1 χαρακτήρα','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Παρακαλούμε εισαγάγετε %d ή περισσότερους χαρακτήρες','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Παρακαλούμε εισαγάγετε 1 ή περισσότερους χαρακτήρες','Select2 JS matches_0No matches found'=>'Δε βρέθηκαν αποτελέσματα που να ταιριάζουν','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Υπάρχουν %d αποτελέσματα διαθέσιμα, χρησιμοποιήσετε τα πλήκτρα πάνω και κάτω για να μεταβείτε σε αυτά.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ένα αποτέλεσμα είναι διαθέσιμο, πατήστε enter για να το επιλέξετε.','nounSelect'=>'Επιλογή','User ID'=>'ID Χρήστη','User Object'=>'Object Χρήστη','User Array'=>'Array Χρήστη','All user roles'=>'Όλοι οι ρόλοι χρηστών','User'=>'Χρήστης','Separator'=>'Διαχωριστικό','Select Color'=>'Επιλογή Χρώματος','Default'=>'Προεπιλογή','Clear'=>'Καθαρισμός','Color Picker'=>'Επιλογέας Χρωμάτων','Date Time Picker JS pmTextShortP'=>'ΜΜ','Date Time Picker JS pmTextPM'=>'ΜΜ','Date Time Picker JS amTextShortA'=>'ΠΜ','Date Time Picker JS amTextAM'=>'ΠΜ','Date Time Picker JS selectTextSelect'=>'Επιλογή','Date Time Picker JS closeTextDone'=>'Ολοκληρώθηκε','Date Time Picker JS currentTextNow'=>'Τώρα','Date Time Picker JS timezoneTextTime Zone'=>'Ζώνη Ώρας','Date Time Picker JS microsecTextMicrosecond'=>'Μικροδευτερόλεπτο','Date Time Picker JS millisecTextMillisecond'=>'Χιλιοστό του δευτερολέπτου','Date Time Picker JS secondTextSecond'=>'Δευτερόλεπτο','Date Time Picker JS minuteTextMinute'=>'Λεπτό','Date Time Picker JS hourTextHour'=>'Ώρα','Date Time Picker JS timeTextTime'=>'Ώρα','Date Time Picker JS timeOnlyTitleChoose Time'=>'Επιλέξτε Ώρα','Date Time Picker'=>'Επιλογέας Ημερομηνίας και Ώρας','Endpoint'=>'Endpoint','Left aligned'=>'Αριστερή στοίχιση','Top aligned'=>'Στοίχιση στην κορυφή','Placement'=>'Τοποθέτηση','Tab'=>'Καρτέλα','Value must be a valid URL'=>'Η τιμή πρέπει να είναι ένα έγκυρο URL ','Link URL'=>'Σύνδεσμος URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Ανοίγει σε νέο παράθυρο/καρτέλα','Select Link'=>'Επιλογή Συνδέσμου','Link'=>'Σύνδεσμος','Email'=>'Email','Step Size'=>'Μέγεθος Βήματος','Maximum Value'=>'Μέγιστη Τιμή','Minimum Value'=>'Ελάχιστη Τιμή','Range'=>'Εύρος','Both (Array)'=>'Και τα δύο (Array)','Label'=>'Ετικέτα','Value'=>'Τιμή','Vertical'=>'Κατακόρυφα','Horizontal'=>'Οριζόντια','red : Red'=>'κόκκινο : Κόκκινο','For more control, you may specify both a value and label like this:'=>'Για μεγαλύτερο έλεγχο μπορείτε να δηλώσετε μια τιμή και μια ετικέτα ως εξής:','Enter each choice on a new line.'=>'Προσθέστε κάθε επιλογή σε μια νέα γραμμή.','Choices'=>'Επιλογές','Button Group'=>'Ομάδα Κουμπιών','Parent'=>'Γονέας','TinyMCE will not be initialized until field is clicked'=>'Ο TinyMCE δε θα αρχικοποιηθεί έως ότου ο χρήστης κλικάρει το πεδίο','Toolbar'=>'Γραμμή εργαλείων','Text Only'=>'Μόνο Κείμενο','Visual Only'=>'Μόνο Οπτικός','Visual & Text'=>'Οπτικός & Κείμενο','Tabs'=>'Καρτέλες','Click to initialize TinyMCE'=>'Κάνετε κλικ για να αρχικοποιηθεί ο TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Κείμενο','Visual'=>'Οπτικός','Value must not exceed %d characters'=>'Η τιμή πρέπει να μην ξεπερνά τους %d χαρακτήρες','Leave blank for no limit'=>'Αφήστε κενό για να μην υπάρχει όριο','Character Limit'=>'Όριο Χαρακτήρων','Appears after the input'=>'Εμφανίζεται μετά το πεδίο εισαγωγής','Append'=>'Προσάρτηση στο τέλος','Appears before the input'=>'Εμφανίζεται πριν το πεδίο εισαγωγής','Prepend'=>'Προσάρτηση στην αρχή','Appears within the input'=>'Εμφανίζεται εντός του πεδίου εισαγωγής','Placeholder Text'=>'Υποκατάστατο Κείμενο','Appears when creating a new post'=>'Εμφανίζεται κατά τη δημιουργία νέου post','Text'=>'Κείμενο','%1$s requires at least %2$s selection'=>'Το %1$s απαιτεί τουλάχιστον %2$s επιλογή' . "\0" . 'Το %1$s απαιτεί τουλάχιστον %2$s επιλογές','Post ID'=>'Post ID','Post Object'=>'Post Object','Featured Image'=>'Επιλεγμένη Εικόνα','Selected elements will be displayed in each result'=>'Τα επιλεγμένα αντικείμενα θα εμφανίζονται σε κάθε αποτέλεσμα','Elements'=>'Αντικείμενα','Taxonomy'=>'Ταξινομία','Post Type'=>'Τύπος Άρθρου','Filters'=>'Φίλτρα','All taxonomies'=>'Όλες οι Ταξινομίες','Filter by Taxonomy'=>'Φιλτράρισμα κατά Ταξινομία','All post types'=>'Όλοι οι τύποι άρθρων','Filter by Post Type'=>'Φιλτράρισμα κατά Τύπο Άρθρου','Search...'=>'Αναζήτηση...','Select taxonomy'=>'Επιλογή ταξινομίας','Select post type'=>'Επιλογή τύπου άρθρου','No matches found'=>'Δεν βρέθηκαν αντιστοιχίες','Loading'=>'Φόρτωση','Maximum values reached ( {max} values )'=>'Αγγίξατε το μέγιστο πλήθος τιμών ( {max} τιμές )','Relationship'=>'Σχέση','Comma separated list. Leave blank for all types'=>'Λίστα διαχωρισμένη με κόμμα. Αφήστε κενό για όλους τους τύπους','Maximum'=>'Μέγιστο','File size'=>'Μέγεθος αρχείου','Restrict which images can be uploaded'=>'Περιορίστε ποιες εικόνες μπορούν να μεταφορτωθούν','Minimum'=>'Ελάχιστο','Uploaded to post'=>'Μεταφορτώθηκε στο άρθρο','All'=>'Όλα','Limit the media library choice'=>'Περιορισμός της επιλογής βιβλιοθήκης πολυμέσων','Library'=>'Βιβλιοθήκη','Preview Size'=>'Μέγεθος Προεπισκόπησης','Image ID'=>'Image ID','Image URL'=>'URL Εικόνας','Image Array'=>'Image Array','Specify the returned value on front end'=>'Προσδιορίστε την επιστρεφόμενη τιμή παρουσίασης','Return Value'=>'Επιστρεφόμενη Τιμή','Add Image'=>'Προσθήκη Εικόνας','No image selected'=>'Δεν επιλέχθηκε εικόνα','Remove'=>'Αφαίρεση','Edit'=>'Επεξεργασία','All images'=>'Όλες οι εικόνες','Update Image'=>'Ενημέρωση Εικόνας','Edit Image'=>'Επεξεργασία Εικόνας','Select Image'=>'Επιλογή Εικόνας','Image'=>'Εικόνα','Allow HTML markup to display as visible text instead of rendering'=>'Να επιτρέπεται η HTML markup να παρουσιαστεί ως ορατό κείμενο αντί να αποδοθεί','Escape HTML'=>'Escape HTML','No Formatting'=>'Χωρίς Μορφοποίηση','Automatically add <br>'=>'Αυτόματη προσθήκη <br>','Automatically add paragraphs'=>'Αυτόματη προσθήκη παραγράφων','Controls how new lines are rendered'=>'Ελέγχει πώς αποδίδονται οι αλλαγές γραμμής','New Lines'=>'Αλλαγές Γραμμής','Week Starts On'=>'Η Εβδομάδα Αρχίζει Την','The format used when saving a value'=>'Η μορφή που χρησιμοποιείται στην αποθήκευση μιας τιμής','Save Format'=>'Μορφή Αποθήκευσης','Date Picker JS weekHeaderWk'=>'ΣΚ','Date Picker JS prevTextPrev'=>'Προηγούμενο','Date Picker JS nextTextNext'=>'Επόμενο','Date Picker JS currentTextToday'=>'Σήμερα','Date Picker JS closeTextDone'=>'Ολοκλήρωση','Date Picker'=>'Επιλογέας Ημερομηνίας','Width'=>'Πλάτος','Embed Size'=>'Διαστάσεις Embed','Enter URL'=>'Εισάγετε URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Κείμενο που εμφανίζεται όταν είναι ανενεργό','Off Text'=>'Ανενεργό Κείμενο','Text shown when active'=>'Κείμενο που εμφανίζεται όταν είναι ενεργό','On Text'=>'Ενεργό Κείμενο','Stylized UI'=>'Στυλιζαρισμένο','Default Value'=>'Προεπιλεγμένη Τιμή','Displays text alongside the checkbox'=>'Εμφανίζει κείμενο δίπλα στο πεδίο επιλογής','Message'=>'Μήνυμα','No'=>'Όχι','Yes'=>'Ναι','True / False'=>'True / False','Row'=>'Γραμμή','Table'=>'Πίνακας','Block'=>'Μπλοκ','Specify the style used to render the selected fields'=>'Επιλογή του στυλ που θα χρησιμοποιηθεί για την εμφάνιση των επιλεγμένων πεδίων','Layout'=>'Διάταξη','Sub Fields'=>'Υποπεδία','Group'=>'Ομάδα','Customize the map height'=>'Τροποποίηση ύψους χάρτη','Height'=>'Ύψος','Set the initial zoom level'=>'Ορισμός αρχικού επιπέδου μεγέθυνσης','Zoom'=>'Μεγέθυνση','Center the initial map'=>'Κεντράρισμα αρχικού χάρτη','Center'=>'Κεντράρισμα','Search for address...'=>'Αναζήτηση διεύθυνσης...','Find current location'=>'Εύρεση τρέχουσας τοποθεσίας','Clear location'=>'Καθαρισμός τοποθεσίας','Search'=>'Αναζήτηση','Sorry, this browser does not support geolocation'=>'Λυπούμαστε, αυτός ο περιηγητής δεν υποστηρίζει λειτουργία γεωεντοπισμού','Google Map'=>'Χάρτης Google','The format returned via template functions'=>'Ο τύπος που επιστρέφεται μέσω των template functions','Return Format'=>'Επιστρεφόμενος Τύπος','Custom:'=>'Προσαρμοσμένο:','The format displayed when editing a post'=>'Ο τύπος που εμφανίζεται κατά την επεξεργασία ενός post','Display Format'=>'Μορφή Εμφάνισης','Time Picker'=>'Επιλογέας Ώρας','Inactive (%s)'=>'Ανενεργό (%s)' . "\0" . 'Ανενεργά (%s)','No Fields found in Trash'=>'Δεν βρέθηκαν Πεδία στα Διεγραμμένα','No Fields found'=>'Δεν βρέθηκαν Πεδία','Search Fields'=>'Αναζήτηση Πεδίων','View Field'=>'Προβολή Πεδίων','New Field'=>'Νέο Πεδίο','Edit Field'=>'Επεξεργασία Πεδίου','Add New Field'=>'Προσθήκη Νέου Πεδίου','Field'=>'Πεδίο','Fields'=>'Πεδία','No Field Groups found in Trash'=>'Δεν βρέθηκαν Ομάδες Πεδίων στα Διεγραμμένα','No Field Groups found'=>'Δεν βρέθηκαν Ομάδες Πεδίων','Search Field Groups'=>'Αναζήτηση Ομάδων Πεδίων ','View Field Group'=>'Προβολή Ομάδας Πεδίων','New Field Group'=>'Νέα Ομάδα Πεδίων','Edit Field Group'=>'Επεξεργασίας Ομάδας Πεδίων','Add New Field Group'=>'Προσθήκη Νέας Ομάδας Πεδίων','Add New'=>'Προσθήκη Νέου','Field Group'=>'Ομάδα Πεδίου','Field Groups'=>'Ομάδες Πεδίων','Customize WordPress with powerful, professional and intuitive fields.'=>'Προσαρμόστε το WordPress με ισχυρά, επαγγελματικά και εύχρηστα πεδία.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[η προεπισκόπηση σύντομου κώδικα απενεργοποιήθηκε]','Close Modal'=>'Κλείσιμο αναδυομένου','Field moved to other group'=>'Το πεδίο μετακινήθηκε σε άλλη ομάδα','Close modal'=>'Κλείσιμο αναδυομένου','Start a new group of tabs at this tab.'=>'Ξεκινήστε μια νέα ομάδα από καρτέλες σε αυτή την καρτέλα.','New Tab Group'=>'Νέα Ομάδα Καρτελών','Use a stylized checkbox using select2'=>'Παρουσιάστε τα checkbox στυλιζαρισμένα χρησιμοποιώντας το select2','Save Other Choice'=>'Αποθήκευση Άλλης Επιλογής','Allow Other Choice'=>'Να Επιτρέπονται Άλλες Επιλογές','Add Toggle All'=>'Προσθήκη Εναλλαγής Όλων','Save Custom Values'=>'Αποθήκευση Προσαρμοσμένων Τιμών','Allow Custom Values'=>'Να Επιτρέπονται Προσαρμοσμένες Τιμές','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Οι προσαρμοσμένες τιμές των checkbox δεν επιτρέπεται να είναι κενές. Αποεπιλέξετε τις κενές τιμές.','Updates'=>'Ανανεώσεις','Advanced Custom Fields logo'=>'Λογότυπος Advanced Custom Fields','Save Changes'=>'Αποθήκευση Αλλαγών','Field Group Title'=>'Τίτλος Ομάδας Πεδίων','Add title'=>'Προσθήκη τίτλου','New to ACF? Take a look at our getting started guide.'=>'Είστε καινούριοι στο ACF; Κάνετε μια περιήγηση στον οδηγό εκκίνησης για νέους.','Add Field Group'=>'Προσθήκη Ομάδας Πεδίων','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'To ACF χρησιμοποιεί ομάδες πεδίων για να ομαδοποιήσει προσαρμοσμένα πεδία και να τα παρουσιάσει στις οθόνες επεξεργασίας.','Add Your First Field Group'=>'Προσθέστε την Πρώτη σας Ομάδα Πεδίων','Options Pages'=>'Σελίδες Ρυθμίσεων','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Πεδίο Gallery','Flexible Content Field'=>'Πεδίο Flexible Content','Repeater Field'=>'Πεδίο Repeater','Unlock Extra Features with ACF PRO'=>'Ξεκλειδώστε Επιπλέον Δυνατότητες με το ACF PRO','Delete Field Group'=>'Διαγραφή Ομάδας Πεδίων','Created on %1$s at %2$s'=>'Δημιουργήθηκε την %1$s στις %2$s','Group Settings'=>'Ρυθμίσεις Ομάδας','Location Rules'=>'Κανόνες Τοποθεσίας','Choose from over 30 field types. Learn more.'=>'Επιλέξτε από περισσότερους από 30 τύπους πεδίων. Μάθετε περισσότερα.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ξεκινήστε να δημιουργείτε νέα προσαρμοσμένα πεδία για τα άρθρα, τις σελίδες, τα custom post types και γενικότερα το περιεχόμενο του WordPress.','Add Your First Field'=>'Προσθέστε το Πρώτο σας Πεδίο','#'=>'#','Add Field'=>'Προσθήκη Πεδίου','Presentation'=>'Παρουσίαση','Validation'=>'Επικύρωση','General'=>'Γενικά','Import JSON'=>'Εισαγωγή JSON','Export As JSON'=>'Εξαγωγή ως JSON','Field group deactivated.'=>'Η ομάδα πεδίων έχει απενεργοποιηθεί.' . "\0" . '%s ομάδες πεδίων έχουν απενεργοποιηθεί.','Field group activated.'=>'Η ομάδα πεδίων ενεργοποιήθηκε.' . "\0" . '%s ομάδες πεδίων ενεργοποιήθηκαν.','Deactivate'=>'Απενεργοποίηση','Deactivate this item'=>'Απενεργοποιήστε αυτό το αντικείμενο','Activate'=>'Ενεργοποίηση','Activate this item'=>'Ενεργοποιήστε αυτό το αντικείμενο','Move field group to trash?'=>'Να μεταφερθεί αυτή η ομάδα πεδίων στον κάδο;','post statusInactive'=>'Ανενεργό','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Ανιχνεύθηκαν μία ή περισσότερες κλήσεις για ανάκτηση τιμών πεδίων ACF προτού το ACF αρχικοποιηθεί. Αυτό δεν υποστηρίζεται και μπορεί να καταλήξει σε παραποιημένα ή κενά. Μάθετε πώς να το διορθώσετε.','%1$s must have a user with the %2$s role.'=>'Το %1$s πρέπει να έχει έναν χρήστη με ρόλο %2$s.' . "\0" . 'Το %1$s πρέπει να έχει έναν χρήστη με έναν από τους παρακάτω ρόλους: %2$s.','%1$s must have a valid user ID.'=>'Το %1$s πρέπει να έχει ένα έγκυρο ID χρήστη.','Invalid request.'=>'Μη έγκυρο αίτημα.','%1$s is not one of %2$s'=>'Το %1$s δεν είναι ένα από τα %2$s.','%1$s must have term %2$s.'=>'To %1$s πρέπει να έχει τον όρο %2$s.' . "\0" . 'To %1$s πρέπει να έχει έναν από τους παρακάτω όρους: %2$s.','%1$s must be of post type %2$s.'=>'Το %1$s πρέπει να έχει post type %2$s.' . "\0" . 'Το %1$s πρέπει να έχει ένα από τα παρακάτω post type: %2$s.','%1$s must have a valid post ID.'=>'Το %1$s πρέπει να έχει ένα έγκυρο post ID.','%s requires a valid attachment ID.'=>'Το %s απαιτεί ένα έγκυρο attachment ID.','Show in REST API'=>'Να εμφανίζεται στο REST API','Enable Transparency'=>'Ενεργοποίηση Διαφάνειας','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','Upgrade to PRO'=>'','post statusActive'=>'Ενεργό','\'%s\' is not a valid email address'=>'Το \'%s\' δεν είναι έγκυρη διεύθυνση email.','Color value'=>'Τιμή χρώματος','Select default color'=>'Επιλέξτε το προεπιλεγμένο χρώμα','Clear color'=>'Εκκαθάριση χρώματος','Blocks'=>'Μπλοκ','Options'=>'Επιλογές','Users'=>'Χρήστες','Menu items'=>'Στοιχεία μενού','Widgets'=>'Μικροεφαρμογές','Attachments'=>'Συνημμένα','Taxonomies'=>'Ταξινομίες','Posts'=>'Άρθρα','Last updated: %s'=>'Τελευταία ενημέρωση: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Μη έγκυρες παράμετροι field group.','Awaiting save'=>'Αναμονή αποθήκευσης','Saved'=>'Αποθηκεύτηκε','Import'=>'Εισαγωγή','Review changes'=>'Ανασκόπηση αλλαγών','Located in: %s'=>'Βρίσκεται στο: %s','Located in plugin: %s'=>'Βρίσκεται στο πρόσθετο: %s','Located in theme: %s'=>'Βρίσκεται στο θέμα: %s','Various'=>'Διάφορα','Sync changes'=>'Συγχρονισμός αλλαγών','Loading diff'=>'Φόρτωση διαφορών','Review local JSON changes'=>'Ανασκόπηση τοπικών αλλαγών στο JSON','Visit website'=>'Επισκεφθείτε τον ιστότοπο','View details'=>'Προβολή λεπτομερειών','Version %s'=>'Έκδοση %s','Information'=>'Πληροφορία','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Υποστήριξη. Οι επαγγελματίες στην Υποστήριξή μας θα σας βοηθήσουν με τις πιο προχωρημένες τεχνικές δυσκολίες σας.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Τεκμηρίωση. Η εκτεταμένη μας τεκμηρίωσή περιέχει αναφορές και οδηγούς για τις περισσότερες από τις περιπτώσεις που τυχόν συναντήσετε. ','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Είμαστε παθιασμένοι σχετικά με την υποστήριξη και θέλουμε να καταφέρετε το καλύτερο μέσα από τον ιστότοπό σας με το ACF. Αν συναντήσετε δυσκολίες, υπάρχουν πολλά σημεία στα οποία μπορείτε να αναζητήσετε βοήθεια:','Help & Support'=>'Βοήθεια & Υποστήριξη','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Χρησιμοποιήστε την καρτέλα Βοήθεια & Υποστήριξη για να επικοινωνήστε μαζί μας στην περίπτωση που χρειαστείτε βοήθεια. ','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Προτού δημιουργήσετε το πρώτο σας Field Group, σας συστήνουμε να διαβάσετε τον οδηγό μας Getting started για να εξοικειωθείτε με τη φιλοσοφία του προσθέτου και τις βέλτιστες πρακτικές του. ','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Το πρόσθετο Advanced Custom Fields παρέχει έναν οπτικό κατασκευαστή φορμών που σας επιτρέπει να προσαρμόζετε τις οθόνες επεξεργασίας του WordPress με νέα πεδία, καθώς και ένα διαισθητικό API για να παρουσιάζετε τις τιμές των custom field σε οποιοδήποτε template file ενός θέματος. ','Overview'=>'Επισκόπηση','Location type "%s" is already registered.'=>'Ο τύπος τοποθεσίας "%s" είναι ήδη καταχωρημένος.','Class "%s" does not exist.'=>'Η κλάση "%s" δεν υπάρχει.','Invalid nonce.'=>'Μη έγκυρο nonce.','Error loading field.'=>'Σφάλμα κατά τη φόρτωση του πεδίου.','Error: %s'=>'Σφάλμα: %s','Widget'=>'Μικροεφαρμογή','User Role'=>'Ρόλος Χρήστη','Comment'=>'Σχόλιο','Post Format'=>'Μορφή Άρθρου','Menu Item'=>'Στοιχείο Μενού','Post Status'=>'Κατάσταση Άρθρου','Menus'=>'Μενού','Menu Locations'=>'Τοποθεσίες Μενού','Menu'=>'Μενού','Post Taxonomy'=>'Ταξινομία Άρθρου','Child Page (has parent)'=>'Υποσελίδα (έχει γονέα)','Parent Page (has children)'=>'Γονική Σελίδα (έχει απογόνους)','Top Level Page (no parent)'=>'Σελίδα Ανωτάτου Επιπέδου (χωρίς γονέα)','Posts Page'=>'Σελίδα Άρθρων','Front Page'=>'Αρχική Σελίδα','Page Type'=>'Τύπος Άρθρου','Viewing back end'=>'Προβολή του back end','Viewing front end'=>'Προβολή του front end','Logged in'=>'Συνδεδεμένος','Current User'=>'Τρέχων Χρήστης','Page Template'=>'Πρότυπο Σελίδας','Register'=>'Εγγραφή','Add / Edit'=>'Προσθήκη / Επεξεργασία','User Form'=>'Φόρμα Χρήστη','Page Parent'=>'Γονέας Σελίδας','Super Admin'=>'Υπερδιαχειριστής','Current User Role'=>'Ρόλος Τρέχοντος Χρήστη','Default Template'=>'Προεπιλεγμένο Πρότυπο','Post Template'=>'Πρότυπο Άρθρου','Post Category'=>'Κατηγορία Άρθρου','All %s formats'=>'Όλες οι %s μορφές','Attachment'=>'Συνημμένο','%s value is required'=>'Η τιμή του %s είναι υποχρεωτική','Show this field if'=>'Εμφάνιση αυτού του πεδίου αν','Conditional Logic'=>'Λογική Υπό Συνθήκες','and'=>'και','Local JSON'=>'Τοπικό JSON','Clone Field'=>'Πεδίο Κλώνου','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Επιβεβαιώστε επίσης ότι όλα τα επί πληρωμή πρόσθετα (%s) είναι ενημερωμένα στην τελευταία τους έκδοση.','This version contains improvements to your database and requires an upgrade.'=>'Αυτή η έκδοση περιέχει βελτιώσεις στη βάση δεδομένων σας κι απαιτεί μια αναβάθμιση.','Thank you for updating to %1$s v%2$s!'=>'Ευχαριστούμε που αναβαθμίσατε στο %1$s v%2$s!','Database Upgrade Required'=>'Απαιτείται Αναβάθμιση Βάσης Δεδομένων','Options Page'=>'Σελίδα Επιλογών','Gallery'=>'Συλλογή','Flexible Content'=>'Ευέλικτο Περιεχόμενο','Repeater'=>'Επαναλήπτης','Back to all tools'=>'Πίσω σε όλα τα εργαλεία','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)'=>'Αν περισσότερα από ένα field group εμφανίζονται στην οθόνη επεξεργασίας, τότε θα χρησιμοποιηθούν οι ρυθμίσεις του πρώτου (αυτού με το χαμηλότερον αριθμό σειράς)','Select items to hide them from the edit screen.'=>'Επιλέξτε στοιχεία για να τα αποκρύψετε από την οθόνη τροποποίησης.','Hide on screen'=>'Απόκρυψη σε οθόνη','Send Trackbacks'=>'Αποστολή Παραπομπών','Tags'=>'Ετικέτες','Categories'=>'Κατηγορίες','Page Attributes'=>'Χαρακτηριστικά Σελίδας','Format'=>'Μορφή','Author'=>'Συντάκτης','Slug'=>'Σύντομο όνομα','Revisions'=>'Αναθεωρήσεις','Comments'=>'Σχόλια','Discussion'=>'Συζήτηση','Excerpt'=>'Απόσπασμα','Content Editor'=>'Επεξεργαστής Περιεχομένου','Permalink'=>'Μόνιμος σύνδεσμος','Shown in field group list'=>'Εμφανίζεται στη λίστα ομάδας πεδίων','Field groups with a lower order will appear first'=>'Ομάδες πεδίων με χαμηλότερη σειρά θα εμφανιστούν πρώτες','Order No.'=>'Αρ. Παραγγελίας','Below fields'=>'Παρακάτω πεδία','Below labels'=>'Παρακάτω ετικέτες','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Πλάι','Normal (after content)'=>'Κανονικό (μετά το περιεχόμενο)','High (after title)'=>'Ψηλά (μετά τον τίτλο)','Position'=>'Τοποθεσία','Seamless (no metabox)'=>'Ενοποιημένη (χωρίς metabox)','Standard (WP metabox)'=>'Κλασική (με WP metabox)','Style'=>'Στυλ','Type'=>'Τύπος','Key'=>'Κλειδί','Order'=>'Σειρά','Close Field'=>'Κλείσιμο Πεδίου','id'=>'id','class'=>'κλάση','width'=>'πλάτος','Wrapper Attributes'=>'Ιδιότητες Πλαισίου','Required'=>'Απαιτείται','Instructions'=>'Οδηγίες','Field Type'=>'Τύπος Πεδίου','Single word, no spaces. Underscores and dashes allowed'=>'Μια λέξη, χωρίς κενά. Επιτρέπονται κάτω παύλες και παύλες','Field Name'=>'Όνομα Πεδίου','This is the name which will appear on the EDIT page'=>'Αυτό είναι το όνομα που θα εμφανιστεί στην σελίδα ΤΡΟΠΟΠΟΙΗΣΗΣ.','Field Label'=>'Επιγραφή Πεδίου','Delete'=>'Διαγραφή','Delete field'=>'Διαγραφή πεδίου','Move'=>'Μετακίνηση','Move field to another group'=>'Μετακίνηση του πεδίου σε άλλο group','Duplicate field'=>'Δημιουργία αντιγράφου του πεδίου','Edit field'=>'Τροποποίηση πεδίου','Drag to reorder'=>'Σύρετε για αναδιάταξη','Show this field group if'=>'Εμφάνιση αυτής της ομάδας πεδίου αν','No updates available.'=>'Δεν υπάρχουν διαθέσιμες ενημερώσεις.','Database upgrade complete. See what\'s new'=>'Η αναβάθμιση της βάσης δεδομένων ολοκληρώθηκε. Δείτε τι νέο υπάρχει','Reading upgrade tasks...'=>'Πραγματοποιείται ανάγνωση εργασιών αναβάθμισης...','Upgrade failed.'=>'Η αναβάθμιση απέτυχε.','Upgrade complete.'=>'Η αναβάθμιση ολοκληρώθηκε.','Upgrading data to version %s'=>'Πραγματοποιείται αναβάθμιση δεδομένων στην έκδοση %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Συνιστάται ιδιαίτερα να πάρετε αντίγραφο ασφαλείας της βάσης δεδομένων σας προτού να συνεχίσετε. Είστε βέβαιοι ότι θέλετε να εκτελέσετε την ενημέρωση τώρα;','Please select at least one site to upgrade.'=>'Παρακαλούμε επιλέξτε τουλάχιστον έναν ιστότοπο για αναβάθμιση.','Database Upgrade complete. Return to network dashboard'=>'Η Αναβάθμιση της Βάσης Δεδομένων ολοκληρώθηκε. Επιστροφή στον πίνακα ελέγχου του δικτύου','Site is up to date'=>'Ο ιστότοπος είναι ενημερωμένος','Site requires database upgrade from %1$s to %2$s'=>'Ο ιστότοπος απαιτεί αναβάθμιση της βάσης δεδομένων από %1$s σε%2$s','Site'=>'Ιστότοπος','Upgrade Sites'=>'Αναβάθμιση Ιστοτόπων','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Οι παρακάτω ιστότοποι απαιτούν αναβάθμιση της Βάσης Δεδομένων. Επιλέξτε αυτούς που θέλετε να ενημερώσετε και πατήστε το %s.','Add rule group'=>'Προσθήκη ομάδας κανόνων','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Δημιουργήστε μια ομάδα κανόνων που θα καθορίζουν ποιες επεξεργασίας θα χρησιμοποιούν αυτά τα πεδία','Rules'=>'Κανόνες','Copied'=>'Αντιγράφηκε','Copy to clipboard'=>'Αντιγραφή στο πρόχειρο','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Επιλογή ομάδων πεδίων','No field groups selected'=>'Δεν επιλέχθηκε καμία ομάδα πεδίων','Generate PHP'=>'Δημιουργία PHP','Export Field Groups'=>'Εξαγωγή Ομάδων Πεδίων','Import file empty'=>'Εισαγωγή κενού αρχείου','Incorrect file type'=>'Εσφαλμένος τύπος αρχείου','Error uploading file. Please try again'=>'Σφάλμα μεταφόρτωσης αρχείου. Παρακαλούμε δοκιμάστε πάλι','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Εισαγωγή Ομάδων Πεδίων','Sync'=>'Συγχρονισμός','Select %s'=>'Επιλογή %s','Duplicate'=>'Δημιουργία αντιγράφου','Duplicate this item'=>'Δημιουργία αντιγράφου αυτού του στοιχείου','Supports'=>'','Documentation'=>'Τεκμηρίωση','Description'=>'Περιγραφή','Sync available'=>'Διαθέσιμος συγχρονισμός','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Δημιουργήθηκε αντίγραφο της ομάδας πεδίων.' . "\0" . 'Δημιουργήθηκαν αντίγραφα %s ομάδων πεδίων.','Active (%s)'=>'Ενεργό (%s)' . "\0" . 'Ενεργά (%s)','Review sites & upgrade'=>'Ανασκόπηση ιστοτόπων & αναβάθμιση','Upgrade Database'=>'Αναβάθμιση Βάσης Δεδομένων','Custom Fields'=>'Custom Fields','Move Field'=>'Μετακίνηση Πεδίου','Please select the destination for this field'=>'Παρακαλούμε επιλέξτε τον προορισμό γι\' αυτό το πεδίο','The %1$s field can now be found in the %2$s field group'=>'Το πεδίο %1$s μπορεί πλέον να βρεθεί στην ομάδα πεδίων %2$s','Move Complete.'=>'Η Μετακίνηση Ολοκληρώθηκε.','Active'=>'Ενεργό','Field Keys'=>'Field Keys','Settings'=>'Ρυθμίσεις','Location'=>'Τοποθεσία','Null'=>'Null','copy'=>'αντιγραφή','(this field)'=>'(αυτό το πεδίο)','Checked'=>'Επιλεγμένο','Move Custom Field'=>'Μετακίνηση Προσαρμοσμένου Πεδίου','No toggle fields available'=>'Δεν υπάρχουν διαθέσιμα πεδία εναλλαγής','Field group title is required'=>'Ο τίτλος του field group είναι απαραίτητος','This field cannot be moved until its changes have been saved'=>'Αυτό το πεδίο δεν μπορεί να μετακινηθεί μέχρι να αποθηκευτούν οι αλλαγές του','The string "field_" may not be used at the start of a field name'=>'Το αλφαριθμητικό "field_" δεν μπορεί να χρησιμοποιηθεί στην αρχή ενός ονόματος πεδίου','Field group draft updated.'=>'Το πρόχειρο field group ενημερώθηκε','Field group scheduled for.'=>'Το field group προγραμματίστηκε.','Field group submitted.'=>'Το field group καταχωρήθηκε.','Field group saved.'=>'Το field group αποθηκεύτηκε. ','Field group published.'=>'Το field group δημοσιεύθηκε.','Field group deleted.'=>'Το field group διαγράφηκε.','Field group updated.'=>'Το field group ενημερώθηκε.','Tools'=>'Εργαλεία','is not equal to'=>'δεν είναι ίσο με','is equal to'=>'είναι ίσο με','Forms'=>'Φόρμες','Page'=>'Σελίδα','Post'=>'Άρθρο','Relational'=>'Υπό Συνθήκες','Choice'=>'Επιλογή','Basic'=>'Βασικό','Unknown'=>'Άγνωστο','Field type does not exist'=>'Ο τύπος πεδίου δεν υπάρχει','Spam Detected'=>'Άνιχνεύθηκε Spam','Post updated'=>'Το άρθρο ενημερώθηκε','Update'=>'Ενημέρωση','Validate Email'=>'Επιβεβαίωση Ηλεκτρονικού Ταχυδρομείου','Content'=>'Περιεχόμενο','Title'=>'Τίτλος','Edit field group'=>'Επεξεργασία field group','Selection is less than'=>'Η επιλογή να είναι μικρότερη από','Selection is greater than'=>'Η επιλογή να είναι μεγαλύτερη από','Value is less than'=>'Η τιμή να είναι μικρότερη από','Value is greater than'=>'Η τιμή να είναι μεγαλύτερη από','Value contains'=>'Η τιμη να περιέχει','Value matches pattern'=>'Η τιμή να ικανοποιεί το μοτίβο','Value is not equal to'=>'Η τιμή να μην είναι ίση με','Value is equal to'=>'Η τιμή να είναι ίση με','Has no value'=>'Να μην έχει καμία τιμή','Has any value'=>'Να έχει οποιαδήποτε τιμή','Cancel'=>'Ακύρωση','Are you sure?'=>'Είστε σίγουροι;','%d fields require attention'=>'%d πεδία χρήζουν προσοχής','1 field requires attention'=>'1 πεδίο χρήζει προσοχής','Validation failed'=>'Ο έλεγχος απέτυχε','Validation successful'=>'Ο έλεγχος πέτυχε','Restricted'=>'Περιορισμένος','Collapse Details'=>'Σύμπτυξη Λεπτομερειών','Expand Details'=>'Ανάπτυξη Λεπτομερειών','Uploaded to this post'=>'Να έχουν μεταφορτωθεί σε αυτή την ανάρτηση','verbUpdate'=>'Ενημέρωση','verbEdit'=>'Επεξεργασία','The changes you made will be lost if you navigate away from this page'=>'Οι αλλαγές που έχετε κάνει θα χαθούν αν φύγετε από αυτή τη σελίδα.','File type must be %s.'=>'Ο τύπος του πεδίου πρέπει να είναι %s.','or'=>'ή','File size must not exceed %s.'=>'Το μέγεθος του αρχείου πρέπει να το πολύ %s.','File size must be at least %s.'=>'Το μέγεθος το αρχείου πρέπει να είναι τουλάχιστον %s.','Image height must not exceed %dpx.'=>'Το ύψος της εικόνας πρέπει να είναι το πολύ %dpx.','Image height must be at least %dpx.'=>'Το ύψος της εικόνας πρέπει να είναι τουλάχιστον %dpx.','Image width must not exceed %dpx.'=>'Το πλάτος της εικόνας πρέπει να είναι το πολύ %dpx.','Image width must be at least %dpx.'=>'Το πλάτος της εικόνας πρέπει να είναι τουλάχιστον %dpx.','(no title)'=>'(χωρίς τίτλο)','Full Size'=>'Πλήρες μέγεθος','Large'=>'Μεγάλο','Medium'=>'Μεσαίο','Thumbnail'=>'Μικρογραφία','(no label)'=>'(χωρίς ετικέτα)','Sets the textarea height'=>'Θέτει το ύψος του πεδίου κειμένου','Rows'=>'Γραμμές','Text Area'=>'Πεδίο κειμένου πολλών γραμμών','Prepend an extra checkbox to toggle all choices'=>'Εμφάνιση επιπλέον πεδίου checkbox που εναλλάσσει όλες τις επιλογές','Save \'custom\' values to the field\'s choices'=>'Αποθήκευση των \'custom\' τιμών στις επιλογές του πεδίου','Allow \'custom\' values to be added'=>'Να επιτρέπεται η προσθήκη \'custom\' τιμών','Add new choice'=>'Προσθήκη νέας τιμής','Toggle All'=>'Εναλλαγή Όλων','Allow Archives URLs'=>'Να Επιτρέπονται τα URL των Archive','Archives'=>'Archive','Page Link'=>'Σύνδεσμος Σελίδας','Add'=>'Προσθήκη','Name'=>'Όνομα','%s added'=>'%s προστέθηκε','%s already exists'=>'%s υπάρχει ήδη','User unable to add new %s'=>'Ο Χρήστης δεν ήταν δυνατό να προσθέσει νέο %s','Term ID'=>'ID όρου','Term Object'=>'Object όρου','Load value from posts terms'=>'Φόρτωση τιμής από τους όρους της ανάρτησης','Load Terms'=>'Φόρτωση Όρων','Connect selected terms to the post'=>'Σύνδεση επιλεγμένων όρων στο άρθρο','Save Terms'=>'Αποθήκευση Όρων','Allow new terms to be created whilst editing'=>'Να επιτρέπεται η δημιουργία νέων όρων κατά την επεξεργασία','Create Terms'=>'Δημιουργία Όρων','Radio Buttons'=>'Radio Button','Single Value'=>'Μοναδική Τιμή','Multi Select'=>'Πολλαπλή Επιλογή','Checkbox'=>'Checkbox','Multiple Values'=>'Πολλαπλές Τιμές','Select the appearance of this field'=>'Επιλέξτε την εμφάνιση αυτού του πεδίου','Appearance'=>'Εμφάνιση','Select the taxonomy to be displayed'=>'Επιλέξτε την ταξινομία οπυ θέλετε να εμφανιστεί','No TermsNo %s'=>'Κανένα %s','Value must be equal to or lower than %d'=>'Η τιμή πρέπι να είναι ίση ή μικρότερη από %d','Value must be equal to or higher than %d'=>'Η τιμή πρέπει να είναι ίση ή μεγαλύτερη από %d','Value must be a number'=>'Η τιμή πρέπει να είναι αριθμός','Number'=>'Αριθμός','Save \'other\' values to the field\'s choices'=>'Αποθήκευση των "άλλων" τιμών στις επιλογές του πεδίου','Add \'other\' choice to allow for custom values'=>'Προσθήκη επιλογής "άλλο" ώστε να επιτρέπονται προσαρμοσμένες τιμές','Other'=>'Άλλο','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Προσδιορίστε ένα σημείο άκρου στο οποίο το προηγούμενο accordion κλείνει. Αυτό δε θα είναι κάτι ορατό.','Allow this accordion to open without closing others.'=>'Επιτρέψτε σε αυτό το accordion να ανοίγει χωρίς να κλείνουν τα άλλα.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Αυτό το accordion να είναι ανοιχτό κατά τη φόρτωση της σελίδας.','Open'=>'Άνοιγμα','Accordion'=>'Ακορντεόν','Restrict which files can be uploaded'=>'Περιορίστε τα είδη των αρχείων που επιτρέπονται για μεταφόρτωση','File ID'=>'ID Αρχείου','File URL'=>'URL Αρχείου','File Array'=>'Array Αρχείων','Add File'=>'Προσθήκη Αρχείου','No file selected'=>'Δεν επιλέχθηκε αρχείο','File name'=>'Όνομα αρχείου','Update File'=>'Ενημέρωση Αρχείου','Edit File'=>'Επεξεργασία Αρχείου','Select File'=>'Επιλογή Αρχείου','File'=>'Αρχείο','Password'=>'Συνθηματικό','Specify the value returned'=>'Προσδιορίστε την επιστρεφόμενη τιμή','Use AJAX to lazy load choices?'=>'Χρήση AJAX για τη φόρτωση των τιμών με καθυστέρηση;','Enter each default value on a new line'=>'Εισαγάγετε την κάθε προεπιλεγμένη τιμή σε μια νέα γραμμή','verbSelect'=>'Επιλέξτε','Select2 JS load_failLoading failed'=>'Η φόρτωση απέτυχε','Select2 JS searchingSearching…'=>'Αναζήτηση…','Select2 JS load_moreLoading more results…'=>'Φόρτωση περισσότερων αποτελεσμάτων…','Select2 JS selection_too_long_nYou can only select %d items'=>'Μπορείτε να επιλέξετε μόνο %d αντικείμενα','Select2 JS selection_too_long_1You can only select 1 item'=>'Μπορείτε να επιλέξετε μόνο 1 αντικείμενο','Select2 JS input_too_long_nPlease delete %d characters'=>'Παρακαλούμε διαγράψτε %d χαρακτήρες','Select2 JS input_too_long_1Please delete 1 character'=>'Παρακαλούμε διαγράψτε 1 χαρακτήρα','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Παρακαλούμε εισαγάγετε %d ή περισσότερους χαρακτήρες','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Παρακαλούμε εισαγάγετε 1 ή περισσότερους χαρακτήρες','Select2 JS matches_0No matches found'=>'Δε βρέθηκαν αποτελέσματα που να ταιριάζουν','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Υπάρχουν %d αποτελέσματα διαθέσιμα, χρησιμοποιήσετε τα πλήκτρα πάνω και κάτω για να μεταβείτε σε αυτά.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ένα αποτέλεσμα είναι διαθέσιμο, πατήστε enter για να το επιλέξετε.','nounSelect'=>'Επιλογή','User ID'=>'ID Χρήστη','User Object'=>'Object Χρήστη','User Array'=>'Array Χρήστη','All user roles'=>'Όλοι οι ρόλοι χρηστών','Filter by Role'=>'','User'=>'Χρήστης','Separator'=>'Διαχωριστικό','Select Color'=>'Επιλογή Χρώματος','Default'=>'Προεπιλογή','Clear'=>'Καθαρισμός','Color Picker'=>'Επιλογέας Χρωμάτων','Date Time Picker JS pmTextShortP'=>'ΜΜ','Date Time Picker JS pmTextPM'=>'ΜΜ','Date Time Picker JS amTextShortA'=>'ΠΜ','Date Time Picker JS amTextAM'=>'ΠΜ','Date Time Picker JS selectTextSelect'=>'Επιλογή','Date Time Picker JS closeTextDone'=>'Ολοκληρώθηκε','Date Time Picker JS currentTextNow'=>'Τώρα','Date Time Picker JS timezoneTextTime Zone'=>'Ζώνη Ώρας','Date Time Picker JS microsecTextMicrosecond'=>'Μικροδευτερόλεπτο','Date Time Picker JS millisecTextMillisecond'=>'Χιλιοστό του δευτερολέπτου','Date Time Picker JS secondTextSecond'=>'Δευτερόλεπτο','Date Time Picker JS minuteTextMinute'=>'Λεπτό','Date Time Picker JS hourTextHour'=>'Ώρα','Date Time Picker JS timeTextTime'=>'Ώρα','Date Time Picker JS timeOnlyTitleChoose Time'=>'Επιλέξτε Ώρα','Date Time Picker'=>'Επιλογέας Ημερομηνίας και Ώρας','Endpoint'=>'Endpoint','Left aligned'=>'Αριστερή στοίχιση','Top aligned'=>'Στοίχιση στην κορυφή','Placement'=>'Τοποθέτηση','Tab'=>'Καρτέλα','Value must be a valid URL'=>'Η τιμή πρέπει να είναι ένα έγκυρο URL ','Link URL'=>'Σύνδεσμος URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Ανοίγει σε νέο παράθυρο/καρτέλα','Select Link'=>'Επιλογή Συνδέσμου','Link'=>'Σύνδεσμος','Email'=>'Email','Step Size'=>'Μέγεθος Βήματος','Maximum Value'=>'Μέγιστη Τιμή','Minimum Value'=>'Ελάχιστη Τιμή','Range'=>'Εύρος','Both (Array)'=>'Και τα δύο (Array)','Label'=>'Ετικέτα','Value'=>'Τιμή','Vertical'=>'Κατακόρυφα','Horizontal'=>'Οριζόντια','red : Red'=>'κόκκινο : Κόκκινο','For more control, you may specify both a value and label like this:'=>'Για μεγαλύτερο έλεγχο μπορείτε να δηλώσετε μια τιμή και μια ετικέτα ως εξής:','Enter each choice on a new line.'=>'Προσθέστε κάθε επιλογή σε μια νέα γραμμή.','Choices'=>'Επιλογές','Button Group'=>'Ομάδα Κουμπιών','Allow Null'=>'','Parent'=>'Γονέας','TinyMCE will not be initialized until field is clicked'=>'Ο TinyMCE δε θα αρχικοποιηθεί έως ότου ο χρήστης κλικάρει το πεδίο','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Γραμμή εργαλείων','Text Only'=>'Μόνο Κείμενο','Visual Only'=>'Μόνο Οπτικός','Visual & Text'=>'Οπτικός & Κείμενο','Tabs'=>'Καρτέλες','Click to initialize TinyMCE'=>'Κάνετε κλικ για να αρχικοποιηθεί ο TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Κείμενο','Visual'=>'Οπτικός','Value must not exceed %d characters'=>'Η τιμή πρέπει να μην ξεπερνά τους %d χαρακτήρες','Leave blank for no limit'=>'Αφήστε κενό για να μην υπάρχει όριο','Character Limit'=>'Όριο Χαρακτήρων','Appears after the input'=>'Εμφανίζεται μετά το πεδίο εισαγωγής','Append'=>'Προσάρτηση στο τέλος','Appears before the input'=>'Εμφανίζεται πριν το πεδίο εισαγωγής','Prepend'=>'Προσάρτηση στην αρχή','Appears within the input'=>'Εμφανίζεται εντός του πεδίου εισαγωγής','Placeholder Text'=>'Υποκατάστατο Κείμενο','Appears when creating a new post'=>'Εμφανίζεται κατά τη δημιουργία νέου post','Text'=>'Κείμενο','%1$s requires at least %2$s selection'=>'Το %1$s απαιτεί τουλάχιστον %2$s επιλογή' . "\0" . 'Το %1$s απαιτεί τουλάχιστον %2$s επιλογές','Post ID'=>'Post ID','Post Object'=>'Post Object','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Επιλεγμένη Εικόνα','Selected elements will be displayed in each result'=>'Τα επιλεγμένα αντικείμενα θα εμφανίζονται σε κάθε αποτέλεσμα','Elements'=>'Αντικείμενα','Taxonomy'=>'Ταξινομία','Post Type'=>'Τύπος Άρθρου','Filters'=>'Φίλτρα','All taxonomies'=>'Όλες οι Ταξινομίες','Filter by Taxonomy'=>'Φιλτράρισμα κατά Ταξινομία','All post types'=>'Όλοι οι τύποι άρθρων','Filter by Post Type'=>'Φιλτράρισμα κατά Τύπο Άρθρου','Search...'=>'Αναζήτηση...','Select taxonomy'=>'Επιλογή ταξινομίας','Select post type'=>'Επιλογή τύπου άρθρου','No matches found'=>'Δεν βρέθηκαν αντιστοιχίες','Loading'=>'Φόρτωση','Maximum values reached ( {max} values )'=>'Αγγίξατε το μέγιστο πλήθος τιμών ( {max} τιμές )','Relationship'=>'Σχέση','Comma separated list. Leave blank for all types'=>'Λίστα διαχωρισμένη με κόμμα. Αφήστε κενό για όλους τους τύπους','Allowed File Types'=>'','Maximum'=>'Μέγιστο','File size'=>'Μέγεθος αρχείου','Restrict which images can be uploaded'=>'Περιορίστε ποιες εικόνες μπορούν να μεταφορτωθούν','Minimum'=>'Ελάχιστο','Uploaded to post'=>'Μεταφορτώθηκε στο άρθρο','All'=>'Όλα','Limit the media library choice'=>'Περιορισμός της επιλογής βιβλιοθήκης πολυμέσων','Library'=>'Βιβλιοθήκη','Preview Size'=>'Μέγεθος Προεπισκόπησης','Image ID'=>'Image ID','Image URL'=>'URL Εικόνας','Image Array'=>'Image Array','Specify the returned value on front end'=>'Προσδιορίστε την επιστρεφόμενη τιμή παρουσίασης','Return Value'=>'Επιστρεφόμενη Τιμή','Add Image'=>'Προσθήκη Εικόνας','No image selected'=>'Δεν επιλέχθηκε εικόνα','Remove'=>'Αφαίρεση','Edit'=>'Επεξεργασία','All images'=>'Όλες οι εικόνες','Update Image'=>'Ενημέρωση Εικόνας','Edit Image'=>'Επεξεργασία Εικόνας','Select Image'=>'Επιλογή Εικόνας','Image'=>'Εικόνα','Allow HTML markup to display as visible text instead of rendering'=>'Να επιτρέπεται η HTML markup να παρουσιαστεί ως ορατό κείμενο αντί να αποδοθεί','Escape HTML'=>'Escape HTML','No Formatting'=>'Χωρίς Μορφοποίηση','Automatically add <br>'=>'Αυτόματη προσθήκη <br>','Automatically add paragraphs'=>'Αυτόματη προσθήκη παραγράφων','Controls how new lines are rendered'=>'Ελέγχει πώς αποδίδονται οι αλλαγές γραμμής','New Lines'=>'Αλλαγές Γραμμής','Week Starts On'=>'Η Εβδομάδα Αρχίζει Την','The format used when saving a value'=>'Η μορφή που χρησιμοποιείται στην αποθήκευση μιας τιμής','Save Format'=>'Μορφή Αποθήκευσης','Date Picker JS weekHeaderWk'=>'ΣΚ','Date Picker JS prevTextPrev'=>'Προηγούμενο','Date Picker JS nextTextNext'=>'Επόμενο','Date Picker JS currentTextToday'=>'Σήμερα','Date Picker JS closeTextDone'=>'Ολοκλήρωση','Date Picker'=>'Επιλογέας Ημερομηνίας','Width'=>'Πλάτος','Embed Size'=>'Διαστάσεις Embed','Enter URL'=>'Εισάγετε URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Κείμενο που εμφανίζεται όταν είναι ανενεργό','Off Text'=>'Ανενεργό Κείμενο','Text shown when active'=>'Κείμενο που εμφανίζεται όταν είναι ενεργό','On Text'=>'Ενεργό Κείμενο','Stylized UI'=>'Στυλιζαρισμένο','Default Value'=>'Προεπιλεγμένη Τιμή','Displays text alongside the checkbox'=>'Εμφανίζει κείμενο δίπλα στο πεδίο επιλογής','Message'=>'Μήνυμα','No'=>'Όχι','Yes'=>'Ναι','True / False'=>'True / False','Row'=>'Γραμμή','Table'=>'Πίνακας','Block'=>'Μπλοκ','Specify the style used to render the selected fields'=>'Επιλογή του στυλ που θα χρησιμοποιηθεί για την εμφάνιση των επιλεγμένων πεδίων','Layout'=>'Διάταξη','Sub Fields'=>'Υποπεδία','Group'=>'Ομάδα','Customize the map height'=>'Τροποποίηση ύψους χάρτη','Height'=>'Ύψος','Set the initial zoom level'=>'Ορισμός αρχικού επιπέδου μεγέθυνσης','Zoom'=>'Μεγέθυνση','Center the initial map'=>'Κεντράρισμα αρχικού χάρτη','Center'=>'Κεντράρισμα','Search for address...'=>'Αναζήτηση διεύθυνσης...','Find current location'=>'Εύρεση τρέχουσας τοποθεσίας','Clear location'=>'Καθαρισμός τοποθεσίας','Search'=>'Αναζήτηση','Sorry, this browser does not support geolocation'=>'Λυπούμαστε, αυτός ο περιηγητής δεν υποστηρίζει λειτουργία γεωεντοπισμού','Google Map'=>'Χάρτης Google','The format returned via template functions'=>'Ο τύπος που επιστρέφεται μέσω των template functions','Return Format'=>'Επιστρεφόμενος Τύπος','Custom:'=>'Προσαρμοσμένο:','The format displayed when editing a post'=>'Ο τύπος που εμφανίζεται κατά την επεξεργασία ενός post','Display Format'=>'Μορφή Εμφάνισης','Time Picker'=>'Επιλογέας Ώρας','Inactive (%s)'=>'Ανενεργό (%s)' . "\0" . 'Ανενεργά (%s)','No Fields found in Trash'=>'Δεν βρέθηκαν Πεδία στα Διεγραμμένα','No Fields found'=>'Δεν βρέθηκαν Πεδία','Search Fields'=>'Αναζήτηση Πεδίων','View Field'=>'Προβολή Πεδίων','New Field'=>'Νέο Πεδίο','Edit Field'=>'Επεξεργασία Πεδίου','Add New Field'=>'Προσθήκη Νέου Πεδίου','Field'=>'Πεδίο','Fields'=>'Πεδία','No Field Groups found in Trash'=>'Δεν βρέθηκαν Ομάδες Πεδίων στα Διεγραμμένα','No Field Groups found'=>'Δεν βρέθηκαν Ομάδες Πεδίων','Search Field Groups'=>'Αναζήτηση Ομάδων Πεδίων ','View Field Group'=>'Προβολή Ομάδας Πεδίων','New Field Group'=>'Νέα Ομάδα Πεδίων','Edit Field Group'=>'Επεξεργασίας Ομάδας Πεδίων','Add New Field Group'=>'Προσθήκη Νέας Ομάδας Πεδίων','Add New'=>'Προσθήκη Νέου','Field Group'=>'Ομάδα Πεδίου','Field Groups'=>'Ομάδες Πεδίων','Customize WordPress with powerful, professional and intuitive fields.'=>'Προσαρμόστε το WordPress με ισχυρά, επαγγελματικά και εύχρηστα πεδία.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'el','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-el.mo b/lang/acf-el.mo
index 7541277..7cbf58b 100644
Binary files a/lang/acf-el.mo and b/lang/acf-el.mo differ
diff --git a/lang/acf-el.po b/lang/acf-el.po
index 17e9a06..900604e 100644
--- a/lang/acf-el.po
+++ b/lang/acf-el.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: el\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4364,7 +4380,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr ""
@@ -4696,7 +4712,7 @@ msgstr "Ενεργοποιήστε αυτό το αντικείμενο"
msgid "Move field group to trash?"
msgstr "Να μεταφερθεί αυτή η ομάδα πεδίων στον κάδο;"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4709,13 +4725,13 @@ msgstr "Ανενεργό"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
msgstr ""
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5162,7 +5178,7 @@ msgstr "Όλες οι %s μορφές"
msgid "Attachment"
msgstr "Συνημμένο"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "Η τιμή του %s είναι υποχρεωτική"
@@ -5652,7 +5668,7 @@ msgstr "Δημιουργία αντιγράφου αυτού του στοιχε
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Τεκμηρίωση"
@@ -5952,8 +5968,8 @@ msgstr "%d πεδία χρήζουν προσοχής"
msgid "1 field requires attention"
msgstr "1 πεδίο χρήζει προσοχής"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Ο έλεγχος απέτυχε"
@@ -7336,90 +7352,90 @@ msgid "Time Picker"
msgstr "Επιλογέας Ώρας"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Ανενεργό (%s)"
msgstr[1] "Ανενεργά (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Δεν βρέθηκαν Πεδία στα Διεγραμμένα"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Δεν βρέθηκαν Πεδία"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Αναζήτηση Πεδίων"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Προβολή Πεδίων"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Νέο Πεδίο"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Επεξεργασία Πεδίου"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Προσθήκη Νέου Πεδίου"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Πεδίο"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Πεδία"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Δεν βρέθηκαν Ομάδες Πεδίων στα Διεγραμμένα"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Δεν βρέθηκαν Ομάδες Πεδίων"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Αναζήτηση Ομάδων Πεδίων "
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Προβολή Ομάδας Πεδίων"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Νέα Ομάδα Πεδίων"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Επεξεργασίας Ομάδας Πεδίων"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Προσθήκη Νέας Ομάδας Πεδίων"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Προσθήκη Νέου"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Ομάδα Πεδίου"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-en_CA.l10n.php b/lang/acf-en_CA.l10n.php
index d317a93..32c7295 100644
--- a/lang/acf-en_CA.l10n.php
+++ b/lang/acf-en_CA.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'en_CA','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-06-27T14:24:00+00:00','x-generator'=>'gettext','messages'=>['\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last updated: %s','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Location not found: %s'=>'Location not found: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Clone Field'=>'Clone Field','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks…','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Sync available','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archives URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialized until field is clicked','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual & Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialize TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Featured Image'=>'Featured Image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search…','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customize the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address…','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','No Fields found in Trash'=>'No Fields found in Trash','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in Trash','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customize WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Sorry, you don\'t have permission to do that.'=>'','Invalid request args.'=>'','Sorry, you are not allowed to do that.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes icon'=>'','Wordpress-alt icon'=>'','Wordpress icon'=>'','Welcome write-blog icon'=>'','Welcome widgets-menus icon'=>'','Welcome view-site icon'=>'','Welcome learn-more icon'=>'','Welcome comments icon'=>'','Welcome add-page icon'=>'','Warning icon'=>'','Visibility icon'=>'','Video-alt3 icon'=>'','Video-alt2 icon'=>'','Video-alt icon'=>'','Vault icon'=>'','Upload icon'=>'','Update icon'=>'','Unlock icon'=>'','Universal access alternative icon'=>'','Universal access icon'=>'','Undo icon'=>'','Twitter icon'=>'','Trash icon'=>'','Translation icon'=>'','Tickets alternative icon'=>'','Tickets icon'=>'','Thumbs-up icon'=>'','Thumbs-down icon'=>'','Text icon'=>'','Testimonial icon'=>'','Tagcloud icon'=>'','Tag icon'=>'','Tablet icon'=>'','Store icon'=>'','Sticky icon'=>'','Star-half icon'=>'','Star-filled icon'=>'','Star-empty icon'=>'','Sos icon'=>'','Sort icon'=>'','Smiley icon'=>'','Smartphone icon'=>'','Slides icon'=>'','Shield-alt icon'=>'','Shield icon'=>'','Share-alt2 icon'=>'','Share-alt icon'=>'','Share icon'=>'','Search icon'=>'','Screenoptions icon'=>'','Schedule icon'=>'','Rss icon'=>'','Redo icon'=>'','Randomize icon'=>'','Products icon'=>'','Pressthis icon'=>'','Post-status icon'=>'','Portfolio icon'=>'','Plus-alt icon'=>'','Plus icon'=>'','Playlist-video icon'=>'','Playlist-audio icon'=>'','Phone icon'=>'','Performance icon'=>'','Paperclip icon'=>'','Palmtree icon'=>'','No alternative icon'=>'','No icon'=>'','Networking icon'=>'','Nametag icon'=>'','Move icon'=>'','Money icon'=>'','Minus icon'=>'','Migrate icon'=>'','Microphone icon'=>'','Menu icon'=>'','Megaphone icon'=>'','Media video icon'=>'','Media text icon'=>'','Media spreadsheet icon'=>'','Media interactive icon'=>'','Media document icon'=>'','Media default icon'=>'','Media code icon'=>'','Media audio icon'=>'','Media archive icon'=>'','Marker icon'=>'','Lock icon'=>'','Location-alt icon'=>'','Location icon'=>'','List-view icon'=>'','Lightbulb icon'=>'','Leftright icon'=>'','Layout icon'=>'','Laptop icon'=>'','Info icon'=>'','Index-card icon'=>'','Images-alt2 icon'=>'','Images-alt icon'=>'','Image rotate-right icon'=>'','Image rotate-left icon'=>'','Image rotate icon'=>'','Image flip-vertical icon'=>'','Image flip-horizontal icon'=>'','Image filter icon'=>'','Image crop icon'=>'','Id-alt icon'=>'','Id icon'=>'','Hidden icon'=>'','Heart icon'=>'','Hammer icon'=>'','Groups icon'=>'','Grid-view icon'=>'','Googleplus icon'=>'','Forms icon'=>'','Format video icon'=>'','Format status icon'=>'','Format quote icon'=>'','Format image icon'=>'','Format gallery icon'=>'','Format chat icon'=>'','Format audio icon'=>'','Format aside icon'=>'','Flag icon'=>'','Filter icon'=>'','Feedback icon'=>'','Facebook alt icon'=>'','Facebook icon'=>'','External icon'=>'','Exerpt-view icon'=>'','Email alt icon'=>'','Email icon'=>'','Video icon'=>'','Unlink icon'=>'','Underline icon'=>'','Ul icon'=>'','Textcolor icon'=>'','Table icon'=>'','Strikethrough icon'=>'','Spellcheck icon'=>'','Rtl icon'=>'','Removeformatting icon'=>'','Quote icon'=>'','Paste word icon'=>'','Paste text icon'=>'','Paragraph icon'=>'','Outdent icon'=>'','Ol icon'=>'','Kitchensink icon'=>'','Justify icon'=>'','Italic icon'=>'','Insertmore icon'=>'','Indent icon'=>'','Help icon'=>'','Expand icon'=>'','Customchar icon'=>'','Contract icon'=>'','Code icon'=>'','Break icon'=>'','Bold icon'=>'','alignright icon'=>'','alignleft icon'=>'','aligncenter icon'=>'','Edit icon'=>'','Download icon'=>'','Dismiss icon'=>'','Desktop icon'=>'','Dashboard icon'=>'','Controls volumeon icon'=>'','Controls volumeoff icon'=>'','Controls skipforward icon'=>'','Controls skipback icon'=>'','Controls repeat icon'=>'','Controls play icon'=>'','Controls pause icon'=>'','Controls forward icon'=>'','Controls back icon'=>'','Cloud icon'=>'','Clock icon'=>'','Clipboard icon'=>'','Chart pie icon'=>'','Chart line icon'=>'','Chart bar icon'=>'','Chart area icon'=>'','Category icon'=>'','Cart icon'=>'','Carrot icon'=>'','Camera icon'=>'','Calendar alt icon'=>'','Calendar icon'=>'','Businessman icon'=>'','Building icon'=>'','Book alt icon'=>'','Book icon'=>'','Backup icon'=>'','Awards icon'=>'','Art icon'=>'','Arrow up-alt2 icon'=>'','Arrow up-alt icon'=>'','Arrow up icon'=>'','Arrow right-alt2 icon'=>'','Arrow right-alt icon'=>'','Arrow right icon'=>'','Arrow left-alt2 icon'=>'','Arrow left-alt icon'=>'','Arrow left icon'=>'','Arrow down-alt2 icon'=>'','Arrow down-alt icon'=>'','Arrow down icon'=>'','Archive icon'=>'','Analytics icon'=>'','Align-right icon'=>'','Align-none icon'=>'','Align-left icon'=>'','Align-center icon'=>'','Album icon'=>'','Users icon'=>'','Tools icon'=>'','Site icon'=>'','Settings icon'=>'','Post icon'=>'','Plugins icon'=>'','Page icon'=>'','Network icon'=>'','Multisite icon'=>'','Media icon'=>'','Links icon'=>'','Home icon'=>'','Customizer icon'=>'','Comments icon'=>'','Collapse icon'=>'','Appearance icon'=>'','Generic icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'','Enable Transparency'=>'','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'','post statusActive'=>'','\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last updated: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Location not found: %s'=>'Location not found: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Clone Field'=>'Clone Field','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Required'=>'','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks…','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Supports'=>'','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Sync available','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archives URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','Filter by Role'=>'','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Allow Null'=>'','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialized until field is clicked','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual & Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialize TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Featured Image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search…','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Allowed File Types'=>'','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Stylized UI'=>'','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customize the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address…','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No Fields found in Trash','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in Trash','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customize WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'en_CA','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-en_GB.l10n.php b/lang/acf-en_GB.l10n.php
index 0fbb35f..ac1e6c1 100644
--- a/lang/acf-en_GB.l10n.php
+++ b/lang/acf-en_GB.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'en_GB','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Update Source','By default only admin users can edit this setting.'=>'By default, only admin users can edit this setting.','By default only super admin users can edit this setting.'=>'By default, only super admin users can edit this setting.','Close and Add Field'=>'Close and Add Field','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF was unable to perform validation due to an invalid security nonce being provided.','Allow Access to Value in Editor UI'=>'Allow Access to Value in Editor UI','Learn more.'=>'Learn more.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'The requested ACF field type does not support output in Block Bindings or the ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'The requested ACF field type does not support output in bindings or the ACF Shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[The ACF shortcode cannot display fields from non-public posts]','[The ACF shortcode is disabled on this site]'=>'[The ACF shortcode is disabled on this site]','Businessman Icon'=>'Businessman Icon','Forums Icon'=>'Forums Icon','YouTube Icon'=>'YouTube Icon','Yes (alt) Icon'=>'Yes (alt) Icon','Xing Icon'=>'Xing Icon','WordPress (alt) Icon'=>'WordPress (alt) Icon','WhatsApp Icon'=>'WhatsApp Icon','Write Blog Icon'=>'Write Blog Icon','Widgets Menus Icon'=>'Widgets Menus Icon','View Site Icon'=>'View Site Icon','Learn More Icon'=>'Learn More Icon','Add Page Icon'=>'Add Page Icon','Video (alt3) Icon'=>'Video (alt3) Icon','Video (alt2) Icon'=>'Video (alt2) Icon','Video (alt) Icon'=>'Video (alt) Icon','Update (alt) Icon'=>'Update (alt) Icon','Universal Access (alt) Icon'=>'Universal Access (alt) Icon','Twitter (alt) Icon'=>'Twitter (alt) Icon','Twitch Icon'=>'Twitch Icon','Tide Icon'=>'Tide Icon','Tickets (alt) Icon'=>'Tickets (alt) Icon','Text Page Icon'=>'Text Page Icon','Table Row Delete Icon'=>'Table Row Delete Icon','Table Row Before Icon'=>'Table Row Before Icon','Table Row After Icon'=>'Table Row After Icon','Table Col Delete Icon'=>'Table Col Delete Icon','Table Col Before Icon'=>'Table Col Before Icon','Table Col After Icon'=>'Table Col After Icon','Superhero (alt) Icon'=>'Superhero (alt) Icon','Superhero Icon'=>'Superhero Icon','Spotify Icon'=>'Spotify Icon','Shortcode Icon'=>'Shortcode Icon','Shield (alt) Icon'=>'Shield (alt) Icon','Share (alt2) Icon'=>'Share (alt2) Icon','Share (alt) Icon'=>'Share (alt) Icon','Saved Icon'=>'Saved Icon','RSS Icon'=>'RSS Icon','REST API Icon'=>'REST API Icon','Remove Icon'=>'Remove Icon','Reddit Icon'=>'Reddit Icon','Privacy Icon'=>'Privacy Icon','Printer Icon'=>'Printer Icon','Podio Icon'=>'Podio Icon','Plus (alt2) Icon'=>'Plus (alt2) Icon','Plus (alt) Icon'=>'Plus (alt) Icon','Plugins Checked Icon'=>'Plugins Checked Icon','Pinterest Icon'=>'Pinterest Icon','Pets Icon'=>'Pets Icon','PDF Icon'=>'PDF Icon','Palm Tree Icon'=>'Palm Tree Icon','Open Folder Icon'=>'Open Folder Icon','No (alt) Icon'=>'No (alt) Icon','Money (alt) Icon'=>'Money (alt) Icon','Menu (alt3) Icon'=>'Menu (alt3) Icon','Menu (alt2) Icon'=>'Menu (alt2) Icon','Menu (alt) Icon'=>'Menu (alt) Icon','Spreadsheet Icon'=>'Spreadsheet Icon','Interactive Icon'=>'Interactive Icon','Document Icon'=>'Document Icon','Default Icon'=>'Default Icon','Location (alt) Icon'=>'Location (alt) Icon','LinkedIn Icon'=>'LinkedIn Icon','Instagram Icon'=>'Instagram Icon','Insert Before Icon'=>'Insert Before Icon','Insert After Icon'=>'Insert After Icon','Insert Icon'=>'Insert Icon','Info Outline Icon'=>'Info Outline Icon','Images (alt2) Icon'=>'Images (alt2) Icon','Images (alt) Icon'=>'Images (alt) Icon','Rotate Right Icon'=>'Rotate Right Icon','Rotate Left Icon'=>'Rotate Left Icon','Rotate Icon'=>'Rotate Icon','Flip Vertical Icon'=>'Flip Vertical Icon','Flip Horizontal Icon'=>'Flip Horizontal Icon','Crop Icon'=>'Crop Icon','ID (alt) Icon'=>'ID (alt) icon','HTML Icon'=>'HTML Icon','Hourglass Icon'=>'Hourglass Icon','Heading Icon'=>'Heading Icon','Google Icon'=>'Google Icon','Games Icon'=>'Games Icon','Fullscreen Exit (alt) Icon'=>'Fullscreen Exit (alt) Icon','Fullscreen (alt) Icon'=>'Fullscreen (alt) Icon','Status Icon'=>'Status Icon','Image Icon'=>'Image Icon','Gallery Icon'=>'Gallery Icon','Chat Icon'=>'Chat Icon','Audio Icon'=>'Audio Icon','Aside Icon'=>'Aside Icon','Food Icon'=>'Food Icon','Exit Icon'=>'Exit Icon','Excerpt View Icon'=>'Excerpt View Icon','Embed Video Icon'=>'Embed Video Icon','Embed Post Icon'=>'Embed Post Icon','Embed Photo Icon'=>'Embed Photo Icon','Embed Generic Icon'=>'Embed Generic Icon','Embed Audio Icon'=>'Embed Audio Icon','Email (alt2) Icon'=>'Email (alt2) Icon','Ellipsis Icon'=>'Ellipsis Icon','Unordered List Icon'=>'Unordered List Icon','RTL Icon'=>'RTL Icon','Ordered List RTL Icon'=>'Ordered List RTL Icon','Ordered List Icon'=>'Ordered List Icon','LTR Icon'=>'LTR Icon','Custom Character Icon'=>'Custom Character Icon','Edit Page Icon'=>'Edit Page Icon','Edit Large Icon'=>'Edit Large Icon','Drumstick Icon'=>'Drumstick Icon','Database View Icon'=>'Database View Icon','Database Remove Icon'=>'Database Remove Icon','Database Import Icon'=>'Database Import Icon','Database Export Icon'=>'Database Export Icon','Database Add Icon'=>'Database Add Icon','Database Icon'=>'Database Icon','Cover Image Icon'=>'Cover Image Icon','Volume On Icon'=>'Volume On Icon','Volume Off Icon'=>'Volume Off Icon','Skip Forward Icon'=>'Skip Forward Icon','Skip Back Icon'=>'Skip Back Icon','Repeat Icon'=>'Repeat Icon','Play Icon'=>'Play Icon','Pause Icon'=>'Pause Icon','Forward Icon'=>'Forward Icon','Back Icon'=>'Back Icon','Columns Icon'=>'Columns Icon','Color Picker Icon'=>'Colour Picker Icon','Coffee Icon'=>'Coffee Icon','Code Standards Icon'=>'Code Standards Icon','Cloud Upload Icon'=>'Cloud Upload Icon','Cloud Saved Icon'=>'Cloud Saved Icon','Car Icon'=>'Car Icon','Camera (alt) Icon'=>'Camera (alt) Icon','Calculator Icon'=>'Calculator Icon','Button Icon'=>'Button Icon','Businessperson Icon'=>'Businessperson Icon','Tracking Icon'=>'Tracking Icon','Topics Icon'=>'Topics Icon','Replies Icon'=>'Replies Icon','PM Icon'=>'PM icon','Friends Icon'=>'Friends Icon','Community Icon'=>'Community Icon','BuddyPress Icon'=>'BuddyPress Icon','bbPress Icon'=>'bbPress icon','Activity Icon'=>'Activity Icon','Book (alt) Icon'=>'Book (alt) Icon','Block Default Icon'=>'Block Default Icon','Bell Icon'=>'Bell Icon','Beer Icon'=>'Beer Icon','Bank Icon'=>'Bank Icon','Arrow Up (alt2) Icon'=>'Arrow Up (alt2) Icon','Arrow Up (alt) Icon'=>'Arrow Up (alt) Icon','Arrow Right (alt2) Icon'=>'Arrow Right (alt2) Icon','Arrow Right (alt) Icon'=>'Arrow Right (alt) Icon','Arrow Left (alt2) Icon'=>'Arrow Left (alt2) Icon','Arrow Left (alt) Icon'=>'Arrow Left (alt) Icon','Arrow Down (alt2) Icon'=>'Arrow Down (alt2) Icon','Arrow Down (alt) Icon'=>'Arrow Down (alt) Icon','Amazon Icon'=>'Amazon Icon','Align Wide Icon'=>'Align Wide Icon','Align Pull Right Icon'=>'Align Pull Right Icon','Align Pull Left Icon'=>'Align Pull Left Icon','Align Full Width Icon'=>'Align Full Width Icon','Airplane Icon'=>'Aeroplane Icon','Site (alt3) Icon'=>'Site (alt3) Icon','Site (alt2) Icon'=>'Site (alt2) Icon','Site (alt) Icon'=>'Site (alt) Icon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade to ACF PRO to create options pages in just a few clicks','Invalid request args.'=>'Invalid request args.','Sorry, you do not have permission to do that.'=>'Sorry, you do not have permission to do that.','Blocks Using Post Meta'=>'Blocks Using Post Meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO Logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s requires a valid attachment ID when type is set to media_library.','%s is a required property of acf.'=>'%s is a required property of acf.','The value of icon to save.'=>'The value of icon to save.','The type of icon to save.'=>'The type of icon to save.','Yes Icon'=>'Yes icon','WordPress Icon'=>'WordPress icon','Warning Icon'=>'Warning icon','Visibility Icon'=>'Visibility icon','Vault Icon'=>'Vault icon','Upload Icon'=>'Upload icon','Update Icon'=>'Update icon','Unlock Icon'=>'Unlock icon','Universal Access Icon'=>'Universal access icon','Undo Icon'=>'Undo icon','Twitter Icon'=>'X icon','Trash Icon'=>'Bin icon','Translation Icon'=>'Translation icon','Tickets Icon'=>'Tickets icon','Thumbs Up Icon'=>'Thumbs up icon','Thumbs Down Icon'=>'Thumbs down icon','Text Icon'=>'Text icon','Testimonial Icon'=>'Testimonial icon','Tagcloud Icon'=>'Tag cloud icon','Tag Icon'=>'Tag icon','Tablet Icon'=>'Tablet icon','Store Icon'=>'Store icon','Sticky Icon'=>'Sticky icon','Star Half Icon'=>'Star half icon','Star Filled Icon'=>'Star filled icon','Star Empty Icon'=>'Star empty icon','Sos Icon'=>'SOS icon','Sort Icon'=>'Sort icon','Smiley Icon'=>'Smiley icon','Smartphone Icon'=>'Smartphone icon','Slides Icon'=>'Slides icon','Shield Icon'=>'Shield icon','Share Icon'=>'Share icon','Search Icon'=>'Search icon','Screen Options Icon'=>'Screen options icon','Schedule Icon'=>'Schedule icon','Redo Icon'=>'Redo icon','Randomize Icon'=>'Randomise icon','Products Icon'=>'Products icon','Pressthis Icon'=>'Pressthis icon','Post Status Icon'=>'Post status icon','Portfolio Icon'=>'Portfolio icon','Plus Icon'=>'Plus icon','Playlist Video Icon'=>'Playlist video icon','Playlist Audio Icon'=>'Playlist audio icon','Phone Icon'=>'Phone icon','Performance Icon'=>'Performance icon','Paperclip Icon'=>'Paper clip icon','No Icon'=>'No icon','Networking Icon'=>'Networking icon','Nametag Icon'=>'Name tag icon','Move Icon'=>'Move icon','Money Icon'=>'Money icon','Minus Icon'=>'Minus icon','Migrate Icon'=>'Migrate icon','Microphone Icon'=>'Microphone icon','Megaphone Icon'=>'Megaphone icon','Marker Icon'=>'Marker icon','Lock Icon'=>'Lock icon','Location Icon'=>'Location icon','List View Icon'=>'List view icon','Lightbulb Icon'=>'Lightbulb icon','Left Right Icon'=>'Left right icon','Layout Icon'=>'Layout icon','Laptop Icon'=>'Laptop icon','Info Icon'=>'Info icon','Index Card Icon'=>'Index card icon','ID Icon'=>'ID icon','Hidden Icon'=>'Hidden icon','Heart Icon'=>'Heart icon','Hammer Icon'=>'Hammer icon','Groups Icon'=>'Groups icon','Grid View Icon'=>'Grid view icon','Forms Icon'=>'Forms icon','Flag Icon'=>'Flag icon','Filter Icon'=>'Filter icon','Feedback Icon'=>'Feedback icon','Facebook (alt) Icon'=>'Facebook (alt) icon','Facebook Icon'=>'Facebook icon','External Icon'=>'External icon','Email (alt) Icon'=>'Email (alt) icon','Email Icon'=>'Email icon','Video Icon'=>'Video icon','Unlink Icon'=>'Unlink icon','Underline Icon'=>'Underline icon','Text Color Icon'=>'Text colour icon','Table Icon'=>'Table icon','Strikethrough Icon'=>'Strikethrough icon','Spellcheck Icon'=>'Spellcheck icon','Remove Formatting Icon'=>'Remove formatting icon','Quote Icon'=>'Quote icon','Paste Word Icon'=>'Paste word icon','Paste Text Icon'=>'Paste text icon','Paragraph Icon'=>'Paragraph icon','Outdent Icon'=>'Outdent icon','Kitchen Sink Icon'=>'Kitchen sink icon','Justify Icon'=>'Justify icon','Italic Icon'=>'Italic icon','Insert More Icon'=>'Insert more icon','Indent Icon'=>'Indent icon','Help Icon'=>'Help icon','Expand Icon'=>'Expand icon','Contract Icon'=>'Contract icon','Code Icon'=>'Code icon','Break Icon'=>'Break icon','Bold Icon'=>'Bold icon','Edit Icon'=>'Edit icon','Download Icon'=>'Download icon','Dismiss Icon'=>'Dismiss icon','Desktop Icon'=>'Desktop icon','Dashboard Icon'=>'Dashboard icon','Cloud Icon'=>'Cloud icon','Clock Icon'=>'Clock icon','Clipboard Icon'=>'Clipboard icon','Chart Pie Icon'=>'Chart pie icon','Chart Line Icon'=>'Chart line icon','Chart Bar Icon'=>'Chart bar icon','Chart Area Icon'=>'Chart area icon','Category Icon'=>'Category icon','Cart Icon'=>'Basket icon','Carrot Icon'=>'Carrot icon','Camera Icon'=>'Camera icon','Calendar (alt) Icon'=>'Calendar (alt) icon','Calendar Icon'=>'Calendar icon','Businesswoman Icon'=>'Businesswoman icon','Building Icon'=>'Building icon','Book Icon'=>'Book icon','Backup Icon'=>'Backup icon','Awards Icon'=>'Awards icon','Art Icon'=>'Art icon','Arrow Up Icon'=>'Arrow up icon','Arrow Right Icon'=>'Arrow right icon','Arrow Left Icon'=>'Arrow left icon','Arrow Down Icon'=>'Arrow down icon','Archive Icon'=>'Archive icon','Analytics Icon'=>'Analytics icon','Align Right Icon'=>'Align right icon','Align None Icon'=>'Align none icon','Align Left Icon'=>'Align left icon','Align Center Icon'=>'Align centre icon','Album Icon'=>'Album icon','Users Icon'=>'Users icon','Tools Icon'=>'Tools icon','Site Icon'=>'Site icon','Settings Icon'=>'Settings icon','Post Icon'=>'Post icon','Plugins Icon'=>'Plugins icon','Page Icon'=>'Page icon','Network Icon'=>'Network icon','Multisite Icon'=>'Multisite icon','Media Icon'=>'Media icon','Links Icon'=>'Links icon','Home Icon'=>'Home icon','Customizer Icon'=>'Customiser icon','Comments Icon'=>'Comments icon','Collapse Icon'=>'Collapse icon','Appearance Icon'=>'Appearance icon','Generic Icon'=>'Generic icon','Icon picker requires a value.'=>'Icon picker requires a value.','Icon picker requires an icon type.'=>'Icon picker requires an icon type.','The available icons matching your search query have been updated in the icon picker below.'=>'The available icons matching your search query have been updated in the icon picker below.','No results found for that search term'=>'No results found for that search term','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specify the return format for the icon. %s','Select where content editors can choose the icon from.'=>'Select where content editors can choose the icon from.','The URL to the icon you\'d like to use, or svg as Data URI'=>'The URL to the icon you\'d like to use, or svg as Data URI','Browse Media Library'=>'Browse Media Library','The currently selected image preview'=>'The currently selected image preview','Click to change the icon in the Media Library'=>'Click to change the icon in the Media Library','Search icons...'=>'Search icons...','Media Library'=>'Media Library','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.','Icon Picker'=>'Icon Picker','JSON Load Paths'=>'JSON Load Paths','JSON Save Paths'=>'JSON Save Paths','Registered ACF Forms'=>'Registered ACF Forms','Shortcode Enabled'=>'Shortcode Enabled','Field Settings Tabs Enabled'=>'Field Settings Tabs Enabled','Field Type Modal Enabled'=>'Field Type Modal Enabled','Admin UI Enabled'=>'Admin UI Enabled','Block Preloading Enabled'=>'Block Preloading Enabled','Blocks Per ACF Block Version'=>'Blocks Per ACF Block Version','Blocks Per API Version'=>'Blocks Per API Version','Registered ACF Blocks'=>'Registered ACF Blocks','Light'=>'Light','Standard'=>'Standard','REST API Format'=>'REST API Format','Registered Options Pages (PHP)'=>'Registered Options Pages (PHP)','Registered Options Pages (JSON)'=>'Registered Options Pages (JSON)','Registered Options Pages (UI)'=>'Registered Options Pages (UI)','Options Pages UI Enabled'=>'Options Pages UI Enabled','Registered Taxonomies (JSON)'=>'Registered Taxonomies (JSON)','Registered Taxonomies (UI)'=>'Registered Taxonomies (UI)','Registered Post Types (JSON)'=>'Registered Post Types (JSON)','Registered Post Types (UI)'=>'Registered Post Types (UI)','Post Types and Taxonomies Enabled'=>'Post Types and Taxonomies Enabled','Number of Third Party Fields by Field Type'=>'Number of Third Party Fields by Field Type','Number of Fields by Field Type'=>'Number of Fields by Field Type','Field Groups Enabled for GraphQL'=>'Field Groups Enabled for GraphQL','Field Groups Enabled for REST API'=>'Field Groups Enabled for REST API','Registered Field Groups (JSON)'=>'Registered Field Groups (JSON)','Registered Field Groups (PHP)'=>'Registered Field Groups (PHP)','Registered Field Groups (UI)'=>'Registered Field Groups (UI)','Active Plugins'=>'Active Plugins','Parent Theme'=>'Parent Theme','Active Theme'=>'Active Theme','Is Multisite'=>'Is Multisite','MySQL Version'=>'MySQL Version','WordPress Version'=>'WordPress Version','Subscription Expiry Date'=>'Subscription Expiry Date','License Status'=>'Licence Status','License Type'=>'Licence Type','Licensed URL'=>'Licensed URL','License Activated'=>'Licence Activated','Free'=>'Free','Plugin Type'=>'Plugin Type','Plugin Version'=>'Plugin Version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'This section contains debug information about your ACF configuration which can be useful to provide to support.','An ACF Block on this page requires attention before you can save.'=>'An ACF Block on this page requires attention before you can save.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.','Dismiss permanently'=>'Dismiss permanently','Instructions for content editors. Shown when submitting data.'=>'Instructions for content editors. Shown when submitting data.','Has no term selected'=>'Has no term selected','Has any term selected'=>'Has any term selected','Terms do not contain'=>'Terms do not contain','Terms contain'=>'Terms contain','Term is not equal to'=>'Term is not equal to','Term is equal to'=>'Term is equal to','Has no user selected'=>'Has no user selected','Has any user selected'=>'Has any user selected','Users do not contain'=>'Users do not contain','Users contain'=>'Users contain','User is not equal to'=>'User is not equal to','User is equal to'=>'User is equal to','Has no page selected'=>'Has no page selected','Has any page selected'=>'Has any page selected','Pages do not contain'=>'Pages do not contain','Pages contain'=>'Pages contain','Page is not equal to'=>'Page is not equal to','Page is equal to'=>'Page is equal to','Has no relationship selected'=>'Has no relationship selected','Has any relationship selected'=>'Has any relationship selected','Has no post selected'=>'Has no post selected','Has any post selected'=>'Has any post selected','Posts do not contain'=>'Posts do not contain','Posts contain'=>'Posts contain','Post is not equal to'=>'Post is not equal to','Post is equal to'=>'Post is equal to','Relationships do not contain'=>'Relationships do not contain','Relationships contain'=>'Relationships contain','Relationship is not equal to'=>'Relationship is not equal to','Relationship is equal to'=>'Relationship is equal to','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF Fields','ACF PRO Feature'=>'ACF PRO Feature','Renew PRO to Unlock'=>'Renew PRO to Unlock','Renew PRO License'=>'Renew PRO Licence','PRO fields cannot be edited without an active license.'=>'PRO fields cannot be edited without an active licence.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Please activate your ACF PRO licence to edit field groups assigned to an ACF Block.','Please activate your ACF PRO license to edit this options page.'=>'Please activate your ACF PRO licence to edit this options page.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.','Please contact your site administrator or developer for more details.'=>'Please contact your site administrator or developer for more details.','Learn more'=>'Learn more','Hide details'=>'Hide details','Show details'=>'Show details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - rendered via %3$s','Renew ACF PRO License'=>'Renew ACF PRO Licence','Renew License'=>'Renew Licence','Manage License'=>'Manage Licence','\'High\' position not supported in the Block Editor'=>'\'High\' position not supported in the Block Editor','Upgrade to ACF PRO'=>'Upgrade to ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.','Add Options Page'=>'Add Options Page','In the editor used as the placeholder of the title.'=>'In the editor used as the placeholder of the title.','Title Placeholder'=>'Title Placeholder','4 Months Free'=>'4 Months Free','(Duplicated from %s)'=>'(Duplicated from %s)','Select Options Pages'=>'Select Options Pages','Duplicate taxonomy'=>'Duplicate taxonomy','Create taxonomy'=>'Create taxonomy','Duplicate post type'=>'Duplicate post type','Create post type'=>'Create post type','Link field groups'=>'Link field groups','Add fields'=>'Add fields','This Field'=>'This Field','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Support','is developed and maintained by'=>'is developed and maintained by','Add this %s to the location rules of the selected field groups.'=>'Add this %s to the location rules of the selected field groups.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy','Target Field'=>'Target Field','Update a field on the selected values, referencing back to this ID'=>'Update a field on the selected values, referencing back to this ID','Bidirectional'=>'Bidirectional','%s Field'=>'%s Field','Select Multiple'=>'Select Multiple','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Lower case letters, underscores and dashes only, Max 32 characters.','The capability name for assigning terms of this taxonomy.'=>'The capability name for assigning terms of this taxonomy.','Assign Terms Capability'=>'Assign Terms Capability','The capability name for deleting terms of this taxonomy.'=>'The capability name for deleting terms of this taxonomy.','Delete Terms Capability'=>'Delete Terms Capability','The capability name for editing terms of this taxonomy.'=>'The capability name for editing terms of this taxonomy.','Edit Terms Capability'=>'Edit Terms Capability','The capability name for managing terms of this taxonomy.'=>'The capability name for managing terms of this taxonomy.','Manage Terms Capability'=>'Manage Terms Capability','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Sets whether posts should be excluded from search results and taxonomy archive pages.','More Tools from WP Engine'=>'More Tools from WP Engine','Built for those that build with WordPress, by the team at %s'=>'Built for those that build with WordPress, by the team at %s','View Pricing & Upgrade'=>'View Pricing & Upgrade','Learn More'=>'Learn More','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Unlock Advanced Features and Build Even More with ACF PRO','%s fields'=>'%s fields','No terms'=>'No terms','No post types'=>'No post types','No posts'=>'No posts','No taxonomies'=>'No taxonomies','No field groups'=>'No field groups','No fields'=>'No fields','No description'=>'No description','Any post status'=>'Any post status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'This taxonomy key is already in use by another taxonomy in ACF and cannot be used.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.','The taxonomy key must be under 32 characters.'=>'The taxonomy key must be under 32 characters.','No Taxonomies found in Trash'=>'No Taxonomies found in the bin','No Taxonomies found'=>'No Taxonomies found','Search Taxonomies'=>'Search Taxonomies','View Taxonomy'=>'View Taxonomy','New Taxonomy'=>'New Taxonomy','Edit Taxonomy'=>'Edit Taxonomy','Add New Taxonomy'=>'Add New Taxonomy','No Post Types found in Trash'=>'No Post Types found in the bin','No Post Types found'=>'No Post Types found','Search Post Types'=>'Search Post Types','View Post Type'=>'View Post Type','New Post Type'=>'New Post Type','Edit Post Type'=>'Edit Post Type','Add New Post Type'=>'Add New Post Type','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'This post type key is already in use by another post type registered outside of ACF and cannot be used.','This post type key is already in use by another post type in ACF and cannot be used.'=>'This post type key is already in use by another post type in ACF and cannot be used.','This field must not be a WordPress reserved term.'=>'This field must not be a WordPress reserved term.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'The post type key must only contain lower case alphanumeric characters, underscores or dashes.','The post type key must be under 20 characters.'=>'The post type key must be under 20 characters.','We do not recommend using this field in ACF Blocks.'=>'We do not recommend using this field in ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.','WYSIWYG Editor'=>'WYSIWYG Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Allows the selection of one or more users which can be used to create relationships between data objects.','A text input specifically designed for storing web addresses.'=>'A text input specifically designed for storing web addresses.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylised switch or checkbox.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'An interactive UI for picking a time. The time format can be customised using the field settings.','A basic textarea input for storing paragraphs of text.'=>'A basic textarea input for storing paragraphs of text.','A basic text input, useful for storing single string values.'=>'A basic text input, useful for storing single string values.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organised and structured.','A dropdown list with a selection of choices that you specify.'=>'A dropdown list with a selection of choices that you specify.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.','An input for selecting a numerical value within a specified range using a range slider element.'=>'An input for selecting a numerical value within a specified range using a range slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'A group of radio button inputs that allows the user to make a single selection from values that you specify.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'An interactive and customisable UI for picking one or many posts, pages or post type items with the option to search. ','An input for providing a password using a masked field.'=>'An input for providing a password using a masked field.','Filter by Post Status'=>'Filter by Post Status','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.','An input limited to numerical values.'=>'An input limited to numerical values.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Allows you to specify a link and its properties such as title and target using the WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Uses the native WordPress media picker to upload, or choose images.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Provides a way to structure fields into groups to better organise the data and the edit screen.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.','Uses the native WordPress media picker to upload, or choose files.'=>'Uses the native WordPress media picker to upload, or choose files.','A text input specifically designed for storing email addresses.'=>'A text input specifically designed for storing email addresses.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'An interactive UI for picking a date and time. The date return format can be customised using the field settings.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'An interactive UI for picking a date. The date return format can be customised using the field settings.','An interactive UI for selecting a color, or specifying a Hex value.'=>'An interactive UI for selecting a colour, or specifying a Hex value.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'A group of checkbox inputs that allow the user to select one, or multiple values that you specify.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'A group of buttons with values that you specify, users can choose one option from the values provided.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Allows you to group and organise custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Advanced','JSON (newer)'=>'JSON (newer)','Original'=>'Original','Invalid post ID.'=>'Invalid post ID.','Invalid post type selected for review.'=>'Invalid post type selected for review.','More'=>'More','Tutorial'=>'Tutorial','Select Field'=>'Select Field','Try a different search term or browse %s'=>'Try a different search term or browse %s','Popular fields'=>'Popular fields','No search results for \'%s\''=>'No search results for \'%s\'','Search fields...'=>'Search fields...','Select Field Type'=>'Select Field Type','Popular'=>'Popular','Add Taxonomy'=>'Add Taxonomy','Create custom taxonomies to classify post type content'=>'Create custom taxonomies to classify post type content','Add Your First Taxonomy'=>'Add Your First Taxonomy','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchical taxonomies can have descendants (like categories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Makes a taxonomy visible on the frontend and in the admin dashboard.','One or many post types that can be classified with this taxonomy.'=>'One or many post types that can be classified with this taxonomy.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optional custom controller to use instead of `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Expose this post type in the REST API.','Customize the query variable name'=>'Customise the query variable name','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Parent-child terms in URLs for hierarchical taxonomies.','Customize the slug used in the URL'=>'Customise the slug used in the URL','Permalinks for this taxonomy are disabled.'=>'Permalinks for this taxonomy are disabled.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be','Taxonomy Key'=>'Taxonomy Key','Select the type of permalink to use for this taxonomy.'=>'Select the type of permalink to use for this taxonomy.','Display a column for the taxonomy on post type listing screens.'=>'Display a column for the taxonomy on post type listing screens.','Show Admin Column'=>'Show Admin Column','Show the taxonomy in the quick/bulk edit panel.'=>'Show the taxonomy in the quick/bulk edit panel.','Quick Edit'=>'Quick Edit','List the taxonomy in the Tag Cloud Widget controls.'=>'List the taxonomy in the Tag Cloud Widget controls.','Tag Cloud'=>'Tag Cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'A PHP function name to be called for sanitising taxonomy data saved from a meta box.','Meta Box Sanitization Callback'=>'Meta Box Sanitisation Callback','Register Meta Box Callback'=>'Register Meta Box Callback','No Meta Box'=>'No Meta Box','Custom Meta Box'=>'Custom Meta Box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.','Meta Box'=>'Meta Box','Categories Meta Box'=>'Categories Meta Box','Tags Meta Box'=>'Tags Meta Box','A link to a tag'=>'A link to a tag','Describes a navigation link block variation used in the block editor.'=>'Describes a navigation link block variation used in the block editor.','A link to a %s'=>'A link to a %s','Tag Link'=>'Tag Link','Assigns a title for navigation link block variation used in the block editor.'=>'Assigns a title for navigation link block variation used in the block editor.','← Go to tags'=>'← Go to tags','Assigns the text used to link back to the main index after updating a term.'=>'Assigns the text used to link back to the main index after updating a term.','Back To Items'=>'Back To Items','← Go to %s'=>'← Go to %s','Tags list'=>'Tags list','Assigns text to the table hidden heading.'=>'Assigns text to the table hidden heading.','Tags list navigation'=>'Tags list navigation','Assigns text to the table pagination hidden heading.'=>'Assigns text to the table pagination hidden heading.','Filter by category'=>'Filter by category','Assigns text to the filter button in the posts lists table.'=>'Assigns text to the filter button in the posts lists table.','Filter By Item'=>'Filter By Item','Filter by %s'=>'Filter by %s','The description is not prominent by default; however, some themes may show it.'=>'The description is not prominent by default; however, some themes may show it.','Describes the Description field on the Edit Tags screen.'=>'Describes the Description field on the Edit Tags screen.','Description Field Description'=>'Description Field Description','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describes the Parent field on the Edit Tags screen.','Parent Field Description'=>'Parent Field Description','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.','Describes the Slug field on the Edit Tags screen.'=>'Describes the Slug field on the Edit Tags screen.','Slug Field Description'=>'Slug Field Description','The name is how it appears on your site'=>'The name is how it appears on your site','Describes the Name field on the Edit Tags screen.'=>'Describes the Name field on the Edit Tags screen.','Name Field Description'=>'Name Field Description','No tags'=>'No tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assigns the text displayed in the posts and media list tables when no tags or categories are available.','No Terms'=>'No Terms','No %s'=>'No %s','No tags found'=>'No tags found','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.','Not Found'=>'Not Found','Assigns text to the Title field of the Most Used tab.'=>'Assigns text to the Title field of the Most Used tab.','Most Used'=>'Most Used','Choose from the most used tags'=>'Choose from the most used tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.','Choose From Most Used'=>'Choose From Most Used','Choose from the most used %s'=>'Choose from the most used %s','Add or remove tags'=>'Add or remove tags','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies','Add Or Remove Items'=>'Add Or Remove Items','Add or remove %s'=>'Add or remove %s','Separate tags with commas'=>'Separate tags with commas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.','Separate Items With Commas'=>'Separate Items With Commas','Separate %s with commas'=>'Separate %s with commas','Popular Tags'=>'Popular Tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assigns popular items text. Only used for non-hierarchical taxonomies.','Popular Items'=>'Popular Items','Popular %s'=>'Popular %s','Search Tags'=>'Search Tags','Assigns search items text.'=>'Assigns search items text.','Parent Category:'=>'Parent Category:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigns parent item text, but with a colon (:) added to the end.','Parent Item With Colon'=>'Parent Item With Colon','Parent Category'=>'Parent Category','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigns parent item text. Only used on hierarchical taxonomies.','Parent Item'=>'Parent Item','Parent %s'=>'Parent %s','New Tag Name'=>'New Tag Name','Assigns the new item name text.'=>'Assigns the new item name text.','New Item Name'=>'New Item Name','New %s Name'=>'New %s Name','Add New Tag'=>'Add New Tag','Assigns the add new item text.'=>'Assigns the add new item text.','Update Tag'=>'Update Tag','Assigns the update item text.'=>'Assigns the update item text.','Update Item'=>'Update Item','Update %s'=>'Update %s','View Tag'=>'View Tag','In the admin bar to view term during editing.'=>'In the admin bar to view term during editing.','Edit Tag'=>'Edit Tag','At the top of the editor screen when editing a term.'=>'At the top of the editor screen when editing a term.','All Tags'=>'All Tags','Assigns the all items text.'=>'Assigns the all items text.','Assigns the menu name text.'=>'Assigns the menu name text.','Menu Label'=>'Menu Label','Active taxonomies are enabled and registered with WordPress.'=>'Active taxonomies are enabled and registered with WordPress.','A descriptive summary of the taxonomy.'=>'A descriptive summary of the taxonomy.','A descriptive summary of the term.'=>'A descriptive summary of the term.','Term Description'=>'Term Description','Single word, no spaces. Underscores and dashes allowed.'=>'Single word, no spaces. Underscores and dashes allowed.','Term Slug'=>'Term Slug','The name of the default term.'=>'The name of the default term.','Term Name'=>'Term Name','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.','Default Term'=>'Default Term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.','Sort Terms'=>'Sort Terms','Add Post Type'=>'Add Post Type','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Expand the functionality of WordPress beyond standard posts and pages with custom post types.','Add Your First Post Type'=>'Add Your First Post Type','I know what I\'m doing, show me all the options.'=>'I know what I\'m doing, show me all the options.','Advanced Configuration'=>'Advanced Configuration','Hierarchical post types can have descendants (like pages).'=>'Hierarchical post types can have descendants (like pages).','Hierarchical'=>'Hierarchical','Visible on the frontend and in the admin dashboard.'=>'Visible on the frontend and in the admin dashboard.','Public'=>'Public','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Lower case letters, underscores and dashes only, Max 20 characters.','Movie'=>'Movie','Singular Label'=>'Singular Label','Movies'=>'Movies','Plural Label'=>'Plural Label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optional custom controller to use instead of `WP_REST_Posts_Controller`.','Controller Class'=>'Controller Class','The namespace part of the REST API URL.'=>'The namespace part of the REST API URL.','Namespace Route'=>'Namespace Route','The base URL for the post type REST API URLs.'=>'The base URL for the post type REST API URLs.','Base URL'=>'Base URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Exposes this post type in the REST API. Required to use the block editor.','Show In REST API'=>'Show In REST API','Customize the query variable name.'=>'Customise the query variable name.','Query Variable'=>'Query Variable','No Query Variable Support'=>'No Query Variable Support','Custom Query Variable'=>'Custom Query Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.','Query Variable Support'=>'Query Variable Support','URLs for an item and items can be accessed with a query string.'=>'URLs for an item and items can be accessed with a query string.','Publicly Queryable'=>'Publicly Queryable','Custom slug for the Archive URL.'=>'Custom slug for the Archive URL.','Archive Slug'=>'Archive Slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Has an item archive that can be customised with an archive template file in your theme.','Archive'=>'Archive','Pagination support for the items URLs such as the archives.'=>'Pagination support for the items URLs such as the archives.','Pagination'=>'Pagination','RSS feed URL for the post type items.'=>'RSS feed URL for the post type items.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.','Front URL Prefix'=>'Front URL Prefix','Customize the slug used in the URL.'=>'Customise the slug used in the URL.','URL Slug'=>'URL Slug','Permalinks for this post type are disabled.'=>'Permalinks for this post type are disabled.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be','No Permalink (prevent URL rewriting)'=>'No Permalink (prevent URL rewriting)','Custom Permalink'=>'Custom Permalink','Post Type Key'=>'Post Type Key','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Rewrite the URL using the post type key as the slug. Your permalink structure will be','Permalink Rewrite'=>'Permalink Rewrite','Delete items by a user when that user is deleted.'=>'Delete items by a user when that user is deleted.','Delete With User'=>'Delete With User','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Allow the post type to be exported from \'Tools\' > \'Export\'.','Can Export'=>'Can Export','Optionally provide a plural to be used in capabilities.'=>'Optionally provide a plural to be used in capabilities.','Plural Capability Name'=>'Plural Capability Name','Choose another post type to base the capabilities for this post type.'=>'Choose another post type to base the capabilities for this post type.','Singular Capability Name'=>'Singular Capability Name','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rename Capabilities','Exclude From Search'=>'Exclude From Search','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.','Appearance Menus Support'=>'Appearance Menus Support','Appears as an item in the \'New\' menu in the admin bar.'=>'Appears as an item in the \'New\' menu in the admin bar.','Show In Admin Bar'=>'Show In Admin Bar','Custom Meta Box Callback'=>'Custom Meta Box Callback','Menu Icon'=>'Menu Icon','The position in the sidebar menu in the admin dashboard.'=>'The position in the sidebar menu in the admin dashboard.','Menu Position'=>'Menu Position','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.','Admin Menu Parent'=>'Admin Menu Parent','Admin editor navigation in the sidebar menu.'=>'Admin editor navigation in the sidebar menu.','Show In Admin Menu'=>'Show In Admin Menu','Items can be edited and managed in the admin dashboard.'=>'Items can be edited and managed in the admin dashboard.','Show In UI'=>'Show In UI','A link to a post.'=>'A link to a post.','Description for a navigation link block variation.'=>'Description for a navigation link block variation.','Item Link Description'=>'Item Link Description','A link to a %s.'=>'A link to a %s.','Post Link'=>'Post Link','Title for a navigation link block variation.'=>'Title for a navigation link block variation.','Item Link'=>'Item Link','%s Link'=>'%s Link','Post updated.'=>'Post updated.','In the editor notice after an item is updated.'=>'In the editor notice after an item is updated.','Item Updated'=>'Item Updated','%s updated.'=>'%s updated.','Post scheduled.'=>'Post scheduled.','In the editor notice after scheduling an item.'=>'In the editor notice after scheduling an item.','Item Scheduled'=>'Item Scheduled','%s scheduled.'=>'%s scheduled.','Post reverted to draft.'=>'Post reverted to draft.','In the editor notice after reverting an item to draft.'=>'In the editor notice after reverting an item to draft.','Item Reverted To Draft'=>'Item Reverted To Draft','%s reverted to draft.'=>'%s reverted to draft.','Post published privately.'=>'Post published privately.','In the editor notice after publishing a private item.'=>'In the editor notice after publishing a private item.','Item Published Privately'=>'Item Published Privately','%s published privately.'=>'%s published privately.','Post published.'=>'Post published.','In the editor notice after publishing an item.'=>'In the editor notice after publishing an item.','Item Published'=>'Item Published','%s published.'=>'%s published.','Posts list'=>'Posts list','Used by screen readers for the items list on the post type list screen.'=>'Used by screen readers for the items list on the post type list screen.','Items List'=>'Items List','%s list'=>'%s list','Posts list navigation'=>'Posts list navigation','Used by screen readers for the filter list pagination on the post type list screen.'=>'Used by screen readers for the filter list pagination on the post type list screen.','Items List Navigation'=>'Items List Navigation','%s list navigation'=>'%s list navigation','Filter posts by date'=>'Filter posts by date','Used by screen readers for the filter by date heading on the post type list screen.'=>'Used by screen readers for the filter by date heading on the post type list screen.','Filter Items By Date'=>'Filter Items By Date','Filter %s by date'=>'Filter %s by date','Filter posts list'=>'Filter posts list','Used by screen readers for the filter links heading on the post type list screen.'=>'Used by screen readers for the filter links heading on the post type list screen.','Filter Items List'=>'Filter Items List','Filter %s list'=>'Filter %s list','In the media modal showing all media uploaded to this item.'=>'In the media modal showing all media uploaded to this item.','Uploaded To This Item'=>'Uploaded To This Item','Uploaded to this %s'=>'Uploaded to this %s','Insert into post'=>'Insert into post','As the button label when adding media to content.'=>'As the button label when adding media to content.','Insert Into Media Button'=>'Insert Into Media Button','Insert into %s'=>'Insert into %s','Use as featured image'=>'Use as featured image','As the button label for selecting to use an image as the featured image.'=>'As the button label for selecting to use an image as the featured image.','Use Featured Image'=>'Use Featured Image','Remove featured image'=>'Remove featured image','As the button label when removing the featured image.'=>'As the button label when removing the featured image.','Remove Featured Image'=>'Remove Featured Image','Set featured image'=>'Set featured image','As the button label when setting the featured image.'=>'As the button label when setting the featured image.','Set Featured Image'=>'Set Featured Image','Featured image'=>'Featured image','In the editor used for the title of the featured image meta box.'=>'In the editor used for the title of the featured image meta box.','Featured Image Meta Box'=>'Featured Image Meta Box','Post Attributes'=>'Post Attributes','In the editor used for the title of the post attributes meta box.'=>'In the editor used for the title of the post attributes meta box.','Attributes Meta Box'=>'Attributes Meta Box','%s Attributes'=>'%s Attributes','Post Archives'=>'Post Archives','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a post type with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.','Archives Nav Menu'=>'Archives Nav Menu','%s Archives'=>'%s Archives','No posts found in Trash'=>'No posts found in the bin','At the top of the post type list screen when there are no posts in the trash.'=>'At the top of the post type list screen when there are no posts in the bin.','No Items Found in Trash'=>'No Items Found in the bin','No %s found in Trash'=>'No %s found in the bin','No posts found'=>'No posts found','At the top of the post type list screen when there are no posts to display.'=>'At the top of the post type list screen when there are no posts to display.','No Items Found'=>'No Items Found','No %s found'=>'No %s found','Search Posts'=>'Search Posts','At the top of the items screen when searching for an item.'=>'At the top of the items screen when searching for an item.','Search Items'=>'Search Items','Search %s'=>'Search %s','Parent Page:'=>'Parent Page:','For hierarchical types in the post type list screen.'=>'For hierarchical types in the post type list screen.','Parent Item Prefix'=>'Parent Item Prefix','Parent %s:'=>'Parent %s:','New Post'=>'New Post','New Item'=>'New Item','New %s'=>'New %s','Add New Post'=>'Add New Post','At the top of the editor screen when adding a new item.'=>'At the top of the editor screen when adding a new item.','Add New Item'=>'Add New Item','Add New %s'=>'Add New %s','View Posts'=>'View Posts','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.','View Items'=>'View Items','View Post'=>'View Post','In the admin bar to view item when editing it.'=>'In the admin bar to view item when editing it.','View Item'=>'View Item','View %s'=>'View %s','Edit Post'=>'Edit Post','At the top of the editor screen when editing an item.'=>'At the top of the editor screen when editing an item.','Edit Item'=>'Edit Item','Edit %s'=>'Edit %s','All Posts'=>'All Posts','In the post type submenu in the admin dashboard.'=>'In the post type submenu in the admin dashboard.','All Items'=>'All Items','All %s'=>'All %s','Admin menu name for the post type.'=>'Admin menu name for the post type.','Menu Name'=>'Menu Name','Regenerate all labels using the Singular and Plural labels'=>'Regenerate all labels using the Singular and Plural labels','Regenerate'=>'Regenerate','Active post types are enabled and registered with WordPress.'=>'Active post types are enabled and registered with WordPress.','A descriptive summary of the post type.'=>'A descriptive summary of the post type.','Add Custom'=>'Add Custom','Enable various features in the content editor.'=>'Enable various features in the content editor.','Post Formats'=>'Post Formats','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Select existing taxonomies to classify items of the post type.','Browse Fields'=>'Browse Fields','Nothing to import'=>'Nothing to import','. The Custom Post Type UI plugin can be deactivated.'=>'. The Custom Post Type UI plugin can be deactivated.','Imported %d item from Custom Post Type UI -'=>'Imported %d item from Custom Post Type UI -' . "\0" . 'Imported %d items from Custom Post Type UI -','Failed to import taxonomies.'=>'Failed to import taxonomies.','Failed to import post types.'=>'Failed to import post types.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nothing from Custom Post Type UI plugin selected for import.','Imported 1 item'=>'Imported 1 item' . "\0" . 'Imported %s items','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.','Import from Custom Post Type UI'=>'Import from Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.','Export - Generate PHP'=>'Export - Generate PHP','Export'=>'Export','Select Taxonomies'=>'Select Taxonomies','Select Post Types'=>'Select Post Types','Exported 1 item.'=>'Exported 1 item.' . "\0" . 'Exported %s items.','Category'=>'Category','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomy created','%s taxonomy updated'=>'%s taxonomy updated','Taxonomy draft updated.'=>'Taxonomy draft updated.','Taxonomy scheduled for.'=>'Taxonomy scheduled for.','Taxonomy submitted.'=>'Taxonomy submitted.','Taxonomy saved.'=>'Taxonomy saved.','Taxonomy deleted.'=>'Taxonomy deleted.','Taxonomy updated.'=>'Taxonomy updated.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.','Taxonomy synchronized.'=>'Taxonomy synchronised.' . "\0" . '%s taxonomies synchronised.','Taxonomy duplicated.'=>'Taxonomy duplicated.' . "\0" . '%s taxonomies duplicated.','Taxonomy deactivated.'=>'Taxonomy deactivated.' . "\0" . '%s taxonomies deactivated.','Taxonomy activated.'=>'Taxonomy activated.' . "\0" . '%s taxonomies activated.','Terms'=>'Terms','Post type synchronized.'=>'Post type synchronised.' . "\0" . '%s post types synchronised.','Post type duplicated.'=>'Post type duplicated.' . "\0" . '%s post types duplicated.','Post type deactivated.'=>'Post type deactivated.' . "\0" . '%s post types deactivated.','Post type activated.'=>'Post type activated.' . "\0" . '%s post types activated.','Post Types'=>'Post Types','Advanced Settings'=>'Advanced Settings','Basic Settings'=>'Basic Settings','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'This post type could not be registered because its key is in use by another post type registered by another plugin or theme.','Pages'=>'Pages','Link Existing Field Groups'=>'Link Existing Field Groups','%s post type created'=>'%s post type created','Add fields to %s'=>'Add fields to %s','%s post type updated'=>'%s post type updated','Post type draft updated.'=>'Post type draft updated.','Post type scheduled for.'=>'Post type scheduled for.','Post type submitted.'=>'Post type submitted.','Post type saved.'=>'Post type saved.','Post type updated.'=>'Post type updated.','Post type deleted.'=>'Post type deleted.','Type to search...'=>'Type to search...','PRO Only'=>'PRO Only','Field groups linked successfully.'=>'Field groups linked successfully.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.','ACF'=>'ACF','taxonomy'=>'taxonomy','post type'=>'post type','Done'=>'Done','Field Group(s)'=>'Field Group(s)','Select one or many field groups...'=>'Select one or many field groups...','Please select the field groups to link.'=>'Please select the field groups to link.','Field group linked successfully.'=>'Field group linked successfully.' . "\0" . 'Field groups linked successfully.','post statusRegistration Failed'=>'Registration Failed','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'This item could not be registered because its key is in use by another item registered by another plugin or theme.','REST API'=>'REST API','Permissions'=>'Permissions','URLs'=>'URLs','Visibility'=>'Visibility','Labels'=>'Labels','Field Settings Tabs'=>'Field Settings Tabs','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode value disabled for preview]','Close Modal'=>'Close Modal','Field moved to other group'=>'Field moved to other group','Close modal'=>'Close modal','Start a new group of tabs at this tab.'=>'Start a new group of tabs at this tab.','New Tab Group'=>'New Tab Group','Use a stylized checkbox using select2'=>'Use a stylised checkbox using select2','Save Other Choice'=>'Save Other Choice','Allow Other Choice'=>'Allow Other Choice','Add Toggle All'=>'Add Toggle All','Save Custom Values'=>'Save Custom Values','Allow Custom Values'=>'Allow Custom Values','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Checkbox custom values cannot be empty. Uncheck any empty values.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Save Changes','Field Group Title'=>'Field Group Title','Add title'=>'Add title','New to ACF? Take a look at our getting started guide.'=>'New to ACF? Take a look at our getting started guide.','Add Field Group'=>'Add Field Group','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF uses field groups to group custom fields together, and then attach those fields to edit screens.','Add Your First Field Group'=>'Add Your First Field Group','Options Pages'=>'Options Pages','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Gallery Field','Flexible Content Field'=>'Flexible Content Field','Repeater Field'=>'Repeater Field','Unlock Extra Features with ACF PRO'=>'Unlock Extra Features with ACF PRO','Delete Field Group'=>'Delete Field Group','Created on %1$s at %2$s'=>'Created on %1$s at %2$s','Group Settings'=>'Group Settings','Location Rules'=>'Location Rules','Choose from over 30 field types. Learn more.'=>'Choose from over 30 field types. Learn more.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.','Add Your First Field'=>'Add Your First Field','#'=>'#','Add Field'=>'Add Field','Presentation'=>'Presentation','Validation'=>'Validation','General'=>'General','Import JSON'=>'Import JSON','Export As JSON'=>'Export As JSON','Field group deactivated.'=>'Field group deactivated.' . "\0" . '%s field groups deactivated.','Field group activated.'=>'Field group activated.' . "\0" . '%s field groups activated.','Deactivate'=>'Deactivate','Deactivate this item'=>'Deactivate this item','Activate'=>'Activate','Activate this item'=>'Activate this item','Move field group to trash?'=>'Move field group to trash?','post statusInactive'=>'Inactive','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialised. This is not supported and can result in malformed or missing data. Learn how to fix this.','%1$s must have a user with the %2$s role.'=>'%1$s must have a user with the %2$s role.' . "\0" . '%1$s must have a user with one of the following roles: %2$s','%1$s must have a valid user ID.'=>'%1$s must have a valid user ID.','Invalid request.'=>'Invalid request.','%1$s is not one of %2$s'=>'%1$s is not one of %2$s','%1$s must have term %2$s.'=>'%1$s must have term %2$s.' . "\0" . '%1$s must have one of the following terms: %2$s','%1$s must be of post type %2$s.'=>'%1$s must be of post type %2$s.' . "\0" . '%1$s must be of one of the following post types: %2$s','%1$s must have a valid post ID.'=>'%1$s must have a valid post ID.','%s requires a valid attachment ID.'=>'%s requires a valid attachment ID.','Show in REST API'=>'Show in REST API','Enable Transparency'=>'Enable Transparency','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','Upgrade to PRO'=>'Upgrade to PRO','post statusActive'=>'Active','\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last updated: %s','Sorry, this post is unavailable for diff comparison.'=>'Sorry, this post is unavailable for diff comparison.','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarise yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customise WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Clone Field'=>'Clone Field','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Instruction Placement'=>'Instruction Placement','Label Placement'=>'Label Placement','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Required'=>'Required','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks...','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Supports'=>'Supports','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Sync available','Field group synchronized.'=>'Field group synchronised.' . "\0" . '%s field groups synchronised.','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archive URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','No TermsNo %s'=>'No %s','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','Filter by Role'=>'Filter by Role','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Allow Null'=>'Allow Null','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialised until field is clicked','Delay Initialization'=>'Delay Initialisation','Show Media Upload Buttons'=>'Show Media Upload Buttons','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual and Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialise TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Maximum Posts'=>'Maximum Posts','Minimum Posts'=>'Minimum Posts','Featured Image'=>'Featured Image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search...','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Allowed File Types'=>'Allowed File Types','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Stylized UI'=>'Stylised UI','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customise the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address...','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','Inactive (%s)'=>'Inactive (%s)' . "\0" . 'Inactive (%s)','No Fields found in Trash'=>'No Fields found in bin','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in bin','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customise WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Your license has expired. Please renew to continue to have access to updates, support & PRO features.'=>'Your licence has expired. Please renew to continue to have access to updates, support & PRO features.','Activate your license to enable access to updates, support & PRO features.'=>'Activate your licence to enable access to updates, support & PRO features.','To enable updates, please enter your license key on the Updates page. If you don\'t have a license key, please see details & pricing.'=>'To enable updates, please enter your licence key on the Updates page. If you don’t have a licence key, please see details & pricing.','To enable updates, please enter your license key on the Updates page of the main site. If you don\'t have a license key, please see details & pricing.'=>'To enable updates, please enter your licence key on the Updates page of the main site. If you don’t have a licence key, please see details & pricing.','Your defined license key has changed, but an error occurred when deactivating your old license'=>'Your defined licence key has changed, but an error occurred when deactivating your old licence','Your defined license key has changed, but an error occurred when connecting to activation server'=>'Your defined licence key has changed, but an error occurred when connecting to activation server','ACF PRO — Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'ACF PRO — Your licence key has been activated successfully. Access to updates, support & PRO features is now enabled.','There was an issue activating your license key.'=>'There was an issue activating your licence key.','An error occurred when connecting to activation server'=>'An error occurred when connecting to activation server','An internal error occurred when trying to check your license key. Please try again later.'=>'An internal error occurred when trying to check your licence key. Please try again later.','You have reached the activation limit for the license.'=>'You have reached the activation limit for the licence.','View your licenses'=>'View your licences','Your license key has expired and cannot be activated.'=>'Your licence key has expired and cannot be activated.','License key not found. Make sure you have copied your license key exactly as it appears in your receipt or your account.'=>'Licence key not found. Make sure you have copied your licence key exactly as it appears in your receipt or your account.','Your license key has been deactivated.'=>'Your licence key has been deactivated.','Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'Your licence key has been activated successfully. Access to updates, support & PRO features is now enabled.','An unknown error occurred while trying to validate your license: %s.'=>'An unknown error occurred while trying to validate your licence: %s.','Your license key is valid but not activated on this site. Please deactivate and then reactivate the license.'=>'Your licence key is valid but not activated on this site. Please deactivate and then reactivate the licence.','Your site URL has changed since last activating your license. We\'ve automatically activated it for this site URL.'=>'Your site URL has changed since last activating your licence. We’ve automatically activated it for this site URL.','Your site URL has changed since last activating your license, but we weren\'t able to automatically reactivate it: %s'=>'Your site URL has changed since last activating your licence, but we weren’t able to automatically reactivate it: %s','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO licence.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. Your licence for this site has expired or been deactivated. Please reactivate your ACF PRO licence.','No Options Pages found in Trash'=>'No Options Pages found in Bin','Deactivate License'=>'Deactivate Licence','Activate License'=>'Activate Licence','License Information'=>'Licence Information','License Key'=>'Licence Key','Recheck License'=>'Recheck Licence','Your license key is defined in wp-config.php.'=>'Your licence key is defined in wp-config.php.','Don\'t have an ACF PRO license? %s'=>'Don’t have an ACF PRO licence? %s','Enter your license key to unlock updates'=>'Enter your licence key to unlock updates','Please reactivate your license to unlock updates'=>'Please reactivate your licence to unlock updates']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Learn more','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF was unable to perform validation because the provided nonce failed verification.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF was unable to perform validation because no nonce was received by the server.','are developed and maintained by'=>'are developed and maintained by','Update Source'=>'Update Source','By default only admin users can edit this setting.'=>'By default, only admin users can edit this setting.','By default only super admin users can edit this setting.'=>'By default, only super admin users can edit this setting.','Close and Add Field'=>'Close and Add Field','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Allow Access to Value in Editor UI','Learn more.'=>'Learn more.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'The requested ACF field type does not support output in Block Bindings or the ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'The requested ACF field type does not support output in bindings or the ACF Shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[The ACF shortcode cannot display fields from non-public posts]','[The ACF shortcode is disabled on this site]'=>'[The ACF shortcode is disabled on this site]','Businessman Icon'=>'Businessman Icon','Forums Icon'=>'Forums Icon','YouTube Icon'=>'YouTube Icon','Yes (alt) Icon'=>'Yes (alt) Icon','Xing Icon'=>'Xing Icon','WordPress (alt) Icon'=>'WordPress (alt) Icon','WhatsApp Icon'=>'WhatsApp Icon','Write Blog Icon'=>'Write Blog Icon','Widgets Menus Icon'=>'Widgets Menus Icon','View Site Icon'=>'View Site Icon','Learn More Icon'=>'Learn More Icon','Add Page Icon'=>'Add Page Icon','Video (alt3) Icon'=>'Video (alt3) Icon','Video (alt2) Icon'=>'Video (alt2) Icon','Video (alt) Icon'=>'Video (alt) Icon','Update (alt) Icon'=>'Update (alt) Icon','Universal Access (alt) Icon'=>'Universal Access (alt) Icon','Twitter (alt) Icon'=>'Twitter (alt) Icon','Twitch Icon'=>'Twitch Icon','Tide Icon'=>'Tide Icon','Tickets (alt) Icon'=>'Tickets (alt) Icon','Text Page Icon'=>'Text Page Icon','Table Row Delete Icon'=>'Table Row Delete Icon','Table Row Before Icon'=>'Table Row Before Icon','Table Row After Icon'=>'Table Row After Icon','Table Col Delete Icon'=>'Table Col Delete Icon','Table Col Before Icon'=>'Table Col Before Icon','Table Col After Icon'=>'Table Col After Icon','Superhero (alt) Icon'=>'Superhero (alt) Icon','Superhero Icon'=>'Superhero Icon','Spotify Icon'=>'Spotify Icon','Shortcode Icon'=>'Shortcode Icon','Shield (alt) Icon'=>'Shield (alt) Icon','Share (alt2) Icon'=>'Share (alt2) Icon','Share (alt) Icon'=>'Share (alt) Icon','Saved Icon'=>'Saved Icon','RSS Icon'=>'RSS Icon','REST API Icon'=>'REST API Icon','Remove Icon'=>'Remove Icon','Reddit Icon'=>'Reddit Icon','Privacy Icon'=>'Privacy Icon','Printer Icon'=>'Printer Icon','Podio Icon'=>'Podio Icon','Plus (alt2) Icon'=>'Plus (alt2) Icon','Plus (alt) Icon'=>'Plus (alt) Icon','Plugins Checked Icon'=>'Plugins Checked Icon','Pinterest Icon'=>'Pinterest Icon','Pets Icon'=>'Pets Icon','PDF Icon'=>'PDF Icon','Palm Tree Icon'=>'Palm Tree Icon','Open Folder Icon'=>'Open Folder Icon','No (alt) Icon'=>'No (alt) Icon','Money (alt) Icon'=>'Money (alt) Icon','Menu (alt3) Icon'=>'Menu (alt3) Icon','Menu (alt2) Icon'=>'Menu (alt2) Icon','Menu (alt) Icon'=>'Menu (alt) Icon','Spreadsheet Icon'=>'Spreadsheet Icon','Interactive Icon'=>'Interactive Icon','Document Icon'=>'Document Icon','Default Icon'=>'Default Icon','Location (alt) Icon'=>'Location (alt) Icon','LinkedIn Icon'=>'LinkedIn Icon','Instagram Icon'=>'Instagram Icon','Insert Before Icon'=>'Insert Before Icon','Insert After Icon'=>'Insert After Icon','Insert Icon'=>'Insert Icon','Info Outline Icon'=>'Info Outline Icon','Images (alt2) Icon'=>'Images (alt2) Icon','Images (alt) Icon'=>'Images (alt) Icon','Rotate Right Icon'=>'Rotate Right Icon','Rotate Left Icon'=>'Rotate Left Icon','Rotate Icon'=>'Rotate Icon','Flip Vertical Icon'=>'Flip Vertical Icon','Flip Horizontal Icon'=>'Flip Horizontal Icon','Crop Icon'=>'Crop Icon','ID (alt) Icon'=>'ID (alt) icon','HTML Icon'=>'HTML Icon','Hourglass Icon'=>'Hourglass Icon','Heading Icon'=>'Heading Icon','Google Icon'=>'Google Icon','Games Icon'=>'Games Icon','Fullscreen Exit (alt) Icon'=>'Fullscreen Exit (alt) Icon','Fullscreen (alt) Icon'=>'Fullscreen (alt) Icon','Status Icon'=>'Status Icon','Image Icon'=>'Image Icon','Gallery Icon'=>'Gallery Icon','Chat Icon'=>'Chat Icon','Audio Icon'=>'Audio Icon','Aside Icon'=>'Aside Icon','Food Icon'=>'Food Icon','Exit Icon'=>'Exit Icon','Excerpt View Icon'=>'Excerpt View Icon','Embed Video Icon'=>'Embed Video Icon','Embed Post Icon'=>'Embed Post Icon','Embed Photo Icon'=>'Embed Photo Icon','Embed Generic Icon'=>'Embed Generic Icon','Embed Audio Icon'=>'Embed Audio Icon','Email (alt2) Icon'=>'Email (alt2) Icon','Ellipsis Icon'=>'Ellipsis Icon','Unordered List Icon'=>'Unordered List Icon','RTL Icon'=>'RTL Icon','Ordered List RTL Icon'=>'Ordered List RTL Icon','Ordered List Icon'=>'Ordered List Icon','LTR Icon'=>'LTR Icon','Custom Character Icon'=>'Custom Character Icon','Edit Page Icon'=>'Edit Page Icon','Edit Large Icon'=>'Edit Large Icon','Drumstick Icon'=>'Drumstick Icon','Database View Icon'=>'Database View Icon','Database Remove Icon'=>'Database Remove Icon','Database Import Icon'=>'Database Import Icon','Database Export Icon'=>'Database Export Icon','Database Add Icon'=>'Database Add Icon','Database Icon'=>'Database Icon','Cover Image Icon'=>'Cover Image Icon','Volume On Icon'=>'Volume On Icon','Volume Off Icon'=>'Volume Off Icon','Skip Forward Icon'=>'Skip Forward Icon','Skip Back Icon'=>'Skip Back Icon','Repeat Icon'=>'Repeat Icon','Play Icon'=>'Play Icon','Pause Icon'=>'Pause Icon','Forward Icon'=>'Forward Icon','Back Icon'=>'Back Icon','Columns Icon'=>'Columns Icon','Color Picker Icon'=>'Colour Picker Icon','Coffee Icon'=>'Coffee Icon','Code Standards Icon'=>'Code Standards Icon','Cloud Upload Icon'=>'Cloud Upload Icon','Cloud Saved Icon'=>'Cloud Saved Icon','Car Icon'=>'Car Icon','Camera (alt) Icon'=>'Camera (alt) Icon','Calculator Icon'=>'Calculator Icon','Button Icon'=>'Button Icon','Businessperson Icon'=>'Businessperson Icon','Tracking Icon'=>'Tracking Icon','Topics Icon'=>'Topics Icon','Replies Icon'=>'Replies Icon','PM Icon'=>'PM icon','Friends Icon'=>'Friends Icon','Community Icon'=>'Community Icon','BuddyPress Icon'=>'BuddyPress Icon','bbPress Icon'=>'bbPress icon','Activity Icon'=>'Activity Icon','Book (alt) Icon'=>'Book (alt) Icon','Block Default Icon'=>'Block Default Icon','Bell Icon'=>'Bell Icon','Beer Icon'=>'Beer Icon','Bank Icon'=>'Bank Icon','Arrow Up (alt2) Icon'=>'Arrow Up (alt2) Icon','Arrow Up (alt) Icon'=>'Arrow Up (alt) Icon','Arrow Right (alt2) Icon'=>'Arrow Right (alt2) Icon','Arrow Right (alt) Icon'=>'Arrow Right (alt) Icon','Arrow Left (alt2) Icon'=>'Arrow Left (alt2) Icon','Arrow Left (alt) Icon'=>'Arrow Left (alt) Icon','Arrow Down (alt2) Icon'=>'Arrow Down (alt2) Icon','Arrow Down (alt) Icon'=>'Arrow Down (alt) Icon','Amazon Icon'=>'Amazon Icon','Align Wide Icon'=>'Align Wide Icon','Align Pull Right Icon'=>'Align Pull Right Icon','Align Pull Left Icon'=>'Align Pull Left Icon','Align Full Width Icon'=>'Align Full Width Icon','Airplane Icon'=>'Aeroplane Icon','Site (alt3) Icon'=>'Site (alt3) Icon','Site (alt2) Icon'=>'Site (alt2) Icon','Site (alt) Icon'=>'Site (alt) Icon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade to ACF PRO to create options pages in just a few clicks','Invalid request args.'=>'Invalid request args.','Sorry, you do not have permission to do that.'=>'Sorry, you do not have permission to do that.','Blocks Using Post Meta'=>'Blocks Using Post Meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO Logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s requires a valid attachment ID when type is set to media_library.','%s is a required property of acf.'=>'%s is a required property of acf.','The value of icon to save.'=>'The value of icon to save.','The type of icon to save.'=>'The type of icon to save.','Yes Icon'=>'Yes icon','WordPress Icon'=>'WordPress icon','Warning Icon'=>'Warning icon','Visibility Icon'=>'Visibility icon','Vault Icon'=>'Vault icon','Upload Icon'=>'Upload icon','Update Icon'=>'Update icon','Unlock Icon'=>'Unlock icon','Universal Access Icon'=>'Universal access icon','Undo Icon'=>'Undo icon','Twitter Icon'=>'X icon','Trash Icon'=>'Bin icon','Translation Icon'=>'Translation icon','Tickets Icon'=>'Tickets icon','Thumbs Up Icon'=>'Thumbs up icon','Thumbs Down Icon'=>'Thumbs down icon','Text Icon'=>'Text icon','Testimonial Icon'=>'Testimonial icon','Tagcloud Icon'=>'Tag cloud icon','Tag Icon'=>'Tag icon','Tablet Icon'=>'Tablet icon','Store Icon'=>'Store icon','Sticky Icon'=>'Sticky icon','Star Half Icon'=>'Star half icon','Star Filled Icon'=>'Star filled icon','Star Empty Icon'=>'Star empty icon','Sos Icon'=>'SOS icon','Sort Icon'=>'Sort icon','Smiley Icon'=>'Smiley icon','Smartphone Icon'=>'Smartphone icon','Slides Icon'=>'Slides icon','Shield Icon'=>'Shield icon','Share Icon'=>'Share icon','Search Icon'=>'Search icon','Screen Options Icon'=>'Screen options icon','Schedule Icon'=>'Schedule icon','Redo Icon'=>'Redo icon','Randomize Icon'=>'Randomise icon','Products Icon'=>'Products icon','Pressthis Icon'=>'Pressthis icon','Post Status Icon'=>'Post status icon','Portfolio Icon'=>'Portfolio icon','Plus Icon'=>'Plus icon','Playlist Video Icon'=>'Playlist video icon','Playlist Audio Icon'=>'Playlist audio icon','Phone Icon'=>'Phone icon','Performance Icon'=>'Performance icon','Paperclip Icon'=>'Paper clip icon','No Icon'=>'No icon','Networking Icon'=>'Networking icon','Nametag Icon'=>'Name tag icon','Move Icon'=>'Move icon','Money Icon'=>'Money icon','Minus Icon'=>'Minus icon','Migrate Icon'=>'Migrate icon','Microphone Icon'=>'Microphone icon','Megaphone Icon'=>'Megaphone icon','Marker Icon'=>'Marker icon','Lock Icon'=>'Lock icon','Location Icon'=>'Location icon','List View Icon'=>'List view icon','Lightbulb Icon'=>'Lightbulb icon','Left Right Icon'=>'Left right icon','Layout Icon'=>'Layout icon','Laptop Icon'=>'Laptop icon','Info Icon'=>'Info icon','Index Card Icon'=>'Index card icon','ID Icon'=>'ID icon','Hidden Icon'=>'Hidden icon','Heart Icon'=>'Heart icon','Hammer Icon'=>'Hammer icon','Groups Icon'=>'Groups icon','Grid View Icon'=>'Grid view icon','Forms Icon'=>'Forms icon','Flag Icon'=>'Flag icon','Filter Icon'=>'Filter icon','Feedback Icon'=>'Feedback icon','Facebook (alt) Icon'=>'Facebook (alt) icon','Facebook Icon'=>'Facebook icon','External Icon'=>'External icon','Email (alt) Icon'=>'Email (alt) icon','Email Icon'=>'Email icon','Video Icon'=>'Video icon','Unlink Icon'=>'Unlink icon','Underline Icon'=>'Underline icon','Text Color Icon'=>'Text colour icon','Table Icon'=>'Table icon','Strikethrough Icon'=>'Strikethrough icon','Spellcheck Icon'=>'Spellcheck icon','Remove Formatting Icon'=>'Remove formatting icon','Quote Icon'=>'Quote icon','Paste Word Icon'=>'Paste word icon','Paste Text Icon'=>'Paste text icon','Paragraph Icon'=>'Paragraph icon','Outdent Icon'=>'Outdent icon','Kitchen Sink Icon'=>'Kitchen sink icon','Justify Icon'=>'Justify icon','Italic Icon'=>'Italic icon','Insert More Icon'=>'Insert more icon','Indent Icon'=>'Indent icon','Help Icon'=>'Help icon','Expand Icon'=>'Expand icon','Contract Icon'=>'Contract icon','Code Icon'=>'Code icon','Break Icon'=>'Break icon','Bold Icon'=>'Bold icon','Edit Icon'=>'Edit icon','Download Icon'=>'Download icon','Dismiss Icon'=>'Dismiss icon','Desktop Icon'=>'Desktop icon','Dashboard Icon'=>'Dashboard icon','Cloud Icon'=>'Cloud icon','Clock Icon'=>'Clock icon','Clipboard Icon'=>'Clipboard icon','Chart Pie Icon'=>'Chart pie icon','Chart Line Icon'=>'Chart line icon','Chart Bar Icon'=>'Chart bar icon','Chart Area Icon'=>'Chart area icon','Category Icon'=>'Category icon','Cart Icon'=>'Basket icon','Carrot Icon'=>'Carrot icon','Camera Icon'=>'Camera icon','Calendar (alt) Icon'=>'Calendar (alt) icon','Calendar Icon'=>'Calendar icon','Businesswoman Icon'=>'Businesswoman icon','Building Icon'=>'Building icon','Book Icon'=>'Book icon','Backup Icon'=>'Backup icon','Awards Icon'=>'Awards icon','Art Icon'=>'Art icon','Arrow Up Icon'=>'Arrow up icon','Arrow Right Icon'=>'Arrow right icon','Arrow Left Icon'=>'Arrow left icon','Arrow Down Icon'=>'Arrow down icon','Archive Icon'=>'Archive icon','Analytics Icon'=>'Analytics icon','Align Right Icon'=>'Align right icon','Align None Icon'=>'Align none icon','Align Left Icon'=>'Align left icon','Align Center Icon'=>'Align centre icon','Album Icon'=>'Album icon','Users Icon'=>'Users icon','Tools Icon'=>'Tools icon','Site Icon'=>'Site icon','Settings Icon'=>'Settings icon','Post Icon'=>'Post icon','Plugins Icon'=>'Plugins icon','Page Icon'=>'Page icon','Network Icon'=>'Network icon','Multisite Icon'=>'Multisite icon','Media Icon'=>'Media icon','Links Icon'=>'Links icon','Home Icon'=>'Home icon','Customizer Icon'=>'Customiser icon','Comments Icon'=>'Comments icon','Collapse Icon'=>'Collapse icon','Appearance Icon'=>'Appearance icon','Generic Icon'=>'Generic icon','Icon picker requires a value.'=>'Icon picker requires a value.','Icon picker requires an icon type.'=>'Icon picker requires an icon type.','The available icons matching your search query have been updated in the icon picker below.'=>'The available icons matching your search query have been updated in the icon picker below.','No results found for that search term'=>'No results found for that search term','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specify the return format for the icon. %s','Select where content editors can choose the icon from.'=>'Select where content editors can choose the icon from.','The URL to the icon you\'d like to use, or svg as Data URI'=>'The URL to the icon you\'d like to use, or svg as Data URI','Browse Media Library'=>'Browse Media Library','The currently selected image preview'=>'The currently selected image preview','Click to change the icon in the Media Library'=>'Click to change the icon in the Media Library','Search icons...'=>'Search icons...','Media Library'=>'Media Library','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.','Icon Picker'=>'Icon Picker','JSON Load Paths'=>'JSON Load Paths','JSON Save Paths'=>'JSON Save Paths','Registered ACF Forms'=>'Registered ACF Forms','Shortcode Enabled'=>'Shortcode Enabled','Field Settings Tabs Enabled'=>'Field Settings Tabs Enabled','Field Type Modal Enabled'=>'Field Type Modal Enabled','Admin UI Enabled'=>'Admin UI Enabled','Block Preloading Enabled'=>'Block Preloading Enabled','Blocks Per ACF Block Version'=>'Blocks Per ACF Block Version','Blocks Per API Version'=>'Blocks Per API Version','Registered ACF Blocks'=>'Registered ACF Blocks','Light'=>'Light','Standard'=>'Standard','REST API Format'=>'REST API Format','Registered Options Pages (PHP)'=>'Registered Options Pages (PHP)','Registered Options Pages (JSON)'=>'Registered Options Pages (JSON)','Registered Options Pages (UI)'=>'Registered Options Pages (UI)','Options Pages UI Enabled'=>'Options Pages UI Enabled','Registered Taxonomies (JSON)'=>'Registered Taxonomies (JSON)','Registered Taxonomies (UI)'=>'Registered Taxonomies (UI)','Registered Post Types (JSON)'=>'Registered Post Types (JSON)','Registered Post Types (UI)'=>'Registered Post Types (UI)','Post Types and Taxonomies Enabled'=>'Post Types and Taxonomies Enabled','Number of Third Party Fields by Field Type'=>'Number of Third Party Fields by Field Type','Number of Fields by Field Type'=>'Number of Fields by Field Type','Field Groups Enabled for GraphQL'=>'Field Groups Enabled for GraphQL','Field Groups Enabled for REST API'=>'Field Groups Enabled for REST API','Registered Field Groups (JSON)'=>'Registered Field Groups (JSON)','Registered Field Groups (PHP)'=>'Registered Field Groups (PHP)','Registered Field Groups (UI)'=>'Registered Field Groups (UI)','Active Plugins'=>'Active Plugins','Parent Theme'=>'Parent Theme','Active Theme'=>'Active Theme','Is Multisite'=>'Is Multisite','MySQL Version'=>'MySQL Version','WordPress Version'=>'WordPress Version','Subscription Expiry Date'=>'Subscription Expiry Date','License Status'=>'Licence Status','License Type'=>'Licence Type','Licensed URL'=>'Licensed URL','License Activated'=>'Licence Activated','Free'=>'Free','Plugin Type'=>'Plugin Type','Plugin Version'=>'Plugin Version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'This section contains debug information about your ACF configuration which can be useful to provide to support.','An ACF Block on this page requires attention before you can save.'=>'An ACF Block on this page requires attention before you can save.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.','Dismiss permanently'=>'Dismiss permanently','Instructions for content editors. Shown when submitting data.'=>'Instructions for content editors. Shown when submitting data.','Has no term selected'=>'Has no term selected','Has any term selected'=>'Has any term selected','Terms do not contain'=>'Terms do not contain','Terms contain'=>'Terms contain','Term is not equal to'=>'Term is not equal to','Term is equal to'=>'Term is equal to','Has no user selected'=>'Has no user selected','Has any user selected'=>'Has any user selected','Users do not contain'=>'Users do not contain','Users contain'=>'Users contain','User is not equal to'=>'User is not equal to','User is equal to'=>'User is equal to','Has no page selected'=>'Has no page selected','Has any page selected'=>'Has any page selected','Pages do not contain'=>'Pages do not contain','Pages contain'=>'Pages contain','Page is not equal to'=>'Page is not equal to','Page is equal to'=>'Page is equal to','Has no relationship selected'=>'Has no relationship selected','Has any relationship selected'=>'Has any relationship selected','Has no post selected'=>'Has no post selected','Has any post selected'=>'Has any post selected','Posts do not contain'=>'Posts do not contain','Posts contain'=>'Posts contain','Post is not equal to'=>'Post is not equal to','Post is equal to'=>'Post is equal to','Relationships do not contain'=>'Relationships do not contain','Relationships contain'=>'Relationships contain','Relationship is not equal to'=>'Relationship is not equal to','Relationship is equal to'=>'Relationship is equal to','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF Fields','ACF PRO Feature'=>'ACF PRO Feature','Renew PRO to Unlock'=>'Renew PRO to Unlock','Renew PRO License'=>'Renew PRO Licence','PRO fields cannot be edited without an active license.'=>'PRO fields cannot be edited without an active licence.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Please activate your ACF PRO licence to edit field groups assigned to an ACF Block.','Please activate your ACF PRO license to edit this options page.'=>'Please activate your ACF PRO licence to edit this options page.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.','Please contact your site administrator or developer for more details.'=>'Please contact your site administrator or developer for more details.','Learn more'=>'Learn more','Hide details'=>'Hide details','Show details'=>'Show details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - rendered via %3$s','Renew ACF PRO License'=>'Renew ACF PRO Licence','Renew License'=>'Renew Licence','Manage License'=>'Manage Licence','\'High\' position not supported in the Block Editor'=>'\'High\' position not supported in the Block Editor','Upgrade to ACF PRO'=>'Upgrade to ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.','Add Options Page'=>'Add Options Page','In the editor used as the placeholder of the title.'=>'In the editor used as the placeholder of the title.','Title Placeholder'=>'Title Placeholder','4 Months Free'=>'4 Months Free','(Duplicated from %s)'=>'(Duplicated from %s)','Select Options Pages'=>'Select Options Pages','Duplicate taxonomy'=>'Duplicate taxonomy','Create taxonomy'=>'Create taxonomy','Duplicate post type'=>'Duplicate post type','Create post type'=>'Create post type','Link field groups'=>'Link field groups','Add fields'=>'Add fields','This Field'=>'This Field','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Support','is developed and maintained by'=>'is developed and maintained by','Add this %s to the location rules of the selected field groups.'=>'Add this %s to the location rules of the selected field groups.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy','Target Field'=>'Target Field','Update a field on the selected values, referencing back to this ID'=>'Update a field on the selected values, referencing back to this ID','Bidirectional'=>'Bidirectional','%s Field'=>'%s Field','Select Multiple'=>'Select Multiple','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Lower case letters, underscores and dashes only, Max 32 characters.','The capability name for assigning terms of this taxonomy.'=>'The capability name for assigning terms of this taxonomy.','Assign Terms Capability'=>'Assign Terms Capability','The capability name for deleting terms of this taxonomy.'=>'The capability name for deleting terms of this taxonomy.','Delete Terms Capability'=>'Delete Terms Capability','The capability name for editing terms of this taxonomy.'=>'The capability name for editing terms of this taxonomy.','Edit Terms Capability'=>'Edit Terms Capability','The capability name for managing terms of this taxonomy.'=>'The capability name for managing terms of this taxonomy.','Manage Terms Capability'=>'Manage Terms Capability','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Sets whether posts should be excluded from search results and taxonomy archive pages.','More Tools from WP Engine'=>'More Tools from WP Engine','Built for those that build with WordPress, by the team at %s'=>'Built for those that build with WordPress, by the team at %s','View Pricing & Upgrade'=>'View Pricing & Upgrade','Learn More'=>'Learn More','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Unlock Advanced Features and Build Even More with ACF PRO','%s fields'=>'%s fields','No terms'=>'No terms','No post types'=>'No post types','No posts'=>'No posts','No taxonomies'=>'No taxonomies','No field groups'=>'No field groups','No fields'=>'No fields','No description'=>'No description','Any post status'=>'Any post status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'This taxonomy key is already in use by another taxonomy in ACF and cannot be used.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.','The taxonomy key must be under 32 characters.'=>'The taxonomy key must be under 32 characters.','No Taxonomies found in Trash'=>'No Taxonomies found in the bin','No Taxonomies found'=>'No Taxonomies found','Search Taxonomies'=>'Search Taxonomies','View Taxonomy'=>'View Taxonomy','New Taxonomy'=>'New Taxonomy','Edit Taxonomy'=>'Edit Taxonomy','Add New Taxonomy'=>'Add New Taxonomy','No Post Types found in Trash'=>'No Post Types found in the bin','No Post Types found'=>'No Post Types found','Search Post Types'=>'Search Post Types','View Post Type'=>'View Post Type','New Post Type'=>'New Post Type','Edit Post Type'=>'Edit Post Type','Add New Post Type'=>'Add New Post Type','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'This post type key is already in use by another post type registered outside of ACF and cannot be used.','This post type key is already in use by another post type in ACF and cannot be used.'=>'This post type key is already in use by another post type in ACF and cannot be used.','This field must not be a WordPress reserved term.'=>'This field must not be a WordPress reserved term.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'The post type key must only contain lower case alphanumeric characters, underscores or dashes.','The post type key must be under 20 characters.'=>'The post type key must be under 20 characters.','We do not recommend using this field in ACF Blocks.'=>'We do not recommend using this field in ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.','WYSIWYG Editor'=>'WYSIWYG Editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Allows the selection of one or more users which can be used to create relationships between data objects.','A text input specifically designed for storing web addresses.'=>'A text input specifically designed for storing web addresses.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylised switch or checkbox.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'An interactive UI for picking a time. The time format can be customised using the field settings.','A basic textarea input for storing paragraphs of text.'=>'A basic textarea input for storing paragraphs of text.','A basic text input, useful for storing single string values.'=>'A basic text input, useful for storing single string values.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organised and structured.','A dropdown list with a selection of choices that you specify.'=>'A dropdown list with a selection of choices that you specify.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.','An input for selecting a numerical value within a specified range using a range slider element.'=>'An input for selecting a numerical value within a specified range using a range slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'A group of radio button inputs that allows the user to make a single selection from values that you specify.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'An interactive and customisable UI for picking one or many posts, pages or post type items with the option to search. ','An input for providing a password using a masked field.'=>'An input for providing a password using a masked field.','Filter by Post Status'=>'Filter by Post Status','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.','An input limited to numerical values.'=>'An input limited to numerical values.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Allows you to specify a link and its properties such as title and target using the WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Uses the native WordPress media picker to upload, or choose images.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Provides a way to structure fields into groups to better organise the data and the edit screen.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.','Uses the native WordPress media picker to upload, or choose files.'=>'Uses the native WordPress media picker to upload, or choose files.','A text input specifically designed for storing email addresses.'=>'A text input specifically designed for storing email addresses.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'An interactive UI for picking a date and time. The date return format can be customised using the field settings.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'An interactive UI for picking a date. The date return format can be customised using the field settings.','An interactive UI for selecting a color, or specifying a Hex value.'=>'An interactive UI for selecting a colour, or specifying a Hex value.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'A group of checkbox inputs that allow the user to select one, or multiple values that you specify.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'A group of buttons with values that you specify, users can choose one option from the values provided.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Allows you to group and organise custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Advanced','JSON (newer)'=>'JSON (newer)','Original'=>'Original','Invalid post ID.'=>'Invalid post ID.','Invalid post type selected for review.'=>'Invalid post type selected for review.','More'=>'More','Tutorial'=>'Tutorial','Select Field'=>'Select Field','Try a different search term or browse %s'=>'Try a different search term or browse %s','Popular fields'=>'Popular fields','No search results for \'%s\''=>'No search results for \'%s\'','Search fields...'=>'Search fields...','Select Field Type'=>'Select Field Type','Popular'=>'Popular','Add Taxonomy'=>'Add Taxonomy','Create custom taxonomies to classify post type content'=>'Create custom taxonomies to classify post type content','Add Your First Taxonomy'=>'Add Your First Taxonomy','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchical taxonomies can have descendants (like categories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Makes a taxonomy visible on the frontend and in the admin dashboard.','One or many post types that can be classified with this taxonomy.'=>'One or many post types that can be classified with this taxonomy.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optional custom controller to use instead of `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Expose this post type in the REST API.','Customize the query variable name'=>'Customise the query variable name','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Parent-child terms in URLs for hierarchical taxonomies.','Customize the slug used in the URL'=>'Customise the slug used in the URL','Permalinks for this taxonomy are disabled.'=>'Permalinks for this taxonomy are disabled.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be','Taxonomy Key'=>'Taxonomy Key','Select the type of permalink to use for this taxonomy.'=>'Select the type of permalink to use for this taxonomy.','Display a column for the taxonomy on post type listing screens.'=>'Display a column for the taxonomy on post type listing screens.','Show Admin Column'=>'Show Admin Column','Show the taxonomy in the quick/bulk edit panel.'=>'Show the taxonomy in the quick/bulk edit panel.','Quick Edit'=>'Quick Edit','List the taxonomy in the Tag Cloud Widget controls.'=>'List the taxonomy in the Tag Cloud Widget controls.','Tag Cloud'=>'Tag Cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'A PHP function name to be called for sanitising taxonomy data saved from a meta box.','Meta Box Sanitization Callback'=>'Meta Box Sanitisation Callback','Register Meta Box Callback'=>'Register Meta Box Callback','No Meta Box'=>'No Meta Box','Custom Meta Box'=>'Custom Meta Box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.','Meta Box'=>'Meta Box','Categories Meta Box'=>'Categories Meta Box','Tags Meta Box'=>'Tags Meta Box','A link to a tag'=>'A link to a tag','Describes a navigation link block variation used in the block editor.'=>'Describes a navigation link block variation used in the block editor.','A link to a %s'=>'A link to a %s','Tag Link'=>'Tag Link','Assigns a title for navigation link block variation used in the block editor.'=>'Assigns a title for navigation link block variation used in the block editor.','← Go to tags'=>'← Go to tags','Assigns the text used to link back to the main index after updating a term.'=>'Assigns the text used to link back to the main index after updating a term.','Back To Items'=>'Back To Items','← Go to %s'=>'← Go to %s','Tags list'=>'Tags list','Assigns text to the table hidden heading.'=>'Assigns text to the table hidden heading.','Tags list navigation'=>'Tags list navigation','Assigns text to the table pagination hidden heading.'=>'Assigns text to the table pagination hidden heading.','Filter by category'=>'Filter by category','Assigns text to the filter button in the posts lists table.'=>'Assigns text to the filter button in the posts lists table.','Filter By Item'=>'Filter By Item','Filter by %s'=>'Filter by %s','The description is not prominent by default; however, some themes may show it.'=>'The description is not prominent by default; however, some themes may show it.','Describes the Description field on the Edit Tags screen.'=>'Describes the Description field on the Edit Tags screen.','Description Field Description'=>'Description Field Description','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describes the Parent field on the Edit Tags screen.','Parent Field Description'=>'Parent Field Description','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.','Describes the Slug field on the Edit Tags screen.'=>'Describes the Slug field on the Edit Tags screen.','Slug Field Description'=>'Slug Field Description','The name is how it appears on your site'=>'The name is how it appears on your site','Describes the Name field on the Edit Tags screen.'=>'Describes the Name field on the Edit Tags screen.','Name Field Description'=>'Name Field Description','No tags'=>'No tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assigns the text displayed in the posts and media list tables when no tags or categories are available.','No Terms'=>'No Terms','No %s'=>'No %s','No tags found'=>'No tags found','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.','Not Found'=>'Not Found','Assigns text to the Title field of the Most Used tab.'=>'Assigns text to the Title field of the Most Used tab.','Most Used'=>'Most Used','Choose from the most used tags'=>'Choose from the most used tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.','Choose From Most Used'=>'Choose From Most Used','Choose from the most used %s'=>'Choose from the most used %s','Add or remove tags'=>'Add or remove tags','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies','Add Or Remove Items'=>'Add Or Remove Items','Add or remove %s'=>'Add or remove %s','Separate tags with commas'=>'Separate tags with commas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.','Separate Items With Commas'=>'Separate Items With Commas','Separate %s with commas'=>'Separate %s with commas','Popular Tags'=>'Popular Tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assigns popular items text. Only used for non-hierarchical taxonomies.','Popular Items'=>'Popular Items','Popular %s'=>'Popular %s','Search Tags'=>'Search Tags','Assigns search items text.'=>'Assigns search items text.','Parent Category:'=>'Parent Category:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigns parent item text, but with a colon (:) added to the end.','Parent Item With Colon'=>'Parent Item With Colon','Parent Category'=>'Parent Category','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigns parent item text. Only used on hierarchical taxonomies.','Parent Item'=>'Parent Item','Parent %s'=>'Parent %s','New Tag Name'=>'New Tag Name','Assigns the new item name text.'=>'Assigns the new item name text.','New Item Name'=>'New Item Name','New %s Name'=>'New %s Name','Add New Tag'=>'Add New Tag','Assigns the add new item text.'=>'Assigns the add new item text.','Update Tag'=>'Update Tag','Assigns the update item text.'=>'Assigns the update item text.','Update Item'=>'Update Item','Update %s'=>'Update %s','View Tag'=>'View Tag','In the admin bar to view term during editing.'=>'In the admin bar to view term during editing.','Edit Tag'=>'Edit Tag','At the top of the editor screen when editing a term.'=>'At the top of the editor screen when editing a term.','All Tags'=>'All Tags','Assigns the all items text.'=>'Assigns the all items text.','Assigns the menu name text.'=>'Assigns the menu name text.','Menu Label'=>'Menu Label','Active taxonomies are enabled and registered with WordPress.'=>'Active taxonomies are enabled and registered with WordPress.','A descriptive summary of the taxonomy.'=>'A descriptive summary of the taxonomy.','A descriptive summary of the term.'=>'A descriptive summary of the term.','Term Description'=>'Term Description','Single word, no spaces. Underscores and dashes allowed.'=>'Single word, no spaces. Underscores and dashes allowed.','Term Slug'=>'Term Slug','The name of the default term.'=>'The name of the default term.','Term Name'=>'Term Name','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.','Default Term'=>'Default Term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.','Sort Terms'=>'Sort Terms','Add Post Type'=>'Add Post Type','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Expand the functionality of WordPress beyond standard posts and pages with custom post types.','Add Your First Post Type'=>'Add Your First Post Type','I know what I\'m doing, show me all the options.'=>'I know what I\'m doing, show me all the options.','Advanced Configuration'=>'Advanced Configuration','Hierarchical post types can have descendants (like pages).'=>'Hierarchical post types can have descendants (like pages).','Hierarchical'=>'Hierarchical','Visible on the frontend and in the admin dashboard.'=>'Visible on the frontend and in the admin dashboard.','Public'=>'Public','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Lower case letters, underscores and dashes only, Max 20 characters.','Movie'=>'Movie','Singular Label'=>'Singular Label','Movies'=>'Movies','Plural Label'=>'Plural Label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optional custom controller to use instead of `WP_REST_Posts_Controller`.','Controller Class'=>'Controller Class','The namespace part of the REST API URL.'=>'The namespace part of the REST API URL.','Namespace Route'=>'Namespace Route','The base URL for the post type REST API URLs.'=>'The base URL for the post type REST API URLs.','Base URL'=>'Base URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Exposes this post type in the REST API. Required to use the block editor.','Show In REST API'=>'Show In REST API','Customize the query variable name.'=>'Customise the query variable name.','Query Variable'=>'Query Variable','No Query Variable Support'=>'No Query Variable Support','Custom Query Variable'=>'Custom Query Variable','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.','Query Variable Support'=>'Query Variable Support','URLs for an item and items can be accessed with a query string.'=>'URLs for an item and items can be accessed with a query string.','Publicly Queryable'=>'Publicly Queryable','Custom slug for the Archive URL.'=>'Custom slug for the Archive URL.','Archive Slug'=>'Archive Slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Has an item archive that can be customised with an archive template file in your theme.','Archive'=>'Archive','Pagination support for the items URLs such as the archives.'=>'Pagination support for the items URLs such as the archives.','Pagination'=>'Pagination','RSS feed URL for the post type items.'=>'RSS feed URL for the post type items.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.','Front URL Prefix'=>'Front URL Prefix','Customize the slug used in the URL.'=>'Customise the slug used in the URL.','URL Slug'=>'URL Slug','Permalinks for this post type are disabled.'=>'Permalinks for this post type are disabled.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be','No Permalink (prevent URL rewriting)'=>'No Permalink (prevent URL rewriting)','Custom Permalink'=>'Custom Permalink','Post Type Key'=>'Post Type Key','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Rewrite the URL using the post type key as the slug. Your permalink structure will be','Permalink Rewrite'=>'Permalink Rewrite','Delete items by a user when that user is deleted.'=>'Delete items by a user when that user is deleted.','Delete With User'=>'Delete With User','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Allow the post type to be exported from \'Tools\' > \'Export\'.','Can Export'=>'Can Export','Optionally provide a plural to be used in capabilities.'=>'Optionally provide a plural to be used in capabilities.','Plural Capability Name'=>'Plural Capability Name','Choose another post type to base the capabilities for this post type.'=>'Choose another post type to base the capabilities for this post type.','Singular Capability Name'=>'Singular Capability Name','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rename Capabilities','Exclude From Search'=>'Exclude From Search','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.','Appearance Menus Support'=>'Appearance Menus Support','Appears as an item in the \'New\' menu in the admin bar.'=>'Appears as an item in the \'New\' menu in the admin bar.','Show In Admin Bar'=>'Show In Admin Bar','Custom Meta Box Callback'=>'Custom Meta Box Callback','Menu Icon'=>'Menu Icon','The position in the sidebar menu in the admin dashboard.'=>'The position in the sidebar menu in the admin dashboard.','Menu Position'=>'Menu Position','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.','Admin Menu Parent'=>'Admin Menu Parent','Admin editor navigation in the sidebar menu.'=>'Admin editor navigation in the sidebar menu.','Show In Admin Menu'=>'Show In Admin Menu','Items can be edited and managed in the admin dashboard.'=>'Items can be edited and managed in the admin dashboard.','Show In UI'=>'Show In UI','A link to a post.'=>'A link to a post.','Description for a navigation link block variation.'=>'Description for a navigation link block variation.','Item Link Description'=>'Item Link Description','A link to a %s.'=>'A link to a %s.','Post Link'=>'Post Link','Title for a navigation link block variation.'=>'Title for a navigation link block variation.','Item Link'=>'Item Link','%s Link'=>'%s Link','Post updated.'=>'Post updated.','In the editor notice after an item is updated.'=>'In the editor notice after an item is updated.','Item Updated'=>'Item Updated','%s updated.'=>'%s updated.','Post scheduled.'=>'Post scheduled.','In the editor notice after scheduling an item.'=>'In the editor notice after scheduling an item.','Item Scheduled'=>'Item Scheduled','%s scheduled.'=>'%s scheduled.','Post reverted to draft.'=>'Post reverted to draft.','In the editor notice after reverting an item to draft.'=>'In the editor notice after reverting an item to draft.','Item Reverted To Draft'=>'Item Reverted To Draft','%s reverted to draft.'=>'%s reverted to draft.','Post published privately.'=>'Post published privately.','In the editor notice after publishing a private item.'=>'In the editor notice after publishing a private item.','Item Published Privately'=>'Item Published Privately','%s published privately.'=>'%s published privately.','Post published.'=>'Post published.','In the editor notice after publishing an item.'=>'In the editor notice after publishing an item.','Item Published'=>'Item Published','%s published.'=>'%s published.','Posts list'=>'Posts list','Used by screen readers for the items list on the post type list screen.'=>'Used by screen readers for the items list on the post type list screen.','Items List'=>'Items List','%s list'=>'%s list','Posts list navigation'=>'Posts list navigation','Used by screen readers for the filter list pagination on the post type list screen.'=>'Used by screen readers for the filter list pagination on the post type list screen.','Items List Navigation'=>'Items List Navigation','%s list navigation'=>'%s list navigation','Filter posts by date'=>'Filter posts by date','Used by screen readers for the filter by date heading on the post type list screen.'=>'Used by screen readers for the filter by date heading on the post type list screen.','Filter Items By Date'=>'Filter Items By Date','Filter %s by date'=>'Filter %s by date','Filter posts list'=>'Filter posts list','Used by screen readers for the filter links heading on the post type list screen.'=>'Used by screen readers for the filter links heading on the post type list screen.','Filter Items List'=>'Filter Items List','Filter %s list'=>'Filter %s list','In the media modal showing all media uploaded to this item.'=>'In the media modal showing all media uploaded to this item.','Uploaded To This Item'=>'Uploaded To This Item','Uploaded to this %s'=>'Uploaded to this %s','Insert into post'=>'Insert into post','As the button label when adding media to content.'=>'As the button label when adding media to content.','Insert Into Media Button'=>'Insert Into Media Button','Insert into %s'=>'Insert into %s','Use as featured image'=>'Use as featured image','As the button label for selecting to use an image as the featured image.'=>'As the button label for selecting to use an image as the featured image.','Use Featured Image'=>'Use Featured Image','Remove featured image'=>'Remove featured image','As the button label when removing the featured image.'=>'As the button label when removing the featured image.','Remove Featured Image'=>'Remove Featured Image','Set featured image'=>'Set featured image','As the button label when setting the featured image.'=>'As the button label when setting the featured image.','Set Featured Image'=>'Set Featured Image','Featured image'=>'Featured image','In the editor used for the title of the featured image meta box.'=>'In the editor used for the title of the featured image meta box.','Featured Image Meta Box'=>'Featured Image Meta Box','Post Attributes'=>'Post Attributes','In the editor used for the title of the post attributes meta box.'=>'In the editor used for the title of the post attributes meta box.','Attributes Meta Box'=>'Attributes Meta Box','%s Attributes'=>'%s Attributes','Post Archives'=>'Post Archives','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a post type with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.','Archives Nav Menu'=>'Archives Nav Menu','%s Archives'=>'%s Archives','No posts found in Trash'=>'No posts found in the bin','At the top of the post type list screen when there are no posts in the trash.'=>'At the top of the post type list screen when there are no posts in the bin.','No Items Found in Trash'=>'No Items Found in the bin','No %s found in Trash'=>'No %s found in the bin','No posts found'=>'No posts found','At the top of the post type list screen when there are no posts to display.'=>'At the top of the post type list screen when there are no posts to display.','No Items Found'=>'No Items Found','No %s found'=>'No %s found','Search Posts'=>'Search Posts','At the top of the items screen when searching for an item.'=>'At the top of the items screen when searching for an item.','Search Items'=>'Search Items','Search %s'=>'Search %s','Parent Page:'=>'Parent Page:','For hierarchical types in the post type list screen.'=>'For hierarchical types in the post type list screen.','Parent Item Prefix'=>'Parent Item Prefix','Parent %s:'=>'Parent %s:','New Post'=>'New Post','New Item'=>'New Item','New %s'=>'New %s','Add New Post'=>'Add New Post','At the top of the editor screen when adding a new item.'=>'At the top of the editor screen when adding a new item.','Add New Item'=>'Add New Item','Add New %s'=>'Add New %s','View Posts'=>'View Posts','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.','View Items'=>'View Items','View Post'=>'View Post','In the admin bar to view item when editing it.'=>'In the admin bar to view item when editing it.','View Item'=>'View Item','View %s'=>'View %s','Edit Post'=>'Edit Post','At the top of the editor screen when editing an item.'=>'At the top of the editor screen when editing an item.','Edit Item'=>'Edit Item','Edit %s'=>'Edit %s','All Posts'=>'All Posts','In the post type submenu in the admin dashboard.'=>'In the post type submenu in the admin dashboard.','All Items'=>'All Items','All %s'=>'All %s','Admin menu name for the post type.'=>'Admin menu name for the post type.','Menu Name'=>'Menu Name','Regenerate all labels using the Singular and Plural labels'=>'Regenerate all labels using the Singular and Plural labels','Regenerate'=>'Regenerate','Active post types are enabled and registered with WordPress.'=>'Active post types are enabled and registered with WordPress.','A descriptive summary of the post type.'=>'A descriptive summary of the post type.','Add Custom'=>'Add Custom','Enable various features in the content editor.'=>'Enable various features in the content editor.','Post Formats'=>'Post Formats','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Select existing taxonomies to classify items of the post type.','Browse Fields'=>'Browse Fields','Nothing to import'=>'Nothing to import','. The Custom Post Type UI plugin can be deactivated.'=>'. The Custom Post Type UI plugin can be deactivated.','Imported %d item from Custom Post Type UI -'=>'Imported %d item from Custom Post Type UI -' . "\0" . 'Imported %d items from Custom Post Type UI -','Failed to import taxonomies.'=>'Failed to import taxonomies.','Failed to import post types.'=>'Failed to import post types.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nothing from Custom Post Type UI plugin selected for import.','Imported 1 item'=>'Imported 1 item' . "\0" . 'Imported %s items','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.','Import from Custom Post Type UI'=>'Import from Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.','Export - Generate PHP'=>'Export - Generate PHP','Export'=>'Export','Select Taxonomies'=>'Select Taxonomies','Select Post Types'=>'Select Post Types','Exported 1 item.'=>'Exported 1 item.' . "\0" . 'Exported %s items.','Category'=>'Category','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomy created','%s taxonomy updated'=>'%s taxonomy updated','Taxonomy draft updated.'=>'Taxonomy draft updated.','Taxonomy scheduled for.'=>'Taxonomy scheduled for.','Taxonomy submitted.'=>'Taxonomy submitted.','Taxonomy saved.'=>'Taxonomy saved.','Taxonomy deleted.'=>'Taxonomy deleted.','Taxonomy updated.'=>'Taxonomy updated.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.','Taxonomy synchronized.'=>'Taxonomy synchronised.' . "\0" . '%s taxonomies synchronised.','Taxonomy duplicated.'=>'Taxonomy duplicated.' . "\0" . '%s taxonomies duplicated.','Taxonomy deactivated.'=>'Taxonomy deactivated.' . "\0" . '%s taxonomies deactivated.','Taxonomy activated.'=>'Taxonomy activated.' . "\0" . '%s taxonomies activated.','Terms'=>'Terms','Post type synchronized.'=>'Post type synchronised.' . "\0" . '%s post types synchronised.','Post type duplicated.'=>'Post type duplicated.' . "\0" . '%s post types duplicated.','Post type deactivated.'=>'Post type deactivated.' . "\0" . '%s post types deactivated.','Post type activated.'=>'Post type activated.' . "\0" . '%s post types activated.','Post Types'=>'Post Types','Advanced Settings'=>'Advanced Settings','Basic Settings'=>'Basic Settings','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'This post type could not be registered because its key is in use by another post type registered by another plugin or theme.','Pages'=>'Pages','Link Existing Field Groups'=>'Link Existing Field Groups','%s post type created'=>'%s post type created','Add fields to %s'=>'Add fields to %s','%s post type updated'=>'%s post type updated','Post type draft updated.'=>'Post type draft updated.','Post type scheduled for.'=>'Post type scheduled for.','Post type submitted.'=>'Post type submitted.','Post type saved.'=>'Post type saved.','Post type updated.'=>'Post type updated.','Post type deleted.'=>'Post type deleted.','Type to search...'=>'Type to search...','PRO Only'=>'PRO Only','Field groups linked successfully.'=>'Field groups linked successfully.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.','ACF'=>'ACF','taxonomy'=>'taxonomy','post type'=>'post type','Done'=>'Done','Field Group(s)'=>'Field Group(s)','Select one or many field groups...'=>'Select one or many field groups...','Please select the field groups to link.'=>'Please select the field groups to link.','Field group linked successfully.'=>'Field group linked successfully.' . "\0" . 'Field groups linked successfully.','post statusRegistration Failed'=>'Registration Failed','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'This item could not be registered because its key is in use by another item registered by another plugin or theme.','REST API'=>'REST API','Permissions'=>'Permissions','URLs'=>'URLs','Visibility'=>'Visibility','Labels'=>'Labels','Field Settings Tabs'=>'Field Settings Tabs','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode value disabled for preview]','Close Modal'=>'Close Modal','Field moved to other group'=>'Field moved to other group','Close modal'=>'Close modal','Start a new group of tabs at this tab.'=>'Start a new group of tabs at this tab.','New Tab Group'=>'New Tab Group','Use a stylized checkbox using select2'=>'Use a stylised checkbox using select2','Save Other Choice'=>'Save Other Choice','Allow Other Choice'=>'Allow Other Choice','Add Toggle All'=>'Add Toggle All','Save Custom Values'=>'Save Custom Values','Allow Custom Values'=>'Allow Custom Values','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Checkbox custom values cannot be empty. Uncheck any empty values.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Save Changes','Field Group Title'=>'Field Group Title','Add title'=>'Add title','New to ACF? Take a look at our getting started guide.'=>'New to ACF? Take a look at our getting started guide.','Add Field Group'=>'Add Field Group','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF uses field groups to group custom fields together, and then attach those fields to edit screens.','Add Your First Field Group'=>'Add Your First Field Group','Options Pages'=>'Options Pages','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Gallery Field','Flexible Content Field'=>'Flexible Content Field','Repeater Field'=>'Repeater Field','Unlock Extra Features with ACF PRO'=>'Unlock Extra Features with ACF PRO','Delete Field Group'=>'Delete Field Group','Created on %1$s at %2$s'=>'Created on %1$s at %2$s','Group Settings'=>'Group Settings','Location Rules'=>'Location Rules','Choose from over 30 field types. Learn more.'=>'Choose from over 30 field types. Learn more.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.','Add Your First Field'=>'Add Your First Field','#'=>'#','Add Field'=>'Add Field','Presentation'=>'Presentation','Validation'=>'Validation','General'=>'General','Import JSON'=>'Import JSON','Export As JSON'=>'Export As JSON','Field group deactivated.'=>'Field group deactivated.' . "\0" . '%s field groups deactivated.','Field group activated.'=>'Field group activated.' . "\0" . '%s field groups activated.','Deactivate'=>'Deactivate','Deactivate this item'=>'Deactivate this item','Activate'=>'Activate','Activate this item'=>'Activate this item','Move field group to trash?'=>'Move field group to trash?','post statusInactive'=>'Inactive','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialised. This is not supported and can result in malformed or missing data. Learn how to fix this.','%1$s must have a user with the %2$s role.'=>'%1$s must have a user with the %2$s role.' . "\0" . '%1$s must have a user with one of the following roles: %2$s','%1$s must have a valid user ID.'=>'%1$s must have a valid user ID.','Invalid request.'=>'Invalid request.','%1$s is not one of %2$s'=>'%1$s is not one of %2$s','%1$s must have term %2$s.'=>'%1$s must have term %2$s.' . "\0" . '%1$s must have one of the following terms: %2$s','%1$s must be of post type %2$s.'=>'%1$s must be of post type %2$s.' . "\0" . '%1$s must be of one of the following post types: %2$s','%1$s must have a valid post ID.'=>'%1$s must have a valid post ID.','%s requires a valid attachment ID.'=>'%s requires a valid attachment ID.','Show in REST API'=>'Show in REST API','Enable Transparency'=>'Enable Transparency','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','Upgrade to PRO'=>'Upgrade to PRO','post statusActive'=>'Active','\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last updated: %s','Sorry, this post is unavailable for diff comparison.'=>'Sorry, this post is unavailable for diff comparison.','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarise yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customise WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Clone Field'=>'Clone Field','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Instruction Placement'=>'Instruction Placement','Label Placement'=>'Label Placement','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Required'=>'Required','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks...','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Supports'=>'Supports','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Sync available','Field group synchronized.'=>'Field group synchronised.' . "\0" . '%s field groups synchronised.','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archive URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','No TermsNo %s'=>'No %s','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','Filter by Role'=>'Filter by Role','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Allow Null'=>'Allow Null','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialised until field is clicked','Delay Initialization'=>'Delay Initialisation','Show Media Upload Buttons'=>'Show Media Upload Buttons','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual and Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialise TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Maximum Posts'=>'Maximum Posts','Minimum Posts'=>'Minimum Posts','Featured Image'=>'Featured Image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search...','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Allowed File Types'=>'Allowed File Types','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Stylized UI'=>'Stylised UI','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customise the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address...','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','Inactive (%s)'=>'Inactive (%s)' . "\0" . 'Inactive (%s)','No Fields found in Trash'=>'No Fields found in Bin','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in bin','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customise WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'','Your ACF PRO license is no longer active. Please renew to continue to have access to updates, support, & PRO features.'=>'Your ACF PRO licence is no longer active. Please renew to continue to have access to updates, support, & PRO features.','Your license has expired. Please renew to continue to have access to updates, support & PRO features.'=>'Your licence has expired. Please renew to continue to have access to updates, support & PRO features.','Activate your license to enable access to updates, support & PRO features.'=>'Activate your licence to enable access to updates, support & PRO features.','A valid license is required to edit options pages.'=>'A valid licence is required to edit options pages.','A valid license is required to edit field groups assigned to a block.'=>'A valid licence is required to edit field groups assigned to a block.','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','The render template for this ACF Block was not found'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','An error occurred when loading the preview for this block.'=>'','An error occurred when loading the block in edit mode.'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'','To enable updates, please enter your license key on the Updates page. If you don\'t have a license key, please see details & pricing.'=>'To enable updates, please enter your licence key on the Updates page. If you don’t have a licence key, please see details & pricing.','To enable updates, please enter your license key on the Updates page of the main site. If you don\'t have a license key, please see details & pricing.'=>'To enable updates, please enter your licence key on the Updates page of the main site. If you don’t have a licence key, please see details & pricing.','Your defined license key has changed, but an error occurred when deactivating your old license'=>'Your defined licence key has changed, but an error occurred when deactivating your old licence','Your defined license key has changed, but an error occurred when connecting to activation server'=>'Your defined licence key has changed, but an error occurred when connecting to activation server','ACF PRO — Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'ACF PRO — Your licence key has been activated successfully. Access to updates, support & PRO features is now enabled.','There was an issue activating your license key.'=>'There was an issue activating your licence key.','An error occurred when connecting to activation server'=>'','The ACF activation service is temporarily unavailable. Please try again later.'=>'','The ACF activation service is temporarily unavailable for scheduled maintenance. Please try again later.'=>'','An upstream API error occurred when checking your ACF PRO license status. We will retry again shortly.'=>'An upstream API error occurred when checking your ACF PRO licence status. We will retry again shortly.','You have reached the activation limit for the license.'=>'You have reached the activation limit for the licence.','View your licenses'=>'View your licences','check again'=>'','%1$s or %2$s.'=>'','Your license key has expired and cannot be activated.'=>'Your licence key has expired and cannot be activated.','View your subscriptions'=>'','License key not found. Make sure you have copied your license key exactly as it appears in your receipt or your account.'=>'Licence key not found. Make sure you have copied your licence key exactly as it appears in your receipt or your account.','Your license key has been deactivated.'=>'Your licence key has been deactivated.','Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'Your licence key has been activated successfully. Access to updates, support & PRO features is now enabled.','An unknown error occurred while trying to communicate with the ACF activation service: %s.'=>'','ACF PRO —'=>'','Check again'=>'','Could not connect to the activation server'=>'','Your license key is valid but not activated on this site. Please deactivate and then reactivate the license.'=>'Your licence key is valid but not activated on this site. Please deactivate and then reactivate the licence.','Your site URL has changed since last activating your license. We\'ve automatically activated it for this site URL.'=>'Your site URL has changed since last activating your licence. We’ve automatically activated it for this site URL.','Your site URL has changed since last activating your license, but we weren\'t able to automatically reactivate it: %s'=>'Your site URL has changed since last activating your licence, but we weren’t able to automatically reactivate it: %s','Publish'=>'','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'','Error. Could not connect to the update server'=>'','An update to ACF is available, but it is not compatible with your version of WordPress. Please upgrade to WordPress %s or newer to update ACF.'=>'','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO licence.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. Your licence for this site has expired or been deactivated. Please reactivate your ACF PRO licence.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'','Display'=>'','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'','Values will be saved as %s'=>'','Prefix Field Names'=>'','Unknown field'=>'','Unknown field group'=>'','All fields from %s field group'=>'','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'','layout'=>'' . "\0" . '','layouts'=>'','This field requires at least {min} {label} {identifier}'=>'','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'','{required} {label} {identifier} required (min {min})'=>'','Flexible Content requires at least 1 layout'=>'','Click the "%s" button below to start creating your layout'=>'','Add layout'=>'','Duplicate layout'=>'','Remove layout'=>'','Click to toggle'=>'','Delete Layout'=>'','Duplicate Layout'=>'','Add New Layout'=>'','Add Layout'=>'','Min'=>'','Max'=>'','Minimum Layouts'=>'','Maximum Layouts'=>'','Button Label'=>'','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'','Maximum selection reached'=>'','Length'=>'','Caption'=>'','Alt Text'=>'','Add to gallery'=>'','Bulk actions'=>'','Sort by date uploaded'=>'','Sort by date modified'=>'','Sort by title'=>'','Reverse current order'=>'','Close'=>'','Minimum Selection'=>'','Maximum Selection'=>'','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'','Prepend to the beginning'=>'','Provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','Minimum rows not reached ({min} rows)'=>'','Maximum rows reached ({max} rows)'=>'','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'','Maximum Rows'=>'','Collapsed'=>'','Select a sub field to show when row is collapsed'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'','Add row'=>'','Duplicate row'=>'','Remove row'=>'','Current Page'=>'','First Page'=>'','Previous Page'=>'','paging%1$s of %2$s'=>'','Next Page'=>'','Last Page'=>'','No block types exist'=>'','Select options page...'=>'','Add New Options Page'=>'','Edit Options Page'=>'','New Options Page'=>'','View Options Page'=>'','Search Options Pages'=>'','No Options Pages found'=>'','No Options Pages found in Trash'=>'No Options Pages found in Bin','The menu slug must only contain lower case alphanumeric characters, underscores or dashes.'=>'','This Menu Slug is already in use by another ACF Options Page.'=>'','Options page deleted.'=>'','Options page updated.'=>'','Options page saved.'=>'','Options page submitted.'=>'','Options page scheduled for.'=>'','Options page draft updated.'=>'','%s options page updated'=>'','%s options page created'=>'','Link existing field groups'=>'','No Parent'=>'','The provided Menu Slug already exists.'=>'','Options page activated.'=>'' . "\0" . '','Options page deactivated.'=>'' . "\0" . '','Options page duplicated.'=>'' . "\0" . '','Options page synchronized.'=>'' . "\0" . '','Deactivate License'=>'Deactivate Licence','Activate License'=>'Activate Licence','license statusInactive'=>'','license statusCancelled'=>'','license statusExpired'=>'','license statusActive'=>'','Subscription Status'=>'','Subscription Type'=>'','Lifetime - '=>'','Subscription Expires'=>'','Subscription Expired'=>'','Renew Subscription'=>'','License Information'=>'Licence Information','License Key'=>'Licence Key','Recheck License'=>'Recheck Licence','Your license key is defined in wp-config.php.'=>'Your licence key is defined in wp-config.php.','View pricing & purchase'=>'','Don\'t have an ACF PRO license? %s'=>'Don’t have an ACF PRO licence? %s','Update Information'=>'','Current Version'=>'','Latest Version'=>'','Update Available'=>'','Upgrade Notice'=>'','Check For Updates'=>'','Enter your license key to unlock updates'=>'Enter your licence key to unlock updates','Update Plugin'=>'','Updates must be manually installed in this configuration'=>'','Update ACF in Network Admin'=>'','Please reactivate your license to unlock updates'=>'Please reactivate your licence to unlock updates','Please upgrade WordPress to update ACF'=>'','Dashicon class name'=>'','The icon used for the options page menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'','Menu Title'=>'','Learn more about menu positions.'=>'','The position in the menu where this page should appear. %s'=>'','The position in the menu where this child page should appear. The first child page is 0, the next is 1, etc.'=>'','Redirect to Child Page'=>'','When child pages exist for this parent page, this page will redirect to the first child page.'=>'','A descriptive summary of the options page.'=>'','Update Button Label'=>'','The label used for the submit button which updates the fields on the options page.'=>'','Updated Message'=>'','The message that is displayed after successfully updating the options page.'=>'','Updated Options'=>'','Capability'=>'','The capability required for this menu to be displayed to the user.'=>'','Data Storage'=>'','By default, the option page stores field data in the options table. You can make the page load field data from a post, user, or term.'=>'','Custom Storage'=>'','Learn more about available settings.'=>'','Set a custom storage location. Can be a numeric post ID (123), or a string (`user_2`). %s'=>'','Autoload Options'=>'','Improve performance by loading the fields in the option records automatically when WordPress loads.'=>'','Page Title'=>'','Site Settings'=>'','Menu Slug'=>'','Parent Page'=>'','Add Your First Options Page'=>''],'language'=>'en_GB','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-en_GB.mo b/lang/acf-en_GB.mo
index 7db9fb5..b24d6c2 100644
Binary files a/lang/acf-en_GB.mo and b/lang/acf-en_GB.mo differ
diff --git a/lang/acf-en_GB.po b/lang/acf-en_GB.po
index 78572b3..10f0d0a 100644
--- a/lang/acf-en_GB.po
+++ b/lang/acf-en_GB.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: en_GB\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,32 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Learn more"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "are developed and maintained by"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Update Source"
@@ -63,14 +89,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Allow Access to Value in Editor UI"
@@ -2056,21 +2074,21 @@ msgstr "Add fields"
msgid "This Field"
msgstr "This Field"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Support"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "is developed and maintained by"
@@ -4573,7 +4591,7 @@ msgstr ""
"Import Post Types and Taxonomies registered with Custom Post Type UI and "
"manage them with ACF. Get Started."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4904,7 +4922,7 @@ msgstr "Activate this item"
msgid "Move field group to trash?"
msgstr "Move field group to trash?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4917,7 +4935,7 @@ msgstr "Inactive"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4925,7 +4943,7 @@ msgstr ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5374,7 +5392,7 @@ msgstr "All %s formats"
msgid "Attachment"
msgstr "Attachment"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s value is required"
@@ -5861,7 +5879,7 @@ msgstr "Duplicate this item"
msgid "Supports"
msgstr "Supports"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentation"
@@ -6158,8 +6176,8 @@ msgstr "%d fields require attention"
msgid "1 field requires attention"
msgstr "1 field requires attention"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validation failed"
@@ -7534,90 +7552,90 @@ msgid "Time Picker"
msgstr "Time Picker"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactive (%s)"
msgstr[1] "Inactive (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
-msgstr "No Fields found in bin"
+msgstr "No Fields found in Bin"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "No Fields found"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Search Fields"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "View Field"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "New Field"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Edit Field"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Add New Field"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Field"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Fields"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "No Field Groups found in bin"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "No Field Groups found"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Search Field Groups"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "View Field Group"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "New Field Group"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Edit Field Group"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Add New Field Group"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Add New"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Field Group"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
@@ -7638,11 +7656,19 @@ msgstr "https://www.advancedcustomfields.com"
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"
-#: pro/acf-pro.php:22
+#: pro/acf-pro.php:21
msgid "Advanced Custom Fields PRO"
msgstr ""
-#: pro/acf-pro.php:181
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+msgstr ""
+"Your ACF PRO licence is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+
+#: pro/acf-pro.php:171
msgid ""
"Your license has expired. Please renew to continue to have access to "
"updates, support & PRO features."
@@ -7650,7 +7676,7 @@ msgstr ""
"Your licence has expired. Please renew to continue to have access to "
"updates, support & PRO features."
-#: pro/acf-pro.php:178
+#: pro/acf-pro.php:168
msgid ""
"Activate your license to enable access to updates, support & PRO "
"features."
@@ -7658,69 +7684,89 @@ msgstr ""
"Activate your licence to enable access to updates, support & PRO "
"features."
-#: pro/blocks.php:172
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "A valid licence is required to edit options pages."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr "A valid licence is required to edit field groups assigned to a block."
+
+#: pro/blocks.php:186
msgid "Block type name is required."
msgstr ""
#. translators: The name of the block type
-#: pro/blocks.php:180
+#: pro/blocks.php:194
msgid "Block type \"%s\" is already registered."
msgstr ""
-#: pro/blocks.php:725
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr ""
+
+#: pro/blocks.php:790
msgid "Switch to Edit"
msgstr ""
-#: pro/blocks.php:726
+#: pro/blocks.php:791
msgid "Switch to Preview"
msgstr ""
-#: pro/blocks.php:727
+#: pro/blocks.php:792
msgid "Change content alignment"
msgstr ""
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
+msgstr ""
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+
#. translators: %s: Block type title
-#: pro/blocks.php:730
+#: pro/blocks.php:797
msgid "%s settings"
msgstr ""
-#: pro/blocks.php:938
+#: pro/blocks.php:1039
msgid "This block contains no editable fields."
msgstr ""
#. translators: %s: an admin URL to the field group edit screen
-#: pro/blocks.php:944
+#: pro/blocks.php:1045
msgid ""
"Assign a field group to add fields to "
"this block."
msgstr ""
-#: pro/options-page.php:75, pro/post-types/acf-ui-options-page.php:173
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
msgid "Options Updated"
msgstr ""
#. translators: %1 A link to the updates page. %2 link to the pricing page
-#: pro/updates.php:72
+#: pro/updates.php:75
msgid ""
"To enable updates, please enter your license key on the Updates page. If you don't have a license key, please see "
"details & pricing."
msgstr ""
"To enable updates, please enter your licence key on the Updates page. If you don’t have a licence key, please see details & pricing."
+"href=\"%1$s\">Updates page. If you don’t have a licence key, please see "
+"details & pricing."
-#: pro/updates.php:68
+#: pro/updates.php:71
msgid ""
"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
"key, please see details & pricing."
msgstr ""
"To enable updates, please enter your licence key on the Updates page of the main site. If you don’t have a licence "
-"key, please see details & pricing."
+"href=\"%1$s\">Updates page of the main site. If you don’t have a licence "
+"key, please see details & pricing."
-#: pro/updates.php:133
+#: pro/updates.php:136
msgid ""
"Your defined license key has changed, but an error occurred when "
"deactivating your old license"
@@ -7728,7 +7774,7 @@ msgstr ""
"Your defined licence key has changed, but an error occurred when "
"deactivating your old licence"
-#: pro/updates.php:130
+#: pro/updates.php:133
msgid ""
"Your defined license key has changed, but an error occurred when connecting "
"to activation server"
@@ -7736,7 +7782,7 @@ msgstr ""
"Your defined licence key has changed, but an error occurred when connecting "
"to activation server"
-#: pro/updates.php:174
+#: pro/updates.php:168
msgid ""
"ACF PRO — Your license key has been activated "
"successfully. Access to updates, support & PRO features is now enabled."
@@ -7744,53 +7790,59 @@ msgstr ""
"ACF PRO — Your licence key has been activated "
"successfully. Access to updates, support & PRO features is now enabled."
-#: pro/updates.php:165
+#: pro/updates.php:159
msgid "There was an issue activating your license key."
msgstr "There was an issue activating your licence key."
-#: pro/updates.php:161
+#: pro/updates.php:155
msgid "An error occurred when connecting to activation server"
-msgstr "An error occurred when connecting to activation server"
-
-#: pro/updates.php:262
-msgid ""
-"An internal error occurred when trying to check your license key. Please try "
-"again later."
-msgstr ""
-"An internal error occurred when trying to check your licence key. Please try "
-"again later."
-
-#: pro/updates.php:260
-msgid ""
-"The ACF activation server is temporarily unavailable for scheduled "
-"maintenance. Please try again later."
msgstr ""
-#: pro/updates.php:230
-msgid "You have reached the activation limit for the license."
-msgstr "You have reached the activation limit for the licence."
-
-#: pro/updates.php:239, pro/updates.php:211
-msgid "View your licenses"
-msgstr "View your licences"
-
-#: pro/updates.php:252
-msgid "check again"
+#: pro/updates.php:258
+msgid ""
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
msgstr ""
#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"An upstream API error occurred when checking your ACF PRO licence status. We "
+"will retry again shortly."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "You have reached the activation limit for the licence."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "View your licences"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr ""
+
+#: pro/updates.php:250
msgid "%1$s or %2$s."
msgstr ""
-#: pro/updates.php:216
+#: pro/updates.php:210
msgid "Your license key has expired and cannot be activated."
msgstr "Your licence key has expired and cannot be activated."
-#: pro/updates.php:225
+#: pro/updates.php:219
msgid "View your subscriptions"
msgstr ""
-#: pro/updates.php:202
+#: pro/updates.php:196
msgid ""
"License key not found. Make sure you have copied your license key exactly as "
"it appears in your receipt or your account."
@@ -7798,11 +7850,11 @@ msgstr ""
"Licence key not found. Make sure you have copied your licence key exactly as "
"it appears in your receipt or your account."
-#: pro/updates.php:200
+#: pro/updates.php:194
msgid "Your license key has been deactivated."
msgstr "Your licence key has been deactivated."
-#: pro/updates.php:198
+#: pro/updates.php:192
msgid ""
"Your license key has been activated successfully. Access to updates, support "
"& PRO features is now enabled."
@@ -7811,32 +7863,34 @@ msgstr ""
"& PRO features is now enabled."
#. translators: %s an untranslatable internal upstream error message
-#: pro/updates.php:266
-msgid "An unknown error occurred while trying to validate your license: %s."
-msgstr "An unknown error occurred while trying to validate your licence: %s."
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
+msgstr ""
-#: pro/updates.php:337, pro/updates.php:926
+#: pro/updates.php:333, pro/updates.php:949
msgid "ACF PRO —"
msgstr ""
-#: pro/updates.php:346
+#: pro/updates.php:342
msgid "Check again"
msgstr ""
-#: pro/updates.php:678
+#: pro/updates.php:657
msgid "Could not connect to the activation server"
msgstr ""
#. translators: %s - URL to ACF updates page
-#: pro/updates.php:722
+#: pro/updates.php:727
msgid ""
"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
msgstr ""
"Your licence key is valid but not activated on this site. Please deactivate and then reactivate the licence."
+"href=\"%s\">deactivate and then reactivate the licence."
-#: pro/updates.php:926
+#: pro/updates.php:949
msgid ""
"Your site URL has changed since last activating your license. We've "
"automatically activated it for this site URL."
@@ -7844,7 +7898,7 @@ msgstr ""
"Your site URL has changed since last activating your licence. We’ve "
"automatically activated it for this site URL."
-#: pro/updates.php:918
+#: pro/updates.php:941
msgid ""
"Your site URL has changed since last activating your license, but we weren't "
"able to automatically reactivate it: %s"
@@ -7852,11 +7906,11 @@ msgstr ""
"Your site URL has changed since last activating your licence, but we weren’t "
"able to automatically reactivate it: %s"
-#: pro/admin/admin-options-page.php:160
+#: pro/admin/admin-options-page.php:159
msgid "Publish"
msgstr ""
-#: pro/admin/admin-options-page.php:163
+#: pro/admin/admin-options-page.php:162
msgid ""
"No Custom Field Groups found for this options page. Create a "
"Custom Field Group"
@@ -7867,13 +7921,13 @@ msgid "Error. Could not connect to the update server"
msgstr ""
#. translators: %s the version of WordPress required for this ACF update
-#: pro/admin/admin-updates.php:196
+#: pro/admin/admin-updates.php:203
msgid ""
"An update to ACF is available, but it is not compatible with your version of "
"WordPress. Please upgrade to WordPress %s or newer to update ACF."
msgstr ""
-#: pro/admin/admin-updates.php:217
+#: pro/admin/admin-updates.php:224
msgid ""
"Error. Could not authenticate update package. Please check "
"again or deactivate and reactivate your ACF PRO license."
@@ -7881,7 +7935,7 @@ msgstr ""
"Error. Could not authenticate update package. Please check "
"again or deactivate and reactivate your ACF PRO licence."
-#: pro/admin/admin-updates.php:207
+#: pro/admin/admin-updates.php:214
msgid ""
"Error. Your license for this site has expired or been "
"deactivated. Please reactivate your ACF PRO license."
@@ -7889,8 +7943,7 @@ msgstr ""
"Error. Your licence for this site has expired or been "
"deactivated. Please reactivate your ACF PRO licence."
-#: pro/fields/class-acf-field-clone.php:25,
-#: pro/fields/class-acf-field-repeater.php:31
+#: pro/fields/class-acf-field-clone.php:24
msgid ""
"Allows you to select and display existing fields. It does not duplicate any "
"fields in the database, but loads and displays the selected fields at run-"
@@ -7898,51 +7951,51 @@ msgid ""
"display the selected fields as a group of subfields."
msgstr ""
-#: pro/fields/class-acf-field-clone.php:738
+#: pro/fields/class-acf-field-clone.php:725
msgid "Select one or more fields you wish to clone"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:757
+#: pro/fields/class-acf-field-clone.php:745
msgid "Display"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:758
+#: pro/fields/class-acf-field-clone.php:746
msgid "Specify the style used to render the clone field"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:763
+#: pro/fields/class-acf-field-clone.php:751
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:764
+#: pro/fields/class-acf-field-clone.php:752
msgid "Seamless (replaces this field with selected fields)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:787
+#: pro/fields/class-acf-field-clone.php:775
msgid "Labels will be displayed as %s"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:792
+#: pro/fields/class-acf-field-clone.php:780
msgid "Prefix Field Labels"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:802
+#: pro/fields/class-acf-field-clone.php:790
msgid "Values will be saved as %s"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:807
+#: pro/fields/class-acf-field-clone.php:795
msgid "Prefix Field Names"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:907
+#: pro/fields/class-acf-field-clone.php:892
msgid "Unknown field"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:941
+#: pro/fields/class-acf-field-clone.php:925
msgid "Unknown field group"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:945
+#: pro/fields/class-acf-field-clone.php:929
msgid "All fields from %s field group"
msgstr ""
@@ -7952,302 +8005,309 @@ msgid ""
"creating layouts that contain subfields that content editors can choose from."
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:33,
-#: pro/fields/class-acf-field-repeater.php:103,
-#: pro/fields/class-acf-field-repeater.php:297
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
msgid "Add Row"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:69,
-#: pro/fields/class-acf-field-flexible-content.php:870,
-#: pro/fields/class-acf-field-flexible-content.php:948
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
msgid "layout"
msgid_plural "layouts"
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-flexible-content.php:70
+#: pro/fields/class-acf-field-flexible-content.php:71
msgid "layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:74,
-#: pro/fields/class-acf-field-flexible-content.php:869,
-#: pro/fields/class-acf-field-flexible-content.php:947
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
msgid "This field requires at least {min} {label} {identifier}"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:75
+#: pro/fields/class-acf-field-flexible-content.php:76
msgid "This field has a limit of {max} {label} {identifier}"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:78
+#: pro/fields/class-acf-field-flexible-content.php:79
msgid "{available} {label} {identifier} available (max {max})"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:79
+#: pro/fields/class-acf-field-flexible-content.php:80
msgid "{required} {label} {identifier} required (min {min})"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:82
+#: pro/fields/class-acf-field-flexible-content.php:83
msgid "Flexible Content requires at least 1 layout"
msgstr ""
#. translators: %s the button label used for adding a new layout.
-#: pro/fields/class-acf-field-flexible-content.php:257
+#: pro/fields/class-acf-field-flexible-content.php:255
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:381
+#: pro/fields/class-acf-field-flexible-content.php:378
msgid "Add layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:382
+#: pro/fields/class-acf-field-flexible-content.php:379
msgid "Duplicate layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:383
+#: pro/fields/class-acf-field-flexible-content.php:380
msgid "Remove layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:384,
-#: pro/fields/class-acf-repeater-table.php:379
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
msgid "Click to toggle"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:520
+#: pro/fields/class-acf-field-flexible-content.php:517
msgid "Delete Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:521
+#: pro/fields/class-acf-field-flexible-content.php:518
msgid "Duplicate Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:522
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add New Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:522
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:606
+#: pro/fields/class-acf-field-flexible-content.php:603
msgid "Min"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:621
+#: pro/fields/class-acf-field-flexible-content.php:618
msgid "Max"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:662
+#: pro/fields/class-acf-field-flexible-content.php:659
msgid "Minimum Layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:673
+#: pro/fields/class-acf-field-flexible-content.php:670
msgid "Maximum Layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:684,
-#: pro/fields/class-acf-field-repeater.php:293
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
msgid "Button Label"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:1555,
-#: pro/fields/class-acf-field-repeater.php:912
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
msgid "%s must be of type array or null."
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:1566
+#: pro/fields/class-acf-field-flexible-content.php:1563
msgid "%1$s must contain at least %2$s %3$s layout."
msgid_plural "%1$s must contain at least %2$s %3$s layouts."
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-flexible-content.php:1582
+#: pro/fields/class-acf-field-flexible-content.php:1579
msgid "%1$s must contain at most %2$s %3$s layout."
msgid_plural "%1$s must contain at most %2$s %3$s layouts."
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-gallery.php:25
+#: pro/fields/class-acf-field-gallery.php:24
msgid ""
"An interactive interface for managing a collection of attachments, such as "
"images."
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:73
+#: pro/fields/class-acf-field-gallery.php:72
msgid "Add Image to Gallery"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:74
+#: pro/fields/class-acf-field-gallery.php:73
msgid "Maximum selection reached"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:303
+#: pro/fields/class-acf-field-gallery.php:282
msgid "Length"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:347
+#: pro/fields/class-acf-field-gallery.php:326
msgid "Caption"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:359
+#: pro/fields/class-acf-field-gallery.php:338
msgid "Alt Text"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:481
+#: pro/fields/class-acf-field-gallery.php:460
msgid "Add to gallery"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:485
+#: pro/fields/class-acf-field-gallery.php:464
msgid "Bulk actions"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:486
+#: pro/fields/class-acf-field-gallery.php:465
msgid "Sort by date uploaded"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:487
+#: pro/fields/class-acf-field-gallery.php:466
msgid "Sort by date modified"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:488
+#: pro/fields/class-acf-field-gallery.php:467
msgid "Sort by title"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:489
+#: pro/fields/class-acf-field-gallery.php:468
msgid "Reverse current order"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:501
+#: pro/fields/class-acf-field-gallery.php:480
msgid "Close"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:589
+#: pro/fields/class-acf-field-gallery.php:567
msgid "Minimum Selection"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:599
+#: pro/fields/class-acf-field-gallery.php:577
msgid "Maximum Selection"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:701
+#: pro/fields/class-acf-field-gallery.php:679
msgid "Insert"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:702
+#: pro/fields/class-acf-field-gallery.php:680
msgid "Specify where new attachments are added"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:706
+#: pro/fields/class-acf-field-gallery.php:684
msgid "Append to the end"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:707
+#: pro/fields/class-acf-field-gallery.php:685
msgid "Prepend to the beginning"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:66,
-#: pro/fields/class-acf-field-repeater.php:461
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
msgid "Minimum rows not reached ({min} rows)"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:67
+#: pro/fields/class-acf-field-repeater.php:68
msgid "Maximum rows reached ({max} rows)"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:68
+#: pro/fields/class-acf-field-repeater.php:69
msgid "Error loading page"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:69
+#: pro/fields/class-acf-field-repeater.php:70
msgid "Order will be assigned upon save"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:196
+#: pro/fields/class-acf-field-repeater.php:197
msgid "Useful for fields with a large number of rows."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:207
+#: pro/fields/class-acf-field-repeater.php:208
msgid "Rows Per Page"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:208
+#: pro/fields/class-acf-field-repeater.php:209
msgid "Set the number of rows to be displayed on a page."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:240
+#: pro/fields/class-acf-field-repeater.php:241
msgid "Minimum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:251
+#: pro/fields/class-acf-field-repeater.php:252
msgid "Maximum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:281
+#: pro/fields/class-acf-field-repeater.php:282
msgid "Collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:282
+#: pro/fields/class-acf-field-repeater.php:283
msgid "Select a sub field to show when row is collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1053
+#: pro/fields/class-acf-field-repeater.php:1055
msgid "Invalid field key or name."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1062
+#: pro/fields/class-acf-field-repeater.php:1064
msgid "There was an error retrieving the field."
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:366
+#: pro/fields/class-acf-repeater-table.php:367
msgid "Click to reorder"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:399
+#: pro/fields/class-acf-repeater-table.php:400
msgid "Add row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:400
+#: pro/fields/class-acf-repeater-table.php:401
msgid "Duplicate row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:401
+#: pro/fields/class-acf-repeater-table.php:402
msgid "Remove row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:445,
-#: pro/fields/class-acf-repeater-table.php:462,
-#: pro/fields/class-acf-repeater-table.php:463
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
msgid "Current Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:453,
-#: pro/fields/class-acf-repeater-table.php:454
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
msgid "First Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:457,
-#: pro/fields/class-acf-repeater-table.php:458
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
msgid "Previous Page"
msgstr ""
#. translators: 1: Current page, 2: Total pages.
-#: pro/fields/class-acf-repeater-table.php:467
+#: pro/fields/class-acf-repeater-table.php:468
msgctxt "paging"
msgid "%1$s of %2$s"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:474,
-#: pro/fields/class-acf-repeater-table.php:475
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
msgid "Next Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:478,
-#: pro/fields/class-acf-repeater-table.php:479
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
msgid "Last Page"
msgstr ""
-#: pro/locations/class-acf-location-block.php:71
+#: pro/locations/class-acf-location-block.php:73
msgid "No block types exist"
msgstr ""
@@ -8257,7 +8317,7 @@ msgstr ""
#: pro/locations/class-acf-location-options-page.php:74,
#: pro/post-types/acf-ui-options-page.php:95,
-#: pro/admin/post-types/admin-ui-options-page.php:476
+#: pro/admin/post-types/admin-ui-options-page.php:482
msgid "Add New Options Page"
msgstr ""
@@ -8285,13 +8345,13 @@ msgstr ""
msgid "No Options Pages found in Trash"
msgstr "No Options Pages found in Bin"
-#: pro/post-types/acf-ui-options-page.php:202
+#: pro/post-types/acf-ui-options-page.php:203
msgid ""
"The menu slug must only contain lower case alphanumeric characters, "
"underscores or dashes."
msgstr ""
-#: pro/post-types/acf-ui-options-page.php:234
+#: pro/post-types/acf-ui-options-page.php:235
msgid "This Menu Slug is already in use by another ACF Options Page."
msgstr ""
@@ -8337,7 +8397,7 @@ msgstr ""
msgid "No Parent"
msgstr ""
-#: pro/admin/post-types/admin-ui-options-page.php:444
+#: pro/admin/post-types/admin-ui-options-page.php:450
msgid "The provided Menu Slug already exists."
msgstr ""
@@ -8429,7 +8489,7 @@ msgstr "Licence Information"
msgid "License Key"
msgstr "Licence Key"
-#: pro/admin/views/html-settings-updates.php:190,
+#: pro/admin/views/html-settings-updates.php:191,
#: pro/admin/views/html-settings-updates.php:157
msgid "Recheck License"
msgstr "Recheck Licence"
@@ -8438,56 +8498,60 @@ msgstr "Recheck Licence"
msgid "Your license key is defined in wp-config.php."
msgstr "Your licence key is defined in wp-config.php."
-#: pro/admin/views/html-settings-updates.php:210
+#: pro/admin/views/html-settings-updates.php:211
msgid "View pricing & purchase"
msgstr ""
#. translators: %s - link to ACF website
-#: pro/admin/views/html-settings-updates.php:219
+#: pro/admin/views/html-settings-updates.php:220
msgid "Don't have an ACF PRO license? %s"
msgstr "Don’t have an ACF PRO licence? %s"
-#: pro/admin/views/html-settings-updates.php:234
+#: pro/admin/views/html-settings-updates.php:235
msgid "Update Information"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:241
+#: pro/admin/views/html-settings-updates.php:242
msgid "Current Version"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:249
+#: pro/admin/views/html-settings-updates.php:250
msgid "Latest Version"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:257
+#: pro/admin/views/html-settings-updates.php:258
msgid "Update Available"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:271
+#: pro/admin/views/html-settings-updates.php:272
msgid "Upgrade Notice"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:300
+#: pro/admin/views/html-settings-updates.php:303
msgid "Check For Updates"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:297
+#: pro/admin/views/html-settings-updates.php:300
msgid "Enter your license key to unlock updates"
msgstr "Enter your licence key to unlock updates"
-#: pro/admin/views/html-settings-updates.php:295
+#: pro/admin/views/html-settings-updates.php:298
msgid "Update Plugin"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:293
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr ""
+
+#: pro/admin/views/html-settings-updates.php:294
msgid "Update ACF in Network Admin"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:291
+#: pro/admin/views/html-settings-updates.php:292
msgid "Please reactivate your license to unlock updates"
msgstr "Please reactivate your licence to unlock updates"
-#: pro/admin/views/html-settings-updates.php:289
+#: pro/admin/views/html-settings-updates.php:290
msgid "Please upgrade WordPress to update ACF"
msgstr ""
@@ -8502,128 +8566,128 @@ msgid ""
"a URL or %s to use for the icon."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:52
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
msgid "Menu Title"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:66
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
msgid "Learn more about menu positions."
msgstr ""
#. translators: %s - link to WordPress docs to learn more about menu positions.
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:70,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:76
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
msgid "The position in the menu where this page should appear. %s"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
msgid ""
"The position in the menu where this child page should appear. The first "
"child page is 0, the next is 1, etc."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:101
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
msgid "Redirect to Child Page"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:102
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
msgid ""
"When child pages exist for this parent page, this page will redirect to the "
"first child page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:126
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
msgid "A descriptive summary of the options page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:135
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
msgid "Update Button Label"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:136
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
msgid ""
"The label used for the submit button which updates the fields on the options "
"page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:150
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
msgid "Updated Message"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:151
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
msgid ""
"The message that is displayed after successfully updating the options page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:152
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
msgid "Updated Options"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:189
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
msgid "Capability"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:190
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
msgid "The capability required for this menu to be displayed to the user."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:206
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
msgid "Data Storage"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:207
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
msgid ""
"By default, the option page stores field data in the options table. You can "
"make the page load field data from a post, user, or term."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:210,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:241
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
msgid "Custom Storage"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:230
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
msgid "Learn more about available settings."
msgstr ""
#. translators: %s = link to learn more about storage locations.
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
msgid ""
"Set a custom storage location. Can be a numeric post ID (123), or a string "
"(`user_2`). %s"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:260
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
msgid "Autoload Options"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:261
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
msgid ""
"Improve performance by loading the fields in the option records "
"automatically when WordPress loads."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:6,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
msgid "Page Title"
msgstr ""
#. translators: example options page name
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:8,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
msgid "Site Settings"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:23,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
msgid "Menu Slug"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:38,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
msgid "Parent Page"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/list-empty.php:24
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
msgid "Add Your First Options Page"
msgstr ""
diff --git a/lang/acf-en_ZA.l10n.php b/lang/acf-en_ZA.l10n.php
index 761d43b..ca3533d 100644
--- a/lang/acf-en_ZA.l10n.php
+++ b/lang/acf-en_ZA.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'en_ZA','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-06-27T14:24:00+00:00','x-generator'=>'gettext','messages'=>['Enable Transparency'=>'Enable Transparency','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','post statusActive'=>'Active','\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last Updated: %s ago','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarise yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customise WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Location not found: %s'=>'Location not found: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page Info','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks...','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Description'=>'Description','Sync available'=>'Sync available','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archives URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialised until field is clicked','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual & Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialise TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Featured Image'=>'Featured image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search...','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customise the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address...','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','No Fields found in Trash'=>'No Fields found in Bin','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in Bin','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customise WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Sorry, you don\'t have permission to do that.'=>'','Invalid request args.'=>'','Sorry, you are not allowed to do that.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes icon'=>'','Wordpress-alt icon'=>'','Wordpress icon'=>'','Welcome write-blog icon'=>'','Welcome widgets-menus icon'=>'','Welcome view-site icon'=>'','Welcome learn-more icon'=>'','Welcome comments icon'=>'','Welcome add-page icon'=>'','Warning icon'=>'','Visibility icon'=>'','Video-alt3 icon'=>'','Video-alt2 icon'=>'','Video-alt icon'=>'','Vault icon'=>'','Upload icon'=>'','Update icon'=>'','Unlock icon'=>'','Universal access alternative icon'=>'','Universal access icon'=>'','Undo icon'=>'','Twitter icon'=>'','Trash icon'=>'','Translation icon'=>'','Tickets alternative icon'=>'','Tickets icon'=>'','Thumbs-up icon'=>'','Thumbs-down icon'=>'','Text icon'=>'','Testimonial icon'=>'','Tagcloud icon'=>'','Tag icon'=>'','Tablet icon'=>'','Store icon'=>'','Sticky icon'=>'','Star-half icon'=>'','Star-filled icon'=>'','Star-empty icon'=>'','Sos icon'=>'','Sort icon'=>'','Smiley icon'=>'','Smartphone icon'=>'','Slides icon'=>'','Shield-alt icon'=>'','Shield icon'=>'','Share-alt2 icon'=>'','Share-alt icon'=>'','Share icon'=>'','Search icon'=>'','Screenoptions icon'=>'','Schedule icon'=>'','Rss icon'=>'','Redo icon'=>'','Randomize icon'=>'','Products icon'=>'','Pressthis icon'=>'','Post-status icon'=>'','Portfolio icon'=>'','Plus-alt icon'=>'','Plus icon'=>'','Playlist-video icon'=>'','Playlist-audio icon'=>'','Phone icon'=>'','Performance icon'=>'','Paperclip icon'=>'','Palmtree icon'=>'','No alternative icon'=>'','No icon'=>'','Networking icon'=>'','Nametag icon'=>'','Move icon'=>'','Money icon'=>'','Minus icon'=>'','Migrate icon'=>'','Microphone icon'=>'','Menu icon'=>'','Megaphone icon'=>'','Media video icon'=>'','Media text icon'=>'','Media spreadsheet icon'=>'','Media interactive icon'=>'','Media document icon'=>'','Media default icon'=>'','Media code icon'=>'','Media audio icon'=>'','Media archive icon'=>'','Marker icon'=>'','Lock icon'=>'','Location-alt icon'=>'','Location icon'=>'','List-view icon'=>'','Lightbulb icon'=>'','Leftright icon'=>'','Layout icon'=>'','Laptop icon'=>'','Info icon'=>'','Index-card icon'=>'','Images-alt2 icon'=>'','Images-alt icon'=>'','Image rotate-right icon'=>'','Image rotate-left icon'=>'','Image rotate icon'=>'','Image flip-vertical icon'=>'','Image flip-horizontal icon'=>'','Image filter icon'=>'','Image crop icon'=>'','Id-alt icon'=>'','Id icon'=>'','Hidden icon'=>'','Heart icon'=>'','Hammer icon'=>'','Groups icon'=>'','Grid-view icon'=>'','Googleplus icon'=>'','Forms icon'=>'','Format video icon'=>'','Format status icon'=>'','Format quote icon'=>'','Format image icon'=>'','Format gallery icon'=>'','Format chat icon'=>'','Format audio icon'=>'','Format aside icon'=>'','Flag icon'=>'','Filter icon'=>'','Feedback icon'=>'','Facebook alt icon'=>'','Facebook icon'=>'','External icon'=>'','Exerpt-view icon'=>'','Email alt icon'=>'','Email icon'=>'','Video icon'=>'','Unlink icon'=>'','Underline icon'=>'','Ul icon'=>'','Textcolor icon'=>'','Table icon'=>'','Strikethrough icon'=>'','Spellcheck icon'=>'','Rtl icon'=>'','Removeformatting icon'=>'','Quote icon'=>'','Paste word icon'=>'','Paste text icon'=>'','Paragraph icon'=>'','Outdent icon'=>'','Ol icon'=>'','Kitchensink icon'=>'','Justify icon'=>'','Italic icon'=>'','Insertmore icon'=>'','Indent icon'=>'','Help icon'=>'','Expand icon'=>'','Customchar icon'=>'','Contract icon'=>'','Code icon'=>'','Break icon'=>'','Bold icon'=>'','alignright icon'=>'','alignleft icon'=>'','aligncenter icon'=>'','Edit icon'=>'','Download icon'=>'','Dismiss icon'=>'','Desktop icon'=>'','Dashboard icon'=>'','Controls volumeon icon'=>'','Controls volumeoff icon'=>'','Controls skipforward icon'=>'','Controls skipback icon'=>'','Controls repeat icon'=>'','Controls play icon'=>'','Controls pause icon'=>'','Controls forward icon'=>'','Controls back icon'=>'','Cloud icon'=>'','Clock icon'=>'','Clipboard icon'=>'','Chart pie icon'=>'','Chart line icon'=>'','Chart bar icon'=>'','Chart area icon'=>'','Category icon'=>'','Cart icon'=>'','Carrot icon'=>'','Camera icon'=>'','Calendar alt icon'=>'','Calendar icon'=>'','Businessman icon'=>'','Building icon'=>'','Book alt icon'=>'','Book icon'=>'','Backup icon'=>'','Awards icon'=>'','Art icon'=>'','Arrow up-alt2 icon'=>'','Arrow up-alt icon'=>'','Arrow up icon'=>'','Arrow right-alt2 icon'=>'','Arrow right-alt icon'=>'','Arrow right icon'=>'','Arrow left-alt2 icon'=>'','Arrow left-alt icon'=>'','Arrow left icon'=>'','Arrow down-alt2 icon'=>'','Arrow down-alt icon'=>'','Arrow down icon'=>'','Archive icon'=>'','Analytics icon'=>'','Align-right icon'=>'','Align-none icon'=>'','Align-left icon'=>'','Align-center icon'=>'','Album icon'=>'','Users icon'=>'','Tools icon'=>'','Site icon'=>'','Settings icon'=>'','Post icon'=>'','Plugins icon'=>'','Page icon'=>'','Network icon'=>'','Multisite icon'=>'','Media icon'=>'','Links icon'=>'','Home icon'=>'','Customizer icon'=>'','Comments icon'=>'','Collapse icon'=>'','Appearance icon'=>'','Generic icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'','Enable Transparency'=>'Enable Transparency','RGBA Array'=>'RGBA Array','RGBA String'=>'RGBA String','Hex String'=>'Hex String','Upgrade to PRO'=>'','post statusActive'=>'Active','\'%s\' is not a valid email address'=>'\'%s\' is not a valid email address','Color value'=>'Colour value','Select default color'=>'Select default colour','Clear color'=>'Clear colour','Blocks'=>'Blocks','Options'=>'Options','Users'=>'Users','Menu items'=>'Menu items','Widgets'=>'Widgets','Attachments'=>'Attachments','Taxonomies'=>'Taxonomies','Posts'=>'Posts','Last updated: %s'=>'Last Updated: %s ago','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Invalid field group parameter(s).','Awaiting save'=>'Awaiting save','Saved'=>'Saved','Import'=>'Import','Review changes'=>'Review changes','Located in: %s'=>'Located in: %s','Located in plugin: %s'=>'Located in plugin: %s','Located in theme: %s'=>'Located in theme: %s','Various'=>'Various','Sync changes'=>'Sync changes','Loading diff'=>'Loading diff','Review local JSON changes'=>'Review local JSON changes','Visit website'=>'Visit website','View details'=>'View details','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Our extensive documentation contains references and guides for most situations you may encounter.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:','Help & Support'=>'Help & Support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Please use the Help & Support tab to get in touch should you find yourself requiring assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Before creating your first Field Group, we recommend first reading our Getting started guide to familiarise yourself with the plugin\'s philosophy and best practises.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields plugin provides a visual form builder to customise WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.','Overview'=>'Overview','Location type "%s" is already registered.'=>'Location type "%s" is already registered.','Class "%s" does not exist.'=>'Class "%s" does not exist.','Invalid nonce.'=>'Invalid nonce.','Error loading field.'=>'Error loading field.','Location not found: %s'=>'Location not found: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'User Role','Comment'=>'Comment','Post Format'=>'Post Format','Menu Item'=>'Menu Item','Post Status'=>'Post Status','Menus'=>'Menus','Menu Locations'=>'Menu Locations','Menu'=>'Menu','Post Taxonomy'=>'Post Taxonomy','Child Page (has parent)'=>'Child Page (has parent)','Parent Page (has children)'=>'Parent Page (has children)','Top Level Page (no parent)'=>'Top Level Page (no parent)','Posts Page'=>'Posts Page','Front Page'=>'Front Page Info','Page Type'=>'Page Type','Viewing back end'=>'Viewing back end','Viewing front end'=>'Viewing front end','Logged in'=>'Logged in','Current User'=>'Current User','Page Template'=>'Page Template','Register'=>'Register','Add / Edit'=>'Add / Edit','User Form'=>'User Form','Page Parent'=>'Page Parent','Super Admin'=>'Super Admin','Current User Role'=>'Current User Role','Default Template'=>'Default Template','Post Template'=>'Post Template','Post Category'=>'Post Category','All %s formats'=>'All %s formats','Attachment'=>'Attachment','%s value is required'=>'%s value is required','Show this field if'=>'Show this field if','Conditional Logic'=>'Conditional Logic','and'=>'and','Local JSON'=>'Local JSON','Clone Field'=>'','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Please also check all premium add-ons (%s) are updated to the latest version.','This version contains improvements to your database and requires an upgrade.'=>'This version contains improvements to your database and requires an upgrade.','Thank you for updating to %1$s v%2$s!'=>'Thank you for updating to %1$s v%2$s!','Database Upgrade Required'=>'Database Upgrade Required','Options Page'=>'Options Page','Gallery'=>'Gallery','Flexible Content'=>'Flexible Content','Repeater'=>'Repeater','Back to all tools'=>'Back to all tools','If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)'=>'If multiple field groups appear on an edit screen, the first field group\'s options will be used (the one with the lowest order number)','Select items to hide them from the edit screen.'=>'Select items to hide them from the edit screen.','Hide on screen'=>'Hide on screen','Send Trackbacks'=>'Send Trackbacks','Tags'=>'Tags','Categories'=>'Categories','Page Attributes'=>'Page Attributes','Format'=>'Format','Author'=>'Author','Slug'=>'Slug','Revisions'=>'Revisions','Comments'=>'Comments','Discussion'=>'Discussion','Excerpt'=>'Excerpt','Content Editor'=>'Content Editor','Permalink'=>'Permalink','Shown in field group list'=>'Shown in field group list','Field groups with a lower order will appear first'=>'Field groups with a lower order will appear first','Order No.'=>'Order No.','Below fields'=>'Below fields','Below labels'=>'Below labels','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Side','Normal (after content)'=>'Normal (after content)','High (after title)'=>'High (after title)','Position'=>'Position','Seamless (no metabox)'=>'Seamless (no metabox)','Standard (WP metabox)'=>'Standard (WP metabox)','Style'=>'Style','Type'=>'Type','Key'=>'Key','Order'=>'Order','Close Field'=>'Close Field','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'Wrapper Attributes','Required'=>'','Instructions'=>'Instructions','Field Type'=>'Field Type','Single word, no spaces. Underscores and dashes allowed'=>'Single word, no spaces. Underscores and dashes allowed','Field Name'=>'Field Name','This is the name which will appear on the EDIT page'=>'This is the name which will appear on the EDIT page','Field Label'=>'Field Label','Delete'=>'Delete','Delete field'=>'Delete field','Move'=>'Move','Move field to another group'=>'Move field to another group','Duplicate field'=>'Duplicate field','Edit field'=>'Edit field','Drag to reorder'=>'Drag to reorder','Show this field group if'=>'Show this field group if','No updates available.'=>'No updates available.','Database upgrade complete. See what\'s new'=>'Database upgrade complete. See what\'s new','Reading upgrade tasks...'=>'Reading upgrade tasks...','Upgrade failed.'=>'Upgrade failed.','Upgrade complete.'=>'Upgrade complete.','Upgrading data to version %s'=>'Upgrading data to version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?','Please select at least one site to upgrade.'=>'Please select at least one site to upgrade.','Database Upgrade complete. Return to network dashboard'=>'Database Upgrade complete. Return to network dashboard','Site is up to date'=>'Site is up to date','Site requires database upgrade from %1$s to %2$s'=>'Site requires database upgrade from %1$s to %2$s','Site'=>'Site','Upgrade Sites'=>'Upgrade Sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'The following sites require a DB upgrade. Check the ones you want to update and then click %s.','Add rule group'=>'Add rule group','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Create a set of rules to determine which edit screens will use these advanced custom fields','Rules'=>'Rules','Copied'=>'Copied','Copy to clipboard'=>'Copy to clipboard','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Select Field Groups','No field groups selected'=>'No field groups selected','Generate PHP'=>'Generate PHP','Export Field Groups'=>'Export Field Groups','Import file empty'=>'Import file empty','Incorrect file type'=>'Incorrect file type','Error uploading file. Please try again'=>'Error uploading file. Please try again','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Import Field Groups','Sync'=>'Sync','Select %s'=>'Select %s','Duplicate'=>'Duplicate','Duplicate this item'=>'Duplicate this item','Supports'=>'','Documentation'=>'','Description'=>'Description','Sync available'=>'Sync available','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Field group duplicated.' . "\0" . '%s field groups duplicated.','Active (%s)'=>'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'Review sites & upgrade','Upgrade Database'=>'Upgrade Database','Custom Fields'=>'Custom Fields','Move Field'=>'Move Field','Please select the destination for this field'=>'Please select the destination for this field','The %1$s field can now be found in the %2$s field group'=>'The %1$s field can now be found in the %2$s field group','Move Complete.'=>'Move Complete.','Active'=>'Active','Field Keys'=>'Field Keys','Settings'=>'Settings','Location'=>'Location','Null'=>'Null','copy'=>'copy','(this field)'=>'(this field)','Checked'=>'Checked','Move Custom Field'=>'Move Custom Field','No toggle fields available'=>'No toggle fields available','Field group title is required'=>'Field group title is required','This field cannot be moved until its changes have been saved'=>'This field cannot be moved until its changes have been saved','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','Field group draft updated.'=>'Field group draft updated.','Field group scheduled for.'=>'Field group scheduled for.','Field group submitted.'=>'Field group submitted.','Field group saved.'=>'Field group saved.','Field group published.'=>'Field group published.','Field group deleted.'=>'Field group deleted.','Field group updated.'=>'Field group updated.','Tools'=>'Tools','is not equal to'=>'is not equal to','is equal to'=>'is equal to','Forms'=>'Forms','Page'=>'Page','Post'=>'Post','Relational'=>'Relational','Choice'=>'Choice','Basic'=>'Basic','Unknown'=>'Unknown','Field type does not exist'=>'Field type does not exist','Spam Detected'=>'Spam Detected','Post updated'=>'Post updated','Update'=>'Update','Validate Email'=>'Validate Email','Content'=>'Content','Title'=>'Title','Edit field group'=>'Edit field group','Selection is less than'=>'Selection is less than','Selection is greater than'=>'Selection is greater than','Value is less than'=>'Value is less than','Value is greater than'=>'Value is greater than','Value contains'=>'Value contains','Value matches pattern'=>'Value matches pattern','Value is not equal to'=>'Value is not equal to','Value is equal to'=>'Value is equal to','Has no value'=>'Has no value','Has any value'=>'Has any value','Cancel'=>'Cancel','Are you sure?'=>'Are you sure?','%d fields require attention'=>'%d fields require attention','1 field requires attention'=>'1 field requires attention','Validation failed'=>'Validation failed','Validation successful'=>'Validation successful','Restricted'=>'Restricted','Collapse Details'=>'Collapse Details','Expand Details'=>'Expand Details','Uploaded to this post'=>'Uploaded to this post','verbUpdate'=>'Update','verbEdit'=>'Edit','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','File type must be %s.'=>'File type must be %s.','or'=>'or','File size must not exceed %s.'=>'File size must not exceed %s.','File size must be at least %s.'=>'File size must be at least %s.','Image height must not exceed %dpx.'=>'Image height must not exceed %dpx.','Image height must be at least %dpx.'=>'Image height must be at least %dpx.','Image width must not exceed %dpx.'=>'Image width must not exceed %dpx.','Image width must be at least %dpx.'=>'Image width must be at least %dpx.','(no title)'=>'(no title)','Full Size'=>'Full Size','Large'=>'Large','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(no label)','Sets the textarea height'=>'Sets the textarea height','Rows'=>'Rows','Text Area'=>'Text Area','Prepend an extra checkbox to toggle all choices'=>'Prepend an extra checkbox to toggle all choices','Save \'custom\' values to the field\'s choices'=>'Save \'custom\' values to the field\'s choices','Allow \'custom\' values to be added'=>'Allow \'custom\' values to be added','Add new choice'=>'Add new choice','Toggle All'=>'Toggle All','Allow Archives URLs'=>'Allow Archives URLs','Archives'=>'Archives','Page Link'=>'Page Link','Add'=>'Add','Name'=>'Name','%s added'=>'%s added','%s already exists'=>'%s already exists','User unable to add new %s'=>'User unable to add new %s','Term ID'=>'Term ID','Term Object'=>'Term Object','Load value from posts terms'=>'Load value from posts terms','Load Terms'=>'Load Terms','Connect selected terms to the post'=>'Connect selected terms to the post','Save Terms'=>'Save Terms','Allow new terms to be created whilst editing'=>'Allow new terms to be created whilst editing','Create Terms'=>'Create Terms','Radio Buttons'=>'Radio Buttons','Single Value'=>'Single Value','Multi Select'=>'Multi Select','Checkbox'=>'Checkbox','Multiple Values'=>'Multiple Values','Select the appearance of this field'=>'Select the appearance of this field','Appearance'=>'Appearance','Select the taxonomy to be displayed'=>'Select the taxonomy to be displayed','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'Value must be equal to or lower than %d','Value must be equal to or higher than %d'=>'Value must be equal to or higher than %d','Value must be a number'=>'Value must be a number','Number'=>'Number','Save \'other\' values to the field\'s choices'=>'Save \'other\' values to the field\'s choices','Add \'other\' choice to allow for custom values'=>'Add \'other\' choice to allow for custom values','Other'=>'Other','Radio Button'=>'Radio Button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define an endpoint for the previous accordion to stop. This accordion will not be visible.','Allow this accordion to open without closing others.'=>'Allow this accordion to open without closing others.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Display this accordion as open on page load.','Open'=>'Open','Accordion'=>'Accordion','Restrict which files can be uploaded'=>'Restrict which files can be uploaded','File ID'=>'File ID','File URL'=>'File URL','File Array'=>'File Array','Add File'=>'Add File','No file selected'=>'No file selected','File name'=>'File name','Update File'=>'Update File','Edit File'=>'Edit File','Select File'=>'Select File','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specify the value returned','Use AJAX to lazy load choices?'=>'Use AJAX to lazy load choices?','Enter each default value on a new line'=>'Enter each default value on a new line','verbSelect'=>'Select','Select2 JS load_failLoading failed'=>'Loading failed','Select2 JS searchingSearching…'=>'Searching…','Select2 JS load_moreLoading more results…'=>'Loading more results…','Select2 JS selection_too_long_nYou can only select %d items'=>'You can only select %d items','Select2 JS selection_too_long_1You can only select 1 item'=>'You can only select 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Please delete %d characters','Select2 JS input_too_long_1Please delete 1 character'=>'Please delete 1 character','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Please enter %d or more characters','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Please enter 1 or more characters','Select2 JS matches_0No matches found'=>'No matches found','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d results are available, use up and down arrow keys to navigate.','Select2 JS matches_1One result is available, press enter to select it.'=>'One result is available, press enter to select it.','nounSelect'=>'Select','User ID'=>'User ID','User Object'=>'User Object','User Array'=>'User Array','All user roles'=>'All user roles','Filter by Role'=>'','User'=>'User','Separator'=>'Separator','Select Color'=>'Select Colour','Default'=>'Default','Clear'=>'Clear','Color Picker'=>'Colour Picker','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Select','Date Time Picker JS closeTextDone'=>'Done','Date Time Picker JS currentTextNow'=>'Now','Date Time Picker JS timezoneTextTime Zone'=>'Time Zone','Date Time Picker JS microsecTextMicrosecond'=>'Microsecond','Date Time Picker JS millisecTextMillisecond'=>'Millisecond','Date Time Picker JS secondTextSecond'=>'Second','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Hour','Date Time Picker JS timeTextTime'=>'Time','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choose Time','Date Time Picker'=>'Date Time Picker','Endpoint'=>'Endpoint','Left aligned'=>'Left aligned','Top aligned'=>'Top aligned','Placement'=>'Placement','Tab'=>'Tab','Value must be a valid URL'=>'Value must be a valid URL','Link URL'=>'Link URL','Link Array'=>'Link Array','Opens in a new window/tab'=>'Opens in a new window/tab','Select Link'=>'Select Link','Link'=>'Link','Email'=>'Email','Step Size'=>'Step Size','Maximum Value'=>'Maximum Value','Minimum Value'=>'Minimum Value','Range'=>'Range','Both (Array)'=>'Both (Array)','Label'=>'Label','Value'=>'Value','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'For more control, you may specify both a value and label like this:','Enter each choice on a new line.'=>'Enter each choice on a new line.','Choices'=>'Choices','Button Group'=>'Button Group','Allow Null'=>'','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE will not be initialised until field is clicked','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Toolbar','Text Only'=>'Text Only','Visual Only'=>'Visual Only','Visual & Text'=>'Visual & Text','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Click to initialise TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visual','Value must not exceed %d characters'=>'Value must not exceed %d characters','Leave blank for no limit'=>'Leave blank for no limit','Character Limit'=>'Character Limit','Appears after the input'=>'Appears after the input','Append'=>'Append','Appears before the input'=>'Appears before the input','Prepend'=>'Prepend','Appears within the input'=>'Appears within the input','Placeholder Text'=>'Placeholder Text','Appears when creating a new post'=>'Appears when creating a new post','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s requires at least %2$s selection' . "\0" . '%1$s requires at least %2$s selections','Post ID'=>'Post ID','Post Object'=>'Post Object','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Featured image','Selected elements will be displayed in each result'=>'Selected elements will be displayed in each result','Elements'=>'Elements','Taxonomy'=>'Taxonomy','Post Type'=>'Post Type','Filters'=>'Filters','All taxonomies'=>'All taxonomies','Filter by Taxonomy'=>'Filter by Taxonomy','All post types'=>'All post types','Filter by Post Type'=>'Filter by Post Type','Search...'=>'Search...','Select taxonomy'=>'Select taxonomy','Select post type'=>'Select post type','No matches found'=>'No matches found','Loading'=>'Loading','Maximum values reached ( {max} values )'=>'Maximum values reached ( {max} values )','Relationship'=>'Relationship','Comma separated list. Leave blank for all types'=>'Comma separated list. Leave blank for all types','Allowed File Types'=>'','Maximum'=>'Maximum','File size'=>'File size','Restrict which images can be uploaded'=>'Restrict which images can be uploaded','Minimum'=>'Minimum','Uploaded to post'=>'Uploaded to post','All'=>'All','Limit the media library choice'=>'Limit the media library choice','Library'=>'Library','Preview Size'=>'Preview Size','Image ID'=>'Image ID','Image URL'=>'Image URL','Image Array'=>'Image Array','Specify the returned value on front end'=>'Specify the returned value on front end','Return Value'=>'Return Value','Add Image'=>'Add Image','No image selected'=>'No image selected','Remove'=>'Remove','Edit'=>'Edit','All images'=>'All images','Update Image'=>'Update Image','Edit Image'=>'Edit Image','Select Image'=>'Select Image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Allow HTML markup to display as visible text instead of rendering','Escape HTML'=>'Escape HTML','No Formatting'=>'No Formatting','Automatically add <br>'=>'Automatically add <br>','Automatically add paragraphs'=>'Automatically add paragraphs','Controls how new lines are rendered'=>'Controls how new lines are rendered','New Lines'=>'New Lines','Week Starts On'=>'Week Starts On','The format used when saving a value'=>'The format used when saving a value','Save Format'=>'Save Format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Prev','Date Picker JS nextTextNext'=>'Next','Date Picker JS currentTextToday'=>'Today','Date Picker JS closeTextDone'=>'Done','Date Picker'=>'Date Picker','Width'=>'Width','Embed Size'=>'Embed Size','Enter URL'=>'Enter URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text shown when inactive','Off Text'=>'Off Text','Text shown when active'=>'Text shown when active','On Text'=>'On Text','Stylized UI'=>'','Default Value'=>'Default Value','Displays text alongside the checkbox'=>'Displays text alongside the checkbox','Message'=>'Message','No'=>'No','Yes'=>'Yes','True / False'=>'True / False','Row'=>'Row','Table'=>'Table','Block'=>'Block','Specify the style used to render the selected fields'=>'Specify the style used to render the selected fields','Layout'=>'Layout','Sub Fields'=>'Sub Fields','Group'=>'Group','Customize the map height'=>'Customise the map height','Height'=>'Height','Set the initial zoom level'=>'Set the initial zoom level','Zoom'=>'Zoom','Center the initial map'=>'Centre the initial map','Center'=>'Centre','Search for address...'=>'Search for address...','Find current location'=>'Find current location','Clear location'=>'Clear location','Search'=>'Search','Sorry, this browser does not support geolocation'=>'Sorry, this browser does not support geolocation','Google Map'=>'Google Map','The format returned via template functions'=>'The format returned via template functions','Return Format'=>'Return Format','Custom:'=>'Custom:','The format displayed when editing a post'=>'The format displayed when editing a post','Display Format'=>'Display Format','Time Picker'=>'Time Picker','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No Fields found in Bin','No Fields found'=>'No Fields found','Search Fields'=>'Search Fields','View Field'=>'View Field','New Field'=>'New Field','Edit Field'=>'Edit Field','Add New Field'=>'Add New Field','Field'=>'Field','Fields'=>'Fields','No Field Groups found in Trash'=>'No Field Groups found in Bin','No Field Groups found'=>'No Field Groups found','Search Field Groups'=>'Search Field Groups','View Field Group'=>'View Field Group','New Field Group'=>'New Field Group','Edit Field Group'=>'Edit Field Group','Add New Field Group'=>'Add New Field Group','Add New'=>'Add New','Field Group'=>'Field Group','Field Groups'=>'Field Groups','Customize WordPress with powerful, professional and intuitive fields.'=>'Customise WordPress with powerful, professional and intuitive fields.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'en_ZA','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_CL.l10n.php b/lang/acf-es_CL.l10n.php
index b1882ea..17d5691 100644
--- a/lang/acf-es_CL.l10n.php
+++ b/lang/acf-es_CL.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_CL','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['By default only admin users can edit this setting.'=>'De forma predeterminada, solo los usuarios administradores pueden editar esta configuración.','By default only super admin users can edit this setting.'=>'De forma predeterminada, solo los usuarios superadministradores pueden editar esta configuración.','Close and Add Field'=>'Cerrar y agregar campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Una función PHP se llamará para manejar el contenido de un metabox en su taxonomía. Por seguridad, esta devolución de llamada se ejecutará en un contexto especial sin acceso a ninguna variable super global como $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Una función PHP se llamará al configurar los meta boxes para la pantalla de edición. Por seguridad, esta devolución de llamada se ejecutará en un contexto especial sin acceso a ninguna variable super global como $_POST o $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF no pudo realizar la validación debido a que se proporcionó un nonce de seguridad no válido.','Allow Access to Value in Editor UI'=>'Permitir el acceso al valor en la interfaz del editor','Learn more.'=>'Saber más.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permite que los editores de contenido accedan y muestren el valor del campo en la interfaz de usuario del editor utilizando enlaces de bloque o el shortcode de ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en bloques enlazados o en el shortcode de ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'El campo ACF solicitado no puede aparecer en los enlaces o en el shortcode de ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en enlaces o en el shortcode de ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[El shortcode de ACF no puede mostrar campos de entradas no públicas]','[The ACF shortcode is disabled on this site]'=>'[El shortcode de ACF está desactivado en este sitio]','Businessman Icon'=>'Ícono de hombre de negocios','Forums Icon'=>'Ícono de foros','YouTube Icon'=>'Ícono de YouTube','Yes (alt) Icon'=>'Ícono de sí (alt)','Xing Icon'=>'Ícono de Xing','WordPress (alt) Icon'=>'Ícono de WordPress (alt)','WhatsApp Icon'=>'Ícono de Whatsapp','Write Blog Icon'=>'Ícono de escribir blog','Widgets Menus Icon'=>'Ícono de widgets de menús','View Site Icon'=>'Ícono de ver el sitio','Learn More Icon'=>'Ícono de aprender más','Add Page Icon'=>'Ícono de agregar página','Video (alt3) Icon'=>'Ícono de video (alt3)','Video (alt2) Icon'=>'Ícono de video (alt2)','Video (alt) Icon'=>'Ícono de video (alt)','Update (alt) Icon'=>'Ícono de actualizar (alt)','Universal Access (alt) Icon'=>'Ícono de acceso universal (alt)','Twitter (alt) Icon'=>'Ícono de Twitter (alt)','Twitch Icon'=>'Ícono de Twitch','Tide Icon'=>'Ícono de marea','Tickets (alt) Icon'=>'Ícono de entradas (alt)','Text Page Icon'=>'Ícono de página de texto','Table Row Delete Icon'=>'Ícono de borrar fila de tabla','Table Row Before Icon'=>'Ícono de fila antes de tabla','Table Row After Icon'=>'Ícono de fila tras la tabla','Table Col Delete Icon'=>'Ícono de borrar columna de tabla','Table Col Before Icon'=>'Ícono de columna antes de la tabla','Table Col After Icon'=>'Ícono de columna tras la tabla','Superhero (alt) Icon'=>'Ícono de superhéroe (alt)','Superhero Icon'=>'Ícono de superhéroe','Spotify Icon'=>'Ícono de Spotify','Shortcode Icon'=>'Ícono del shortcode','Shield (alt) Icon'=>'Ícono de escudo (alt)','Share (alt2) Icon'=>'Ícono de compartir (alt2)','Share (alt) Icon'=>'Ícono de compartir (alt)','Saved Icon'=>'Ícono de guardado','RSS Icon'=>'Ícono de RSS','REST API Icon'=>'Ícono de la API REST','Remove Icon'=>'Ícono de quitar','Reddit Icon'=>'Ícono de Reddit','Privacy Icon'=>'Ícono de privacidad','Printer Icon'=>'Ícono de la impresora','Podio Icon'=>'Ícono del podio','Plus (alt2) Icon'=>'Ícono de más (alt2)','Plus (alt) Icon'=>'Ícono de más (alt)','Plugins Checked Icon'=>'Ícono de plugins comprobados','Pinterest Icon'=>'Ícono de Pinterest','Pets Icon'=>'Ícono de mascotas','PDF Icon'=>'Ícono de PDF','Palm Tree Icon'=>'Ícono de la palmera','Open Folder Icon'=>'Ícono de carpeta abierta','No (alt) Icon'=>'Ícono del no (alt)','Money (alt) Icon'=>'Ícono de dinero (alt)','Menu (alt3) Icon'=>'Ícono de menú (alt3)','Menu (alt2) Icon'=>'Ícono de menú (alt2)','Menu (alt) Icon'=>'Ícono de menú (alt)','Spreadsheet Icon'=>'Ícono de hoja de cálculo','Interactive Icon'=>'Ícono interactivo','Document Icon'=>'Ícono de documento','Default Icon'=>'Ícono por defecto','Location (alt) Icon'=>'Ícono de ubicación (alt)','LinkedIn Icon'=>'Ícono de LinkedIn','Instagram Icon'=>'Ícono de Instagram','Insert Before Icon'=>'Ícono de insertar antes','Insert After Icon'=>'Ícono de insertar después','Insert Icon'=>'Ícono de insertar','Info Outline Icon'=>'Ícono de esquema de información','Images (alt2) Icon'=>'Ícono de imágenes (alt2)','Images (alt) Icon'=>'Ícono de imágenes (alt)','Rotate Right Icon'=>'Ícono de girar a la derecha','Rotate Left Icon'=>'Ícono de girar a la izquierda','Rotate Icon'=>'Ícono de girar','Flip Vertical Icon'=>'Ícono de voltear verticalmente','Flip Horizontal Icon'=>'Ícono de voltear horizontalmente','Crop Icon'=>'Ícono de recortar','ID (alt) Icon'=>'Ícono de ID (alt)','HTML Icon'=>'Ícono de HTML','Hourglass Icon'=>'Ícono de reloj de arena','Heading Icon'=>'Ícono de encabezado','Google Icon'=>'Ícono de Google','Games Icon'=>'Ícono de juegos','Fullscreen Exit (alt) Icon'=>'Ícono de salir a pantalla completa (alt)','Fullscreen (alt) Icon'=>'Ícono de pantalla completa (alt)','Status Icon'=>'Ícono de estado','Image Icon'=>'Ícono de imagen','Gallery Icon'=>'Ícono de galería','Chat Icon'=>'Ícono del chat','Audio Icon'=>'Ícono de audio','Aside Icon'=>'Ícono de minientrada','Food Icon'=>'Ícono de comida','Exit Icon'=>'Ícono de salida','Excerpt View Icon'=>'Ícono de ver extracto','Embed Video Icon'=>'Ícono de incrustar video','Embed Post Icon'=>'Ícono de incrustar entrada','Embed Photo Icon'=>'Ícono de incrustar foto','Embed Generic Icon'=>'Ícono de incrustar genérico','Embed Audio Icon'=>'Ícono de incrustar audio','Email (alt2) Icon'=>'Ícono de correo electrónico (alt2)','Ellipsis Icon'=>'Ícono de puntos suspensivos','Unordered List Icon'=>'Ícono de lista desordenada','RTL Icon'=>'Ícono RTL','Ordered List RTL Icon'=>'Ícono de lista ordenada RTL','Ordered List Icon'=>'Ícono de lista ordenada','LTR Icon'=>'Ícono LTR','Custom Character Icon'=>'Ícono de personaje personalizado','Edit Page Icon'=>'Ícono de editar página','Edit Large Icon'=>'Ícono de edición grande','Drumstick Icon'=>'Ícono de la baqueta','Database View Icon'=>'Ícono de vista de la base de datos','Database Remove Icon'=>'Ícono de eliminar base de datos','Database Import Icon'=>'Ícono de importar base de datos','Database Export Icon'=>'Ícono de exportar de base de datos','Database Add Icon'=>'Ícono de agregar base de datos','Database Icon'=>'Ícono de base de datos','Cover Image Icon'=>'Ícono de imagen de portada','Volume On Icon'=>'Ícono de volumen activado','Volume Off Icon'=>'Ícono de volumen apagado','Skip Forward Icon'=>'Ícono de saltar adelante','Skip Back Icon'=>'Ícono de saltar atrás','Repeat Icon'=>'Ícono de repetición','Play Icon'=>'Ícono de reproducción','Pause Icon'=>'Ícono de pausa','Forward Icon'=>'Ícono de adelante','Back Icon'=>'Ícono de atrás','Columns Icon'=>'Ícono de columnas','Color Picker Icon'=>'Ícono del selector de color','Coffee Icon'=>'Ícono del café','Code Standards Icon'=>'Ícono de normas del código','Cloud Upload Icon'=>'Ícono de subir a la nube','Cloud Saved Icon'=>'Ícono de nube guardada','Car Icon'=>'Ícono del coche','Camera (alt) Icon'=>'Ícono de cámara (alt)','Calculator Icon'=>'Ícono de calculadora','Button Icon'=>'Ícono de botón','Businessperson Icon'=>'Ícono de empresario','Tracking Icon'=>'Ícono de seguimiento','Topics Icon'=>'Ícono de debate','Replies Icon'=>'Ícono de respuestas','PM Icon'=>'Ícono de PM','Friends Icon'=>'Ícono de amistad','Community Icon'=>'Ícono de la comunidad','BuddyPress Icon'=>'Ícono de BuddyPress','bbPress Icon'=>'Ícono de bbPress','Activity Icon'=>'Ícono de actividad','Book (alt) Icon'=>'Ícono del libro (alt)','Block Default Icon'=>'Ícono de bloque por defecto','Bell Icon'=>'Ícono de la campana','Beer Icon'=>'Ícono de la cerveza','Bank Icon'=>'Ícono del banco','Arrow Up (alt2) Icon'=>'Ícono de flecha arriba (alt2)','Arrow Up (alt) Icon'=>'Ícono de flecha arriba (alt)','Arrow Right (alt2) Icon'=>'Ícono de flecha derecha (alt2)','Arrow Right (alt) Icon'=>'Ícono de flecha derecha (alt)','Arrow Left (alt2) Icon'=>'Ícono de flecha izquierda (alt2)','Arrow Left (alt) Icon'=>'Ícono de flecha izquierda (alt)','Arrow Down (alt2) Icon'=>'Ícono de flecha abajo (alt2)','Arrow Down (alt) Icon'=>'Ícono de flecha abajo (alt)','Amazon Icon'=>'Ícono de Amazon','Align Wide Icon'=>'Ícono de alinear ancho','Align Pull Right Icon'=>'Ícono de alinear tirar a la derecha','Align Pull Left Icon'=>'Ícono de alinear tirar a la izquierda','Align Full Width Icon'=>'Ícono de alinear al ancho completo','Airplane Icon'=>'Ícono del avión','Site (alt3) Icon'=>'Ícono de sitio (alt3)','Site (alt2) Icon'=>'Ícono de sitio (alt2)','Site (alt) Icon'=>'Ícono de sitio (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Mejora a ACF PRO para crear páginas de opciones en unos pocos clics','Invalid request args.'=>'Argumentos de solicitud no válidos.','Sorry, you do not have permission to do that.'=>'Lo siento, no tienes permisos para hacer eso.','Blocks Using Post Meta'=>'Bloques con Post Meta','ACF PRO logo'=>'Logotipo de ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s requiere un ID de archivo adjunto válido cuando el tipo se establece en media_library.','%s is a required property of acf.'=>'%s es una propiedad obligatoria de acf.','The value of icon to save.'=>'El valor del ícono a guardar.','The type of icon to save.'=>'El tipo de ícono a guardar.','Yes Icon'=>'Ícono de sí','WordPress Icon'=>'Ícono de WordPress','Warning Icon'=>'Ícono de advertencia','Visibility Icon'=>'Ícono de visibilidad','Vault Icon'=>'Ícono de la bóveda','Upload Icon'=>'Ícono de subida','Update Icon'=>'Ícono de actualización','Unlock Icon'=>'Ícono de desbloqueo','Universal Access Icon'=>'Ícono de acceso universal','Undo Icon'=>'Ícono de deshacer','Twitter Icon'=>'Ícono de Twitter','Trash Icon'=>'Ícono de papelera','Translation Icon'=>'Ícono de traducción','Tickets Icon'=>'Ícono de tiques','Thumbs Up Icon'=>'Ícono de pulgar hacia arriba','Thumbs Down Icon'=>'Ícono de pulgar hacia abajo','Text Icon'=>'Ícono de texto','Testimonial Icon'=>'Ícono de testimonio','Tagcloud Icon'=>'Ícono de nube de etiquetas','Tag Icon'=>'Ícono de etiqueta','Tablet Icon'=>'Ícono de la tableta','Store Icon'=>'Ícono de la tienda','Sticky Icon'=>'Ícono fijo','Star Half Icon'=>'Ícono media estrella','Star Filled Icon'=>'Ícono de estrella rellena','Star Empty Icon'=>'Ícono de estrella vacía','Sos Icon'=>'Ícono Sos','Sort Icon'=>'Ícono de ordenación','Smiley Icon'=>'Ícono sonriente','Smartphone Icon'=>'Ícono de smartphone','Slides Icon'=>'Ícono de diapositivas','Shield Icon'=>'Ícono de escudo','Share Icon'=>'Ícono de compartir','Search Icon'=>'Ícono de búsqueda','Screen Options Icon'=>'Ícono de opciones de pantalla','Schedule Icon'=>'Ícono de horario','Redo Icon'=>'Ícono de rehacer','Randomize Icon'=>'Ícono de aleatorio','Products Icon'=>'Ícono de productos','Pressthis Icon'=>'Ícono de presiona esto','Post Status Icon'=>'Ícono de estado de la entrada','Portfolio Icon'=>'Ícono de porfolio','Plus Icon'=>'Ícono de más','Playlist Video Icon'=>'Ícono de lista de reproducción de video','Playlist Audio Icon'=>'Ícono de lista de reproducción de audio','Phone Icon'=>'Ícono de teléfono','Performance Icon'=>'Ícono de rendimiento','Paperclip Icon'=>'Ícono del clip','No Icon'=>'Sin ícono','Networking Icon'=>'Ícono de red de contactos','Nametag Icon'=>'Ícono de etiqueta de nombre','Move Icon'=>'Ícono de mover','Money Icon'=>'Ícono de dinero','Minus Icon'=>'Ícono de menos','Migrate Icon'=>'Ícono de migrar','Microphone Icon'=>'Ícono de micrófono','Megaphone Icon'=>'Ícono del megáfono','Marker Icon'=>'Ícono del marcador','Lock Icon'=>'Ícono de candado','Location Icon'=>'Ícono de ubicación','List View Icon'=>'Ícono de vista de lista','Lightbulb Icon'=>'Ícono de bombilla','Left Right Icon'=>'Ícono izquierda derecha','Layout Icon'=>'Ícono de disposición','Laptop Icon'=>'Ícono del portátil','Info Icon'=>'Ícono de información','Index Card Icon'=>'Ícono de tarjeta índice','ID Icon'=>'Ícono de ID','Hidden Icon'=>'Ícono de oculto','Heart Icon'=>'Ícono del corazón','Hammer Icon'=>'Ícono del martillo','Groups Icon'=>'Ícono de grupos','Grid View Icon'=>'Ícono de vista en cuadrícula','Forms Icon'=>'Ícono de formularios','Flag Icon'=>'Ícono de bandera','Filter Icon'=>'Ícono del filtro','Feedback Icon'=>'Ícono de respuestas','Facebook (alt) Icon'=>'Ícono de Facebook alt','Facebook Icon'=>'Ícono de Facebook','External Icon'=>'Ícono externo','Email (alt) Icon'=>'Ícono del correo electrónico alt','Email Icon'=>'Ícono del correo electrónico','Video Icon'=>'Ícono de video','Unlink Icon'=>'Ícono de desenlazar','Underline Icon'=>'Ícono de subrayado','Text Color Icon'=>'Ícono de color de texto','Table Icon'=>'Ícono de tabla','Strikethrough Icon'=>'Ícono de tachado','Spellcheck Icon'=>'Ícono del corrector ortográfico','Remove Formatting Icon'=>'Ícono de quitar el formato','Quote Icon'=>'Ícono de cita','Paste Word Icon'=>'Ícono de pegar palabra','Paste Text Icon'=>'Ícono de pegar texto','Paragraph Icon'=>'Ícono de párrafo','Outdent Icon'=>'Ícono saliente','Kitchen Sink Icon'=>'Ícono del fregadero','Justify Icon'=>'Ícono de justificar','Italic Icon'=>'Ícono cursiva','Insert More Icon'=>'Ícono de insertar más','Indent Icon'=>'Ícono de sangría','Help Icon'=>'Ícono de ayuda','Expand Icon'=>'Ícono de expandir','Contract Icon'=>'Ícono de contrato','Code Icon'=>'Ícono de código','Break Icon'=>'Ícono de rotura','Bold Icon'=>'Ícono de negrita','Edit Icon'=>'Ícono de editar','Download Icon'=>'Ícono de descargar','Dismiss Icon'=>'Ícono de descartar','Desktop Icon'=>'Ícono del escritorio','Dashboard Icon'=>'Ícono del escritorio','Cloud Icon'=>'Ícono de nube','Clock Icon'=>'Ícono de reloj','Clipboard Icon'=>'Ícono del portapapeles','Chart Pie Icon'=>'Ícono de gráfico de tarta','Chart Line Icon'=>'Ícono de gráfico de líneas','Chart Bar Icon'=>'Ícono de gráfico de barras','Chart Area Icon'=>'Ícono de gráfico de área','Category Icon'=>'Ícono de categoría','Cart Icon'=>'Ícono del carrito','Carrot Icon'=>'Ícono de zanahoria','Camera Icon'=>'Ícono de cámara','Calendar (alt) Icon'=>'Ícono de calendario alt','Calendar Icon'=>'Ícono de calendario','Businesswoman Icon'=>'Ícono de hombre de negocios','Building Icon'=>'Ícono de edificio','Book Icon'=>'Ícono del libro','Backup Icon'=>'Ícono de copia de seguridad','Awards Icon'=>'Ícono de premios','Art Icon'=>'Ícono de arte','Arrow Up Icon'=>'Ícono flecha arriba','Arrow Right Icon'=>'Ícono flecha derecha','Arrow Left Icon'=>'Ícono flecha izquierda','Arrow Down Icon'=>'Ícono de flecha hacia abajo','Archive Icon'=>'Ícono de archivo','Analytics Icon'=>'Ícono de análisis','Align Right Icon'=>'Ícono alinear a la derecha','Align None Icon'=>'Ícono no alinear','Align Left Icon'=>'Ícono alinear a la izquierda','Align Center Icon'=>'Ícono alinear al centro','Album Icon'=>'Ícono de álbum','Users Icon'=>'Ícono de usuarios','Tools Icon'=>'Ícono de herramientas','Site Icon'=>'Ícono del sitio','Settings Icon'=>'Ícono de ajustes','Post Icon'=>'Ícono de la entrada','Plugins Icon'=>'Ícono de plugins','Page Icon'=>'Ícono de página','Network Icon'=>'Ícono de red','Multisite Icon'=>'Ícono multisitio','Media Icon'=>'Ícono de medios','Links Icon'=>'Ícono de enlaces','Home Icon'=>'Ícono de inicio','Customizer Icon'=>'Ícono del personalizador','Comments Icon'=>'Ícono de comentarios','Collapse Icon'=>'Ícono de plegado','Appearance Icon'=>'Ícono de apariencia','Generic Icon'=>'Ícono genérico','Icon picker requires a value.'=>'El selector de íconos requiere un valor.','Icon picker requires an icon type.'=>'El selector de íconos requiere un tipo de ícono.','The available icons matching your search query have been updated in the icon picker below.'=>'Los íconos disponibles que coinciden con tu consulta se han actualizado en el selector de íconos de abajo.','No results found for that search term'=>'No se han encontrado resultados para ese término de búsqueda','Array'=>'Array','String'=>'Cadena','Specify the return format for the icon. %s'=>'Especifica el formato de retorno del ícono. %s','Select where content editors can choose the icon from.'=>'Selecciona de dónde pueden elegir el ícono los editores de contenidos.','The URL to the icon you\'d like to use, or svg as Data URI'=>'La URL del ícono que quieres utilizar, o svg como URI de datos','Browse Media Library'=>'Explorar la biblioteca de medios','The currently selected image preview'=>'La vista previa de la imagen seleccionada actualmente','Click to change the icon in the Media Library'=>'Haz clic para cambiar el ícono de la biblioteca de medios','Search icons...'=>'Buscar íconos…','Media Library'=>'Biblioteca de medios','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Una interfaz de usuario interactiva para seleccionar un ícono. Selecciona entre dashicons, la biblioteca de medios o una entrada URL independiente.','Icon Picker'=>'Selector de íconos','JSON Load Paths'=>'Rutas de carga JSON','JSON Save Paths'=>'Rutas de guardado JSON','Registered ACF Forms'=>'Formularios ACF registrados','Shortcode Enabled'=>'Shortcode activado','Field Settings Tabs Enabled'=>'Pestañas de ajustes de campo activadas','Field Type Modal Enabled'=>'Tipo de campo emergente activado','Admin UI Enabled'=>'Interfaz de administrador activada','Block Preloading Enabled'=>'Precarga de bloques activada','Blocks Per ACF Block Version'=>'Bloques por versión de bloque ACF','Blocks Per API Version'=>'Bloques por versión de API','Registered ACF Blocks'=>'Bloques ACF registrados','Light'=>'Claro','Standard'=>'Estándar','REST API Format'=>'Formato de la API REST','Registered Options Pages (PHP)'=>'Páginas de opciones registradas (PHP)','Registered Options Pages (JSON)'=>'Páginas de opciones registradas (JSON)','Registered Options Pages (UI)'=>'Páginas de opciones registradas (IU)','Options Pages UI Enabled'=>'Interfaz de usuario de las páginas de opciones activada','Registered Taxonomies (JSON)'=>'Taxonomías registradas (JSON)','Registered Taxonomies (UI)'=>'Taxonomías registradas (IU)','Registered Post Types (JSON)'=>'Tipos de contenido registrados (JSON)','Registered Post Types (UI)'=>'Tipos de contenido registrados (UI)','Post Types and Taxonomies Enabled'=>'Tipos de contenido y taxonomías activados','Number of Third Party Fields by Field Type'=>'Número de campos de terceros por tipo de campo','Number of Fields by Field Type'=>'Número de campos por tipo de campo','Field Groups Enabled for GraphQL'=>'Grupos de campos activados para GraphQL','Field Groups Enabled for REST API'=>'Grupos de campos activados para la API REST','Registered Field Groups (JSON)'=>'Grupos de campos registrados (JSON)','Registered Field Groups (PHP)'=>'Grupos de campos registrados (PHP)','Registered Field Groups (UI)'=>'Grupos de campos registrados (UI)','Active Plugins'=>'Plugins activos','Parent Theme'=>'Tema principal','Active Theme'=>'Tema activo','Is Multisite'=>'Es multisitio','MySQL Version'=>'Versión de MySQL','WordPress Version'=>'Versión de WordPress','Free'=>'Gratis','Plugin Type'=>'Tipo de plugin','Plugin Version'=>'Versión del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Esta sección contiene información de depuración sobre la configuración de tu ACF que puede ser útil proporcionar al servicio de asistencia.','An ACF Block on this page requires attention before you can save.'=>'Un bloque de ACF en esta página requiere atención antes de que puedas guardar.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Estos datos se registran a medida que detectamos valores que se han modificado durante la salida. %1$sVaciar registro y descartar%2$s después de escapar los valores en tu código. El aviso volverá a aparecer si volvemos a detectar valores cambiados.','Dismiss permanently'=>'Descartar permanentemente','Instructions for content editors. Shown when submitting data.'=>'Instrucciones para los editores de contenidos. Se muestra al enviar los datos.','Has no term selected'=>'No tiene ningún término seleccionado','Has any term selected'=>'¿Ha seleccionado algún término?','Terms do not contain'=>'Los términos no contienen','Terms contain'=>'Los términos contienen','Term is not equal to'=>'El término no es igual a','Term is equal to'=>'El término es igual a','Has no user selected'=>'No tiene usuario seleccionado','Has any user selected'=>'¿Ha seleccionado algún usuario','Users do not contain'=>'Los usuarios no contienen','Users contain'=>'Los usuarios contienen','User is not equal to'=>'Usuario no es igual a','User is equal to'=>'Usuario es igual a','Has no page selected'=>'No tiene página seleccionada','Has any page selected'=>'¿Has seleccionado alguna página?','Pages do not contain'=>'Las páginas no contienen','Pages contain'=>'Las páginas contienen','Page is not equal to'=>'Página no es igual a','Page is equal to'=>'Página es igual a','Has no relationship selected'=>'No tiene ninguna relación seleccionada','Has any relationship selected'=>'¿Ha seleccionado alguna relación?','Has no post selected'=>'No tiene ninguna entrada seleccionada','Has any post selected'=>'¿Has seleccionado alguna entrada?','Posts do not contain'=>'Las entradas no contienen','Posts contain'=>'Las entradas contienen','Post is not equal to'=>'Entrada no es igual a','Post is equal to'=>'Entrada es igual a','Relationships do not contain'=>'Las relaciones no contienen','Relationships contain'=>'Las relaciones contienen','Relationship is not equal to'=>'La relación no es igual a','Relationship is equal to'=>'La relación es igual a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos de ACF','ACF PRO Feature'=>'Característica de ACF PRO','Renew PRO to Unlock'=>'Renueva PRO para desbloquear','Renew PRO License'=>'Renovar licencia PRO','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activa tu licencia de ACF PRO para editar los grupos de campos asignados a un Bloque ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activa tu licencia de ACF PRO para editar esta página de opciones.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Devolver valores HTML escapados sólo es posible cuando format_value también es rue. Los valores de los campos no se devuelven por seguridad.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Devolver un valor HTML escapado sólo es posible cuando format_value también es true. El valor del campo no se devuelve por seguridad.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'ACF %1$s ahora escapa automáticamente el HTML no seguro cuando es mostrado por the_field o el shortcode de ACF. Hemos detectado que la salida de algunos de tus campos se verá modificada por este cambio. %2$s.','Please contact your site administrator or developer for more details.'=>'Para más detalles, ponte en contacto con el administrador o desarrollador de tu web.','Learn more'=>'Más información','Hide details'=>'Ocultar detalles','Show details'=>'Mostrar detalles','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew License'=>'Renovar licencia','Manage License'=>'Gestionar la licencia','\'High\' position not supported in the Block Editor'=>'No se admite la posición “Alta” en el editor de bloques','Upgrade to ACF PRO'=>'Actualizar a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Las páginas de opciones de ACF son páginas de administrador personalizadas para gestionar ajustes globales a través de campos. Puedes crear múltiples páginas y subpáginas.','Add Options Page'=>'Agregar página de opciones','In the editor used as the placeholder of the title.'=>'En el editor utilizado como marcador de posición del título.','Title Placeholder'=>'Marcador de posición del título','(Duplicated from %s)'=>'(Duplicado de %s)','Select Options Pages'=>'Seleccionar páginas de opciones','Duplicate taxonomy'=>'Duplicar texonomía','Create taxonomy'=>'Crear taxonomía','Duplicate post type'=>'Duplicar tipo de contenido','Create post type'=>'Crear tipo de contenido','Link field groups'=>'Enlazar grupos de campos','Add fields'=>'Agregar campos','This Field'=>'Este campo','Add this %s to the location rules of the selected field groups.'=>'Agregar %s actual a las reglas de localización de los grupos de campos seleccionados.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona el/los campo/s para almacenar la referencia al artículo que se está actualizando. Puedes seleccionar este campo. Los campos de destino deben ser compatibles con el lugar donde se está mostrando este campo. Por ejemplo, si este campo se muestra en una taxonomía, tu campo de destino debe ser del tipo taxonomía','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Actualiza un campo en los valores seleccionados, haciendo referencia a este ID','Bidirectional'=>'Bidireccional','%s Field'=>'Campo %s','Select Multiple'=>'Seleccionar varios','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo minúsculas, subrayados y guiones. Máximo 32 caracteres.','The capability name for assigning terms of this taxonomy.'=>'El nombre de la capacidad para asignar términos de esta taxonomía.','Assign Terms Capability'=>'Capacidad de asignar términos','The capability name for deleting terms of this taxonomy.'=>'El nombre de la capacidad para borrar términos de esta taxonomía.','Delete Terms Capability'=>'Capacidad de eliminar términos','The capability name for editing terms of this taxonomy.'=>'El nombre de la capacidad para editar términos de esta taxonomía.','Edit Terms Capability'=>'Capacidad de editar términos','The capability name for managing terms of this taxonomy.'=>'El nombre de la capacidad para gestionar términos de esta taxonomía.','Manage Terms Capability'=>'Gestionar las capacidades para términos','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Establece si las entradas deben excluirse de los resultados de búsqueda y de las páginas de archivo de taxonomía.','More Tools from WP Engine'=>'Más herramientas de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Construido para los que construyen con WordPress, por el equipo de %s','View Pricing & Upgrade'=>'Ver precios y actualizar','Learn More'=>'Aprender más','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelera tu flujo de trabajo y desarrolla mejores sitios web con funciones como Bloques ACF y Páginas de opciones, y sofisticados tipos de campo como Repetidor, Contenido Flexible, Clonar y Galería.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloquea funciones avanzadas y construye aún más con ACF PRO','%s fields'=>'%s campos','No terms'=>'Sin términos','No post types'=>'Sin tipos de contenido','No posts'=>'Sin entradas','No taxonomies'=>'Sin taxonomías','No field groups'=>'Sin grupos de campos','No fields'=>'Sin campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía registrada fuera de ACF y no puede utilizarse.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía en ACF y no puede utilizarse.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de taxonomía sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The taxonomy key must be under 32 characters.'=>'La clave taxonómica debe tener menos de 32 caracteres.','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Agregar nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar tipos de contenido','View Post Type'=>'Ver tipo de contenido','New Post Type'=>'Nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Agregar nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido registrado fuera de ACF y no puede utilizarse.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido en ACF y no puede utilizarse.','This field must not be a WordPress reserved term.'=>'Este campo no debe ser un término reservado de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe tener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en los ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Muestra el editor WYSIWYG de WordPress tal y como se ve en las Entradas y Páginas, permitiendo una experiencia de edición de texto enriquecida que también permite contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite seleccionar uno o varios usuarios que pueden utilizarse para crear relaciones entre objetos de datos.','A text input specifically designed for storing web addresses.'=>'Una entrada de texto diseñada específicamente para almacenar direcciones web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un conmutador que te permite elegir un valor de 1 ó 0 (encendido o apagado, verdadero o falso, etc.). Puede presentarse como un interruptor estilizado o una casilla de verificación.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una hora. El formato de la hora se puede personalizar mediante los ajustes del campo.','A basic textarea input for storing paragraphs of text.'=>'Una entrada de área de texto básica para almacenar párrafos de texto.','A basic text input, useful for storing single string values.'=>'Una entrada de texto básica, útil para almacenar valores de una sola cadena.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite seleccionar uno o varios términos de taxonomía en función de los criterios y opciones especificados en los ajustes de los campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Te permite agrupar campos en secciones con pestañas en la pantalla de edición. Útil para mantener los campos organizados y estructurados.','A dropdown list with a selection of choices that you specify.'=>'Una lista desplegable con una selección de opciones que tú especifiques.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfaz de doble columna para seleccionar una o más entradas, páginas o elementos de tipo contenido personalizado para crear una relación con el elemento que estás editando en ese momento. Incluye opciones para buscar y filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo para seleccionar un valor numérico dentro de un rango especificado mediante un elemento deslizante de rango.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grupo de entradas de botón de opción que permite al usuario hacer una única selección entre los valores que especifiques.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfaz de usuario interactiva y personalizable para seleccionar una o varias entradas, páginas o elementos de tipo contenido con la opción de buscar. ','An input for providing a password using a masked field.'=>'Una entrada para proporcionar una contraseña utilizando un campo enmascarado.','Filter by Post Status'=>'Filtrar por estado de publicación','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, elementos de tipo contenido personalizad o URL de archivo, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar videos, imágenes, tweets, audio y otros contenidos haciendo uso de la funcionalidad oEmbed nativa de WordPress.','An input limited to numerical values.'=>'Una entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Se utiliza para mostrar un mensaje a los editores junto a otros campos. Es útil para proporcionar contexto adicional o instrucciones sobre tus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Te permite especificar un enlace y sus propiedades, como el título y el destino, utilizando el selector de enlaces nativo de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una forma de estructurar los campos en grupos para organizar mejor los datos y la pantalla de edición.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfaz de usuario interactiva para seleccionar una ubicación utilizando Google Maps. Requiere una clave API de Google Maps y configuración adicional para mostrarse correctamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir archivos.','A text input specifically designed for storing email addresses.'=>'Un campo de texto diseñado específicamente para almacenar direcciones de correo electrónico.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha y una hora. El formato de devolución de la fecha puede personalizarse mediante los ajustes del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha. El formato de devolución de la fecha se puede personalizar mediante los ajustes del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfaz de usuario interactiva para seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grupo de casillas de verificación que permiten al usuario seleccionar uno o varios valores que tú especifiques.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grupo de botones con valores que tú especifiques, los usuarios pueden elegir una opción de entre los valores proporcionados.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Te permite agrupar y organizar campos personalizados en paneles plegables que se muestran al editar el contenido. Útil para mantener ordenados grandes conjuntos de datos.','Advanced'=>'Avanzados','JSON (newer)'=>'JSON (nuevo)','Original'=>'Original','Invalid post ID.'=>'ID de publicación no válido.','Invalid post type selected for review.'=>'Tipo de contenido no válido seleccionado para revisión.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Seleccionar campo','Try a different search term or browse %s'=>'Prueba con otro término de búsqueda o explora %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para “%s”','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona el tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Agregar taxonomía','Create custom taxonomies to classify post type content'=>'Crear taxonomías personalizadas para clasificar el contenido del tipo de contenido','Add Your First Taxonomy'=>'Agrega tu primera taxonomía','Hierarchical taxonomies can have descendants (like categories).'=>'Las taxonomías jerárquicas pueden tener descendientes (como las categorías).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hace que una taxonomía sea visible en la parte pública de la web y en el escritorio.','One or many post types that can be classified with this taxonomy.'=>'Uno o varios tipos de contenido que pueden clasificarse con esta taxonomía.','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Exponer este tipo de contenido en la REST API.','Customize the query variable name'=>'Personaliza el nombre de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Se puede acceder a los términos utilizando el permalink no bonito, por ejemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Términos principal-hijo en URLs para taxonomías jerárquicas.','Customize the slug used in the URL'=>'Personalizar el slug utilizado en la URL','Permalinks for this taxonomy are disabled.'=>'Los enlaces permanentes de esta taxonomía están desactivados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave de taxonomía como slug. Tu estructura de enlace permanente será','Taxonomy Key'=>'Clave de la taxonomía','Select the type of permalink to use for this taxonomy.'=>'Selecciona el tipo de enlace permanente a utilizar para esta taxonomía.','Display a column for the taxonomy on post type listing screens.'=>'Mostrar una columna para la taxonomía en las pantallas de listado de tipos de contenido.','Show Admin Column'=>'Mostrar columna de administración','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar la taxonomía en el panel de edición rápida/masiva.','Quick Edit'=>'Edición rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Muestra la taxonomía en los controles del widget nube de etiquetas.','Tag Cloud'=>'Nube de etiquetas','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nombre de función PHP al que llamar para sanear los datos de taxonomía guardados desde una meta box.','Meta Box Sanitization Callback'=>'Llamada a función de saneamiento de la caja meta','Register Meta Box Callback'=>'Registrar llamada a función de caja meta','No Meta Box'=>'Sin caja meta','Custom Meta Box'=>'Caja meta personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la caja meta en la pantalla del editor de contenidos. Por defecto, la caja meta Categorías se muestra para las taxonomías jerárquicas, y la meta caja Etiquetas se muestra para las taxonomías no jerárquicas.','Meta Box'=>'Caja meta','Categories Meta Box'=>'Caja meta de categorías','Tags Meta Box'=>'Caja meta de etiquetas','A link to a tag'=>'Un enlace a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Describe una variación del bloque de enlaces de navegación utilizada en el editor de bloques.','A link to a %s'=>'Un enlace a un %s','Tag Link'=>'Enlace a etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Asigna un título a la variación del bloque de enlaces de navegación utilizada en el editor de bloques.','← Go to tags'=>'← Ir a las etiquetas','Assigns the text used to link back to the main index after updating a term.'=>'Asigna el texto utilizado para volver al índice principal tras actualizar un término.','Back To Items'=>'Volver a los elementos','← Go to %s'=>'← Ir a %s','Tags list'=>'Lista de etiquetas','Assigns text to the table hidden heading.'=>'Asigna texto a la cabecera oculta de la tabla.','Tags list navigation'=>'Navegación de lista de etiquetas','Assigns text to the table pagination hidden heading.'=>'Asigna texto al encabezado oculto de la paginación de la tabla.','Filter by category'=>'Filtrar por categoría','Assigns text to the filter button in the posts lists table.'=>'Asigna texto al botón de filtro en la tabla de listas de publicaciones.','Filter By Item'=>'Filtrar por elemento','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'La descripción no es prominente de forma predeterminada; Sin embargo, algunos temas pueden mostrarlo.','Describes the Description field on the Edit Tags screen.'=>'Describe el campo Descripción de la pantalla Editar etiquetas.','Description Field Description'=>'Descripción del campo Descripción','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Asigna un término superior para crear una jerarquía. El término Jazz, por ejemplo, sería el principal de Bebop y Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describe el campo superior de la pantalla Editar etiquetas.','Parent Field Description'=>'Descripción del campo principal','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El “slug” es la versión apta para URLs del nombre. Normalmente se escribe todo en minúsculas y sólo contiene letras, números y guiones.','Describes the Slug field on the Edit Tags screen.'=>'Describe el campo slug de la pantalla editar etiquetas.','Slug Field Description'=>'Descripción del campo slug','The name is how it appears on your site'=>'El nombre es como aparece en tu web','Describes the Name field on the Edit Tags screen.'=>'Describe el campo Nombre de la pantalla Editar etiquetas.','Name Field Description'=>'Descripción del campo nombre','No tags'=>'No hay etiquetas','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Asigna el texto que se muestra en las tablas de entradas y lista de medios cuando no hay etiquetas o categorías disponibles.','No Terms'=>'No hay términos','No %s'=>'No hay %s','No tags found'=>'No se han encontrado etiquetas','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Asigna el texto que se muestra al hacer clic en “elegir entre los más utilizados” en el cuadro meta de la taxonomía cuando no hay etiquetas disponibles, y asigna el texto utilizado en la tabla de lista de términos cuando no hay elementos para una taxonomía.','Not Found'=>'No encontrado','Assigns text to the Title field of the Most Used tab.'=>'Asigna texto al campo de título de la pestaña “Más usados”.','Most Used'=>'Más usados','Choose from the most used tags'=>'Elige entre las etiquetas más utilizadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Asigna el texto “elige entre los más usados” que se utiliza en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas.','Choose From Most Used'=>'Elige entre los más usados','Choose from the most used %s'=>'Elige entre los %s más usados','Add or remove tags'=>'Agregar o quitar etiquetas','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Asigna el texto de agregar o eliminar elementos utilizado en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas','Add Or Remove Items'=>'Agregar o quitar elementos','Add or remove %s'=>'Agregar o quitar %s','Separate tags with commas'=>'Separa las etiquetas con comas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Asigna al elemento separado con comas el texto utilizado en la caja meta de taxonomía. Sólo se utiliza en taxonomías no jerárquicas.','Separate Items With Commas'=>'Separa los elementos con comas','Separate %s with commas'=>'Separa los %s con comas','Popular Tags'=>'Etiquetas populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Asigna texto a los elementos populares. Sólo se utiliza en taxonomías no jerárquicas.','Popular Items'=>'Elementos populares','Popular %s'=>'%s populares','Search Tags'=>'Buscar etiquetas','Assigns search items text.'=>'Asigna el texto de buscar elementos.','Parent Category:'=>'Categoría superior:','Assigns parent item text, but with a colon (:) added to the end.'=>'Asigna el texto del elemento superior, pero agregando dos puntos (:) al final.','Parent Item With Colon'=>'Elemento superior con dos puntos','Parent Category'=>'Categoría superior','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Asigna el texto del elemento superior. Sólo se utiliza en taxonomías jerárquicas.','Parent Item'=>'Elemento superior','Parent %s'=>'%s superior','New Tag Name'=>'Nombre de la nueva etiqueta','Assigns the new item name text.'=>'Asigna el texto del nombre del nuevo elemento.','New Item Name'=>'Nombre del nuevo elemento','New %s Name'=>'Nombre del nuevo %s','Add New Tag'=>'Agregar nueva etiqueta','Assigns the add new item text.'=>'Asigna el texto de agregar nuevo elemento.','Update Tag'=>'Actualizar etiqueta','Assigns the update item text.'=>'Asigna el texto del actualizar elemento.','Update Item'=>'Actualizar elemento','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','In the admin bar to view term during editing.'=>'En la barra de administración para ver el término durante la edición.','Edit Tag'=>'Editar etiqueta','At the top of the editor screen when editing a term.'=>'En la parte superior de la pantalla del editor, al editar un término.','All Tags'=>'Todas las etiquetas','Assigns the all items text.'=>'Asigna el texto de todos los elementos.','Assigns the menu name text.'=>'Asigna el texto del nombre del menú.','Menu Label'=>'Etiqueta de menú','Active taxonomies are enabled and registered with WordPress.'=>'Las taxonomías activas están activadas y registradas en WordPress.','A descriptive summary of the taxonomy.'=>'Un resumen descriptivo de la taxonomía.','A descriptive summary of the term.'=>'Un resumen descriptivo del término.','Term Description'=>'Descripción del término','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola palabra, sin espacios. Se permiten guiones bajos y guiones.','Term Slug'=>'Slug de término','The name of the default term.'=>'El nombre del término por defecto.','Term Name'=>'Nombre del término','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un término para la taxonomía que no se pueda eliminar. No se seleccionará por defecto para las entradas.','Default Term'=>'Término por defecto','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si los términos de esta taxonomía deben ordenarse en el orden en que se proporcionan a `wp_set_object_terms()`.','Sort Terms'=>'Ordenar términos','Add Post Type'=>'Agregar tipo de contenido','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplía la funcionalidad de WordPress más allá de las entradas y páginas estándar con tipos de contenido personalizados.','Add Your First Post Type'=>'Agrega tu primer tipo de contenido','I know what I\'m doing, show me all the options.'=>'Sé lo que hago, muéstrame todas las opciones.','Advanced Configuration'=>'Configuración avanzada','Hierarchical post types can have descendants (like pages).'=>'Los tipos de entrada jerárquicos pueden tener descendientes (como las páginas).','Hierarchical'=>'Jerárquico','Visible on the frontend and in the admin dashboard.'=>'Visible en la parte pública de la web y en el escritorio.','Public'=>'Público','movie'=>'pelicula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sólo letras minúsculas, guiones bajos y guiones, 20 caracteres como máximo.','Movie'=>'Película','Singular Label'=>'Etiqueta singular','Movies'=>'Películas','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Posts_Controller`.','Controller Class'=>'Clase de controlador','The namespace part of the REST API URL.'=>'La parte del espacio de nombres de la URL de la API REST.','Namespace Route'=>'Ruta del espacio de nombres','The base URL for the post type REST API URLs.'=>'La URL base para las URL de la REST API del tipo de contenido.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expone este tipo de contenido en la REST API. Necesario para utilizar el editor de bloques.','Show In REST API'=>'Mostrar en REST API','Customize the query variable name.'=>'Personaliza el nombre de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admite variables de consulta','Custom Query Variable'=>'Variable de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Se puede acceder a los elementos utilizando el enlace permanente no bonito, por ejemplo {post_type}={post_slug}.','Query Variable Support'=>'Compatibilidad con variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Se puede acceder a las URL de un elemento y de los elementos mediante una cadena de consulta.','Publicly Queryable'=>'Consultable públicamente','Custom slug for the Archive URL.'=>'Slug personalizado para la URL del Archivo.','Archive Slug'=>'Slug del archivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Tiene un archivo de elementos que se puede personalizar con un archivo de plantilla de archivo en tu tema.','Archive'=>'Archivo','Pagination support for the items URLs such as the archives.'=>'Compatibilidad de paginación para las URL de los elementos, como los archivos.','Pagination'=>'Paginación','RSS feed URL for the post type items.'=>'URL del feed RSS para los elementos del tipo de contenido.','Feed URL'=>'URL del Feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la estructura de enlaces permanentes para agregar el prefijo `WP_Rewrite::$front` a las URLs.','Front URL Prefix'=>'Prefijo de las URLs','Customize the slug used in the URL.'=>'Personaliza el slug utilizado en la URL.','URL Slug'=>'Slug de la URL','Permalinks for this post type are disabled.'=>'Los enlaces permanentes para este tipo de contenido están desactivados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescribe la URL utilizando un slug personalizado definido en el campo de abajo. Tu estructura de enlace permanente será','No Permalink (prevent URL rewriting)'=>'Sin enlace permanente (evita la reescritura de URL)','Custom Permalink'=>'Enlace permanente personalizado','Post Type Key'=>'Clave de tipo de contenido','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave del tipo de entrada como slug. Tu estructura de enlace permanente será','Permalink Rewrite'=>'Reescritura de enlace permanente','Delete items by a user when that user is deleted.'=>'Borrar elementos de un usuario cuando ese usuario se borra.','Delete With User'=>'Borrar con usuario','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permite que el tipo de contenido se pueda exportar desde \'Herramientas\' > \'Exportar\'.','Can Export'=>'Se puede exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, proporciona un plural para utilizarlo en las capacidades.','Plural Capability Name'=>'Nombre de la capacidad en plural','Choose another post type to base the capabilities for this post type.'=>'Elige otro tipo de contenido para basar las capacidades de este tipo de contenido.','Singular Capability Name'=>'Nombre de la capacidad en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por defecto, las capacidades del tipo de entrada heredarán los nombres de las capacidades de \'Entrada\', p. ej. edit_post, delete_posts. Actívalo para utilizar capacidades específicas del tipo de contenido, por ejemplo, edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renombrar capacidades','Exclude From Search'=>'Excluir de la búsqueda','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permite agregar elementos a los menús en la pantalla \'Apariencia\' > \'Menús\'. Debe estar activado en \'Opciones de pantalla\'.','Appearance Menus Support'=>'Compatibilidad con menús de apariencia','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como un elemento en el menú \'Nuevo\' de la barra de administración.','Show In Admin Bar'=>'Mostrar en la barra administración','Custom Meta Box Callback'=>'Llamada a función de caja meta personalizada','Menu Icon'=>'Ícono de menú','The position in the sidebar menu in the admin dashboard.'=>'La posición en el menú de la barra lateral en el panel de control del escritorio.','Menu Position'=>'Posición en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por defecto, el tipo de contenido obtendrá un nuevo elemento de nivel superior en el menú de administración. Si se proporciona aquí un elemento de nivel superior existente, el tipo de entrada se agregará como un elemento de submenú debajo de él.','Admin Menu Parent'=>'Menú de administración principal','Admin editor navigation in the sidebar menu.'=>'Navegación del editor de administración en el menú de la barra lateral.','Show In Admin Menu'=>'Mostrar en el menú de administración','Items can be edited and managed in the admin dashboard.'=>'Los elementos se pueden editar y gestionar en el panel de control del administrador.','Show In UI'=>'Mostrar en IU','A link to a post.'=>'Un enlace a una publicación.','Description for a navigation link block variation.'=>'Descripción de una variación del bloque de enlaces de navegación.','Item Link Description'=>'Descripción del enlace al elemento','A link to a %s.'=>'Un enlace a un %s.','Post Link'=>'Enlace a publicación','Title for a navigation link block variation.'=>'Título para una variación del bloque de enlaces de navegación.','Item Link'=>'Enlace a elemento','%s Link'=>'Enlace a %s','Post updated.'=>'Publicación actualizada.','In the editor notice after an item is updated.'=>'En el aviso del editor después de actualizar un elemento.','Item Updated'=>'Elemento actualizado','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Publicación programada.','In the editor notice after scheduling an item.'=>'En el aviso del editor después de programar un elemento.','Item Scheduled'=>'Elemento programado','%s scheduled.'=>'%s programados.','Post reverted to draft.'=>'Publicación devuelta a borrador.','In the editor notice after reverting an item to draft.'=>'En el aviso del editor después de devolver un elemento a borrador.','Item Reverted To Draft'=>'Elemento devuelto a borrador','%s reverted to draft.'=>'%s devuelto a borrador.','Post published privately.'=>'Publicación publicada de forma privada.','In the editor notice after publishing a private item.'=>'En el aviso del editor después de publicar un elemento privado.','Item Published Privately'=>'Elemento publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Entrada publicada.','In the editor notice after publishing an item.'=>'En el aviso del editor después de publicar un elemento.','Item Published'=>'Elemento publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de publicaciones','Used by screen readers for the items list on the post type list screen.'=>'Utilizado por los lectores de pantalla para la lista de elementos de la pantalla de lista de tipos de contenido.','Items List'=>'Lista de elementos','%s list'=>'Lista de %s','Posts list navigation'=>'Navegación por lista de publicaciones','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizado por los lectores de pantalla para la paginación de la lista de filtros en la pantalla de la lista de tipos de contenido.','Items List Navigation'=>'Navegación por la lista de elementos','%s list navigation'=>'Navegación por la lista de %s','Filter posts by date'=>'Filtrar publicaciones por fecha','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de filtrar por fecha en la pantalla de lista de tipos de contenido.','Filter Items By Date'=>'Filtrar elementos por fecha','Filter %s by date'=>'Filtrar %s por fecha','Filter posts list'=>'Filtrar la lista de publicaciones','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de los enlaces de filtro en la pantalla de la lista de tipos de contenido.','Filter Items List'=>'Filtrar lista de elementos','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'En la ventana emergente de medios se muestran todos los medios subidos a este elemento.','Uploaded To This Item'=>'Subido a este elemento','Uploaded to this %s'=>'Subido a este %s','Insert into post'=>'Insertar en publicación','As the button label when adding media to content.'=>'Como etiqueta del botón al agregar medios al contenido.','Insert Into Media Button'=>'Botón Insertar en medios','Insert into %s'=>'Insertar en %s','Use as featured image'=>'Usar como imagen destacada','As the button label for selecting to use an image as the featured image.'=>'Como etiqueta del botón para seleccionar el uso de una imagen como imagen destacada.','Use Featured Image'=>'Usar imagen destacada','Remove featured image'=>'Eliminar la imagen destacada','As the button label when removing the featured image.'=>'Como etiqueta del botón al eliminar la imagen destacada.','Remove Featured Image'=>'Eliminar imagen destacada','Set featured image'=>'Establecer imagen destacada','As the button label when setting the featured image.'=>'Como etiqueta del botón al establecer la imagen destacada.','Set Featured Image'=>'Establecer imagen destacada','Featured image'=>'Imagen destacada','In the editor used for the title of the featured image meta box.'=>'En el editor utilizado para el título de la caja meta de la imagen destacada.','Featured Image Meta Box'=>'Caja meta de imagen destacada','Post Attributes'=>'Atributos de publicación','In the editor used for the title of the post attributes meta box.'=>'En el editor utilizado para el título de la caja meta de atributos de la publicación.','Attributes Meta Box'=>'Caja meta de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Archivo de publicaciones','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Agrega elementos \'Archivo de tipo de contenido\' con esta etiqueta a la lista de publicaciones que se muestra al agregar elementos a un menú existente en un CPT con archivos activados. Sólo aparece cuando se editan menús en modo \'Vista previa en vivo\' y se ha proporcionado un slug de archivo personalizado.','Archives Nav Menu'=>'Menú de navegación de archivos','%s Archives'=>'Archivo de %s','No posts found in Trash'=>'No hay publicaciones en la papelera','At the top of the post type list screen when there are no posts in the trash.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones en la papelera.','No Items Found in Trash'=>'No se hay elementos en la papelera','No %s found in Trash'=>'No hay %s en la papelera','No posts found'=>'No se han encontrado publicaciones','At the top of the post type list screen when there are no posts to display.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones que mostrar.','No Items Found'=>'No se han encontrado elementos','No %s found'=>'No se han encontrado %s','Search Posts'=>'Buscar publicaciones','At the top of the items screen when searching for an item.'=>'En la parte superior de la pantalla de elementos, al buscar un elemento.','Search Items'=>'Buscar elementos','Search %s'=>'Buscar %s','Parent Page:'=>'Página superior:','For hierarchical types in the post type list screen.'=>'Para tipos jerárquicos en la pantalla de lista de tipos de contenido.','Parent Item Prefix'=>'Prefijo del artículo superior','Parent %s:'=>'%s superior:','New Post'=>'Nueva publicación','New Item'=>'Nuevo elemento','New %s'=>'Nuevo %s','Add New Post'=>'Agregar nueva publicación','At the top of the editor screen when adding a new item.'=>'En la parte superior de la pantalla del editor, al agregar un nuevo elemento.','Add New Item'=>'Agregar nuevo elemento','Add New %s'=>'Agregar nuevo %s','View Posts'=>'Ver publicaciones','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece en la barra de administración en la vista “Todas las publicaciones”, siempre que el tipo de contenido admita archivos y la página de inicio no sea un archivo de ese tipo de contenido.','View Items'=>'Ver elementos','View Post'=>'Ver publicacion','In the admin bar to view item when editing it.'=>'En la barra de administración para ver el elemento al editarlo.','View Item'=>'Ver elemento','View %s'=>'Ver %s','Edit Post'=>'Editar publicación','At the top of the editor screen when editing an item.'=>'En la parte superior de la pantalla del editor, al editar un elemento.','Edit Item'=>'Editar elemento','Edit %s'=>'Editar %s','All Posts'=>'Todas las entradas','In the post type submenu in the admin dashboard.'=>'En el submenú de tipo de contenido del escritorio.','All Items'=>'Todos los elementos','All %s'=>'Todos %s','Admin menu name for the post type.'=>'Nombre del menú de administración para el tipo de contenido.','Menu Name'=>'Nombre del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera todas las etiquetas utilizando las etiquetas singular y plural','Regenerate'=>'Regenerar','Active post types are enabled and registered with WordPress.'=>'Los tipos de entrada activos están activados y registrados en WordPress.','A descriptive summary of the post type.'=>'Un resumen descriptivo del tipo de contenido.','Add Custom'=>'Agregar personalizado','Enable various features in the content editor.'=>'Activa varias funciones en el editor de contenido.','Post Formats'=>'Formatos de entrada','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecciona las taxonomías existentes para clasificar los elementos del tipo de contenido.','Browse Fields'=>'Explorar campos','Nothing to import'=>'Nada que importar','. The Custom Post Type UI plugin can be deactivated.'=>'. El plugin Custom Post Type UI se puede desactivar.','Imported %d item from Custom Post Type UI -'=>'Importado %d elemento de la interfaz de Custom Post Type UI -' . "\0" . 'Importados %d elementos de la interfaz de Custom Post Type UI -','Failed to import taxonomies.'=>'Error al importar taxonomías.','Failed to import post types.'=>'Error al importar tipos de contenido.','Nothing from Custom Post Type UI plugin selected for import.'=>'No se ha seleccionado nada del plugin Custom Post Type UI para importar.','Imported 1 item'=>'1 elementos importado' . "\0" . '%s elementos importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Al importar un tipo de contenido o taxonomía con la misma clave que uno ya existente, se sobrescribirán los ajustes del tipo de contenido o taxonomía existentes con los de la importación.','Import from Custom Post Type UI'=>'Importar desde Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El siguiente código puede utilizarse para registrar una versión local de los elementos seleccionados. Almacenar grupos de campos, tipos de contenido o taxonomías localmente puede proporcionar muchas ventajas, como tiempos de carga más rápidos, control de 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 dentro de un archivo externo, y luego desactiva o elimina los elementos desde la administración de ACF.','Export - Generate PHP'=>'Exportar - Generar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecciona taxonomías','Select Post Types'=>'Selecciona tipos de contenido','Exported 1 item.'=>'1 elemento exportado.' . "\0" . '%s elementos exportados.','Category'=>'Categoría','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomía %s creada','%s taxonomy updated'=>'Taxonomía %s actualizada','Taxonomy draft updated.'=>'Borrador de taxonomía actualizado.','Taxonomy scheduled for.'=>'Taxonomía programada para.','Taxonomy submitted.'=>'Taxonomía enviada.','Taxonomy saved.'=>'Taxonomía guardada.','Taxonomy deleted.'=>'Taxonomía borrada.','Taxonomy updated.'=>'Taxonomía actualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Esta taxonomía no se pudo registrar porque su clave está siendo utilizada por otra taxonomía registrada por otro plugin o tema.','Taxonomy synchronized.'=>'Taxonomía sincronizada.' . "\0" . '%s taxonomías sincronizadas.','Taxonomy duplicated.'=>'Taxonomía duplicada.' . "\0" . '%s taxonomías duplicadas.','Taxonomy deactivated.'=>'Taxonomía desactivada.' . "\0" . '%s taxonomías desactivadas.','Taxonomy activated.'=>'Taxonomía activada.' . "\0" . '%s taxonomías activadas.','Terms'=>'Términos','Post type synchronized.'=>'Tipo de contenido sincronizado.' . "\0" . '%s tipos de contenido sincronizados.','Post type duplicated.'=>'Tipo de contenido duplicado.' . "\0" . '%s tipos de contenido duplicados.','Post type deactivated.'=>'Tipo de contenido desactivado.' . "\0" . '%s tipos de contenido desactivados.','Post type activated.'=>'Tipo de contenido activado.' . "\0" . '%s tipos de contenido activados.','Post Types'=>'Tipos de contenido','Advanced Settings'=>'Ajustes avanzados','Basic Settings'=>'Ajustes básicos','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Este tipo de contenido no se pudo registrar porque su clave está siendo utilizada por otro tipo de contenido registrado por otro plugin o tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'Enlazar grupos de campos existentes','%s post type created'=>'%s tipo de contenido creado','Add fields to %s'=>'Agregar campos a %s','%s post type updated'=>'Tipo de contenido %s actualizado','Post type draft updated.'=>'Borrador de tipo de contenido actualizado.','Post type scheduled for.'=>'Tipo de contenido programado para.','Post type submitted.'=>'Tipo de contenido enviado.','Post type saved.'=>'Tipo de contenido guardado.','Post type updated.'=>'Tipo de contenido actualizado.','Post type deleted.'=>'Tipo de contenido eliminado.','Type to search...'=>'Escribe para buscar...','PRO Only'=>'Solo en PRO','Field groups linked successfully.'=>'Grupos de campos enlazados correctamente.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipos de contenido y taxonomías registrados con Custom Post Type UI y gestiónalos con ACF. Empieza aquí.','ACF'=>'ACF','taxonomy'=>'taxonomía','post type'=>'tipo de contenido','Done'=>'Hecho','Field Group(s)'=>'Grupo(s) de campo(s)','Select one or many field groups...'=>'Selecciona uno o varios grupos de campos...','Please select the field groups to link.'=>'Selecciona los grupos de campos que quieras enlazar.','Field group linked successfully.'=>'Grupo de campos enlazado correctamente.' . "\0" . 'Grupos de campos enlazados correctamente.','post statusRegistration Failed'=>'Error de registro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Este elemento no se pudo registrar porque su clave está siendo utilizada por otro elemento registrado por otro plugin o tema.','REST API'=>'REST API','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilidad','Labels'=>'Etiquetas','Field Settings Tabs'=>'Pestañas de ajustes de campos','[ACF shortcode value disabled for preview]'=>'[valor del shortcode de ACF desactivado en la vista previa]','Close Modal'=>'Cerrar ventana emergente','Field moved to other group'=>'Campo movido a otro grupo','Close modal'=>'Cerrar ventana emergente','Start a new group of tabs at this tab.'=>'Empieza un nuevo grupo de pestañas en esta pestaña','New Tab Group'=>'Nuevo grupo de pestañas','Use a stylized checkbox using select2'=>'Usa una casilla de verificación estilizada utilizando select2','Save Other Choice'=>'Guardar la opción “Otro”','Allow Other Choice'=>'Permitir la opción “Otro”','Add Toggle All'=>'Agrega un “Alternar todos”','Save Custom Values'=>'Guardar los valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Los valores personalizados de la casilla de verificación no pueden estar vacíos. Desmarca cualquier valor vacío.','Updates'=>'Actualizaciones','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Guardar cambios','Field Group Title'=>'Título del grupo de campos','Add title'=>'Agregar título','New to ACF? Take a look at our getting started guide.'=>'¿Nuevo en ACF? Echa un vistazo a nuestra guía para comenzar.','Add Field Group'=>'Agregar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados juntos, y después agregar esos campos a las pantallas de edición.','Add Your First Field Group'=>'Agrega tu primer grupo de campos','Options Pages'=>'Páginas de opciones','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contenido flexible','Repeater Field'=>'Campo repetidor','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado el %1$s a las %2$s','Group Settings'=>'Ajustes de grupo','Location Rules'=>'Reglas de ubicación','Choose from over 30 field types. Learn more.'=>'Elige de entre más de 30 tipos de campos. Aprende más.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comienza creando nuevos campos personalizados para tus entradas, páginas, tipos de contenido personalizados y otros contenidos de WordPress.','Add Your First Field'=>'Agrega tu primer campo','#'=>'#','Add Field'=>'Agregar campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'General','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'¿Mover este grupo de campos a la papelera?','post statusInactive'=>'Inactivo','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualizar a la versión Pro','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'“%s” no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Lo siento, este grupo de campos no está disponible para la comparación diff.','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar los cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Location type "%s" is already registered.'=>'El tipo de ubicación “%s” ya está registrado.','Class "%s" does not exist.'=>'La clase “%s” no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin principals)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Agregar / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Campo clon','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'N.º de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'Colocación de la instrucción','Label Placement'=>'Ubicación de la etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'Obligatorio','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa.','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Agregar grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona los grupos de campos que te gustaría exportar y luego elige tu método de exportación. Exporta como JSON para exportar un archivo .json que puedes importar en otra instalación de ACF. Genera PHP para exportar a código PHP que puedes incluir en tu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona el archivo JSON de Advanced Custom Fields que te gustaría importar. Cuando hagas clic en el botón importar de abajo, ACF importará los grupos de campos.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Supports','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo no se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores “personalizados” a las opciones del campo','Allow \'custom\' values to be added'=>'Permite agregar valores personalizados','Add new choice'=>'Agregar nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Agregar','Name'=>'Nombre','%s added'=>'%s agregado/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede agregar nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'Ningún %s','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Agrega la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Agregar archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Agrega cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'Filtrar por función','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Agrega cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'Inicialización del retardo','Show Media Upload Buttons'=>'Mostrar botones para subir archivos multimedia','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Texto del marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'Número máximo de entradas','Minimum Posts'=>'Número mínimo de entradas','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'Tipos de archivo permitidos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Agregar imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Agregar <br> automáticamente','Automatically add paragraphs'=>'Agregar párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Agregar nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Agregar nuevo grupo de campos','Add New'=>'Agregar nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'De forma predeterminada, solo los usuarios administradores pueden editar esta configuración.','By default only super admin users can edit this setting.'=>'De forma predeterminada, solo los usuarios superadministradores pueden editar esta configuración.','Close and Add Field'=>'Cerrar y agregar campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Una función PHP se llamará para manejar el contenido de un metabox en su taxonomía. Por seguridad, esta devolución de llamada se ejecutará en un contexto especial sin acceso a ninguna variable super global como $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Una función PHP se llamará al configurar los meta boxes para la pantalla de edición. Por seguridad, esta devolución de llamada se ejecutará en un contexto especial sin acceso a ninguna variable super global como $_POST o $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Permitir el acceso al valor en la interfaz del editor','Learn more.'=>'Saber más.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permite que los editores de contenido accedan y muestren el valor del campo en la interfaz de usuario del editor utilizando enlaces de bloque o el shortcode de ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en bloques enlazados o en el shortcode de ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'El campo ACF solicitado no puede aparecer en los enlaces o en el shortcode de ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en enlaces o en el shortcode de ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[El shortcode de ACF no puede mostrar campos de entradas no públicas]','[The ACF shortcode is disabled on this site]'=>'[El shortcode de ACF está desactivado en este sitio]','Businessman Icon'=>'Ícono de hombre de negocios','Forums Icon'=>'Ícono de foros','YouTube Icon'=>'Ícono de YouTube','Yes (alt) Icon'=>'Ícono de sí (alt)','Xing Icon'=>'Ícono de Xing','WordPress (alt) Icon'=>'Ícono de WordPress (alt)','WhatsApp Icon'=>'Ícono de Whatsapp','Write Blog Icon'=>'Ícono de escribir blog','Widgets Menus Icon'=>'Ícono de widgets de menús','View Site Icon'=>'Ícono de ver el sitio','Learn More Icon'=>'Ícono de aprender más','Add Page Icon'=>'Ícono de agregar página','Video (alt3) Icon'=>'Ícono de video (alt3)','Video (alt2) Icon'=>'Ícono de video (alt2)','Video (alt) Icon'=>'Ícono de video (alt)','Update (alt) Icon'=>'Ícono de actualizar (alt)','Universal Access (alt) Icon'=>'Ícono de acceso universal (alt)','Twitter (alt) Icon'=>'Ícono de Twitter (alt)','Twitch Icon'=>'Ícono de Twitch','Tide Icon'=>'Ícono de marea','Tickets (alt) Icon'=>'Ícono de entradas (alt)','Text Page Icon'=>'Ícono de página de texto','Table Row Delete Icon'=>'Ícono de borrar fila de tabla','Table Row Before Icon'=>'Ícono de fila antes de tabla','Table Row After Icon'=>'Ícono de fila tras la tabla','Table Col Delete Icon'=>'Ícono de borrar columna de tabla','Table Col Before Icon'=>'Ícono de columna antes de la tabla','Table Col After Icon'=>'Ícono de columna tras la tabla','Superhero (alt) Icon'=>'Ícono de superhéroe (alt)','Superhero Icon'=>'Ícono de superhéroe','Spotify Icon'=>'Ícono de Spotify','Shortcode Icon'=>'Ícono del shortcode','Shield (alt) Icon'=>'Ícono de escudo (alt)','Share (alt2) Icon'=>'Ícono de compartir (alt2)','Share (alt) Icon'=>'Ícono de compartir (alt)','Saved Icon'=>'Ícono de guardado','RSS Icon'=>'Ícono de RSS','REST API Icon'=>'Ícono de la API REST','Remove Icon'=>'Ícono de quitar','Reddit Icon'=>'Ícono de Reddit','Privacy Icon'=>'Ícono de privacidad','Printer Icon'=>'Ícono de la impresora','Podio Icon'=>'Ícono del podio','Plus (alt2) Icon'=>'Ícono de más (alt2)','Plus (alt) Icon'=>'Ícono de más (alt)','Plugins Checked Icon'=>'Ícono de plugins comprobados','Pinterest Icon'=>'Ícono de Pinterest','Pets Icon'=>'Ícono de mascotas','PDF Icon'=>'Ícono de PDF','Palm Tree Icon'=>'Ícono de la palmera','Open Folder Icon'=>'Ícono de carpeta abierta','No (alt) Icon'=>'Ícono del no (alt)','Money (alt) Icon'=>'Ícono de dinero (alt)','Menu (alt3) Icon'=>'Ícono de menú (alt3)','Menu (alt2) Icon'=>'Ícono de menú (alt2)','Menu (alt) Icon'=>'Ícono de menú (alt)','Spreadsheet Icon'=>'Ícono de hoja de cálculo','Interactive Icon'=>'Ícono interactivo','Document Icon'=>'Ícono de documento','Default Icon'=>'Ícono por defecto','Location (alt) Icon'=>'Ícono de ubicación (alt)','LinkedIn Icon'=>'Ícono de LinkedIn','Instagram Icon'=>'Ícono de Instagram','Insert Before Icon'=>'Ícono de insertar antes','Insert After Icon'=>'Ícono de insertar después','Insert Icon'=>'Ícono de insertar','Info Outline Icon'=>'Ícono de esquema de información','Images (alt2) Icon'=>'Ícono de imágenes (alt2)','Images (alt) Icon'=>'Ícono de imágenes (alt)','Rotate Right Icon'=>'Ícono de girar a la derecha','Rotate Left Icon'=>'Ícono de girar a la izquierda','Rotate Icon'=>'Ícono de girar','Flip Vertical Icon'=>'Ícono de voltear verticalmente','Flip Horizontal Icon'=>'Ícono de voltear horizontalmente','Crop Icon'=>'Ícono de recortar','ID (alt) Icon'=>'Ícono de ID (alt)','HTML Icon'=>'Ícono de HTML','Hourglass Icon'=>'Ícono de reloj de arena','Heading Icon'=>'Ícono de encabezado','Google Icon'=>'Ícono de Google','Games Icon'=>'Ícono de juegos','Fullscreen Exit (alt) Icon'=>'Ícono de salir a pantalla completa (alt)','Fullscreen (alt) Icon'=>'Ícono de pantalla completa (alt)','Status Icon'=>'Ícono de estado','Image Icon'=>'Ícono de imagen','Gallery Icon'=>'Ícono de galería','Chat Icon'=>'Ícono del chat','Audio Icon'=>'Ícono de audio','Aside Icon'=>'Ícono de minientrada','Food Icon'=>'Ícono de comida','Exit Icon'=>'Ícono de salida','Excerpt View Icon'=>'Ícono de ver extracto','Embed Video Icon'=>'Ícono de incrustar video','Embed Post Icon'=>'Ícono de incrustar entrada','Embed Photo Icon'=>'Ícono de incrustar foto','Embed Generic Icon'=>'Ícono de incrustar genérico','Embed Audio Icon'=>'Ícono de incrustar audio','Email (alt2) Icon'=>'Ícono de correo electrónico (alt2)','Ellipsis Icon'=>'Ícono de puntos suspensivos','Unordered List Icon'=>'Ícono de lista desordenada','RTL Icon'=>'Ícono RTL','Ordered List RTL Icon'=>'Ícono de lista ordenada RTL','Ordered List Icon'=>'Ícono de lista ordenada','LTR Icon'=>'Ícono LTR','Custom Character Icon'=>'Ícono de personaje personalizado','Edit Page Icon'=>'Ícono de editar página','Edit Large Icon'=>'Ícono de edición grande','Drumstick Icon'=>'Ícono de la baqueta','Database View Icon'=>'Ícono de vista de la base de datos','Database Remove Icon'=>'Ícono de eliminar base de datos','Database Import Icon'=>'Ícono de importar base de datos','Database Export Icon'=>'Ícono de exportar de base de datos','Database Add Icon'=>'Ícono de agregar base de datos','Database Icon'=>'Ícono de base de datos','Cover Image Icon'=>'Ícono de imagen de portada','Volume On Icon'=>'Ícono de volumen activado','Volume Off Icon'=>'Ícono de volumen apagado','Skip Forward Icon'=>'Ícono de saltar adelante','Skip Back Icon'=>'Ícono de saltar atrás','Repeat Icon'=>'Ícono de repetición','Play Icon'=>'Ícono de reproducción','Pause Icon'=>'Ícono de pausa','Forward Icon'=>'Ícono de adelante','Back Icon'=>'Ícono de atrás','Columns Icon'=>'Ícono de columnas','Color Picker Icon'=>'Ícono del selector de color','Coffee Icon'=>'Ícono del café','Code Standards Icon'=>'Ícono de normas del código','Cloud Upload Icon'=>'Ícono de subir a la nube','Cloud Saved Icon'=>'Ícono de nube guardada','Car Icon'=>'Ícono del coche','Camera (alt) Icon'=>'Ícono de cámara (alt)','Calculator Icon'=>'Ícono de calculadora','Button Icon'=>'Ícono de botón','Businessperson Icon'=>'Ícono de empresario','Tracking Icon'=>'Ícono de seguimiento','Topics Icon'=>'Ícono de debate','Replies Icon'=>'Ícono de respuestas','PM Icon'=>'Ícono de PM','Friends Icon'=>'Ícono de amistad','Community Icon'=>'Ícono de la comunidad','BuddyPress Icon'=>'Ícono de BuddyPress','bbPress Icon'=>'Ícono de bbPress','Activity Icon'=>'Ícono de actividad','Book (alt) Icon'=>'Ícono del libro (alt)','Block Default Icon'=>'Ícono de bloque por defecto','Bell Icon'=>'Ícono de la campana','Beer Icon'=>'Ícono de la cerveza','Bank Icon'=>'Ícono del banco','Arrow Up (alt2) Icon'=>'Ícono de flecha arriba (alt2)','Arrow Up (alt) Icon'=>'Ícono de flecha arriba (alt)','Arrow Right (alt2) Icon'=>'Ícono de flecha derecha (alt2)','Arrow Right (alt) Icon'=>'Ícono de flecha derecha (alt)','Arrow Left (alt2) Icon'=>'Ícono de flecha izquierda (alt2)','Arrow Left (alt) Icon'=>'Ícono de flecha izquierda (alt)','Arrow Down (alt2) Icon'=>'Ícono de flecha abajo (alt2)','Arrow Down (alt) Icon'=>'Ícono de flecha abajo (alt)','Amazon Icon'=>'Ícono de Amazon','Align Wide Icon'=>'Ícono de alinear ancho','Align Pull Right Icon'=>'Ícono de alinear tirar a la derecha','Align Pull Left Icon'=>'Ícono de alinear tirar a la izquierda','Align Full Width Icon'=>'Ícono de alinear al ancho completo','Airplane Icon'=>'Ícono del avión','Site (alt3) Icon'=>'Ícono de sitio (alt3)','Site (alt2) Icon'=>'Ícono de sitio (alt2)','Site (alt) Icon'=>'Ícono de sitio (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Mejora a ACF PRO para crear páginas de opciones en unos pocos clics','Invalid request args.'=>'Argumentos de solicitud no válidos.','Sorry, you do not have permission to do that.'=>'Lo siento, no tienes permisos para hacer eso.','Blocks Using Post Meta'=>'Bloques con Post Meta','ACF PRO logo'=>'Logotipo de ACF PRO','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'%s requiere un ID de archivo adjunto válido cuando el tipo se establece en media_library.','%s is a required property of acf.'=>'%s es una propiedad obligatoria de acf.','The value of icon to save.'=>'El valor del ícono a guardar.','The type of icon to save.'=>'El tipo de ícono a guardar.','Yes Icon'=>'Ícono de sí','WordPress Icon'=>'Ícono de WordPress','Warning Icon'=>'Ícono de advertencia','Visibility Icon'=>'Ícono de visibilidad','Vault Icon'=>'Ícono de la bóveda','Upload Icon'=>'Ícono de subida','Update Icon'=>'Ícono de actualización','Unlock Icon'=>'Ícono de desbloqueo','Universal Access Icon'=>'Ícono de acceso universal','Undo Icon'=>'Ícono de deshacer','Twitter Icon'=>'Ícono de Twitter','Trash Icon'=>'Ícono de papelera','Translation Icon'=>'Ícono de traducción','Tickets Icon'=>'Ícono de tiques','Thumbs Up Icon'=>'Ícono de pulgar hacia arriba','Thumbs Down Icon'=>'Ícono de pulgar hacia abajo','Text Icon'=>'Ícono de texto','Testimonial Icon'=>'Ícono de testimonio','Tagcloud Icon'=>'Ícono de nube de etiquetas','Tag Icon'=>'Ícono de etiqueta','Tablet Icon'=>'Ícono de la tableta','Store Icon'=>'Ícono de la tienda','Sticky Icon'=>'Ícono fijo','Star Half Icon'=>'Ícono media estrella','Star Filled Icon'=>'Ícono de estrella rellena','Star Empty Icon'=>'Ícono de estrella vacía','Sos Icon'=>'Ícono Sos','Sort Icon'=>'Ícono de ordenación','Smiley Icon'=>'Ícono sonriente','Smartphone Icon'=>'Ícono de smartphone','Slides Icon'=>'Ícono de diapositivas','Shield Icon'=>'Ícono de escudo','Share Icon'=>'Ícono de compartir','Search Icon'=>'Ícono de búsqueda','Screen Options Icon'=>'Ícono de opciones de pantalla','Schedule Icon'=>'Ícono de horario','Redo Icon'=>'Ícono de rehacer','Randomize Icon'=>'Ícono de aleatorio','Products Icon'=>'Ícono de productos','Pressthis Icon'=>'Ícono de presiona esto','Post Status Icon'=>'Ícono de estado de la entrada','Portfolio Icon'=>'Ícono de porfolio','Plus Icon'=>'Ícono de más','Playlist Video Icon'=>'Ícono de lista de reproducción de video','Playlist Audio Icon'=>'Ícono de lista de reproducción de audio','Phone Icon'=>'Ícono de teléfono','Performance Icon'=>'Ícono de rendimiento','Paperclip Icon'=>'Ícono del clip','No Icon'=>'Sin ícono','Networking Icon'=>'Ícono de red de contactos','Nametag Icon'=>'Ícono de etiqueta de nombre','Move Icon'=>'Ícono de mover','Money Icon'=>'Ícono de dinero','Minus Icon'=>'Ícono de menos','Migrate Icon'=>'Ícono de migrar','Microphone Icon'=>'Ícono de micrófono','Megaphone Icon'=>'Ícono del megáfono','Marker Icon'=>'Ícono del marcador','Lock Icon'=>'Ícono de candado','Location Icon'=>'Ícono de ubicación','List View Icon'=>'Ícono de vista de lista','Lightbulb Icon'=>'Ícono de bombilla','Left Right Icon'=>'Ícono izquierda derecha','Layout Icon'=>'Ícono de disposición','Laptop Icon'=>'Ícono del portátil','Info Icon'=>'Ícono de información','Index Card Icon'=>'Ícono de tarjeta índice','ID Icon'=>'Ícono de ID','Hidden Icon'=>'Ícono de oculto','Heart Icon'=>'Ícono del corazón','Hammer Icon'=>'Ícono del martillo','Groups Icon'=>'Ícono de grupos','Grid View Icon'=>'Ícono de vista en cuadrícula','Forms Icon'=>'Ícono de formularios','Flag Icon'=>'Ícono de bandera','Filter Icon'=>'Ícono del filtro','Feedback Icon'=>'Ícono de respuestas','Facebook (alt) Icon'=>'Ícono de Facebook alt','Facebook Icon'=>'Ícono de Facebook','External Icon'=>'Ícono externo','Email (alt) Icon'=>'Ícono del correo electrónico alt','Email Icon'=>'Ícono del correo electrónico','Video Icon'=>'Ícono de video','Unlink Icon'=>'Ícono de desenlazar','Underline Icon'=>'Ícono de subrayado','Text Color Icon'=>'Ícono de color de texto','Table Icon'=>'Ícono de tabla','Strikethrough Icon'=>'Ícono de tachado','Spellcheck Icon'=>'Ícono del corrector ortográfico','Remove Formatting Icon'=>'Ícono de quitar el formato','Quote Icon'=>'Ícono de cita','Paste Word Icon'=>'Ícono de pegar palabra','Paste Text Icon'=>'Ícono de pegar texto','Paragraph Icon'=>'Ícono de párrafo','Outdent Icon'=>'Ícono saliente','Kitchen Sink Icon'=>'Ícono del fregadero','Justify Icon'=>'Ícono de justificar','Italic Icon'=>'Ícono cursiva','Insert More Icon'=>'Ícono de insertar más','Indent Icon'=>'Ícono de sangría','Help Icon'=>'Ícono de ayuda','Expand Icon'=>'Ícono de expandir','Contract Icon'=>'Ícono de contrato','Code Icon'=>'Ícono de código','Break Icon'=>'Ícono de rotura','Bold Icon'=>'Ícono de negrita','Edit Icon'=>'Ícono de editar','Download Icon'=>'Ícono de descargar','Dismiss Icon'=>'Ícono de descartar','Desktop Icon'=>'Ícono del escritorio','Dashboard Icon'=>'Ícono del escritorio','Cloud Icon'=>'Ícono de nube','Clock Icon'=>'Ícono de reloj','Clipboard Icon'=>'Ícono del portapapeles','Chart Pie Icon'=>'Ícono de gráfico de tarta','Chart Line Icon'=>'Ícono de gráfico de líneas','Chart Bar Icon'=>'Ícono de gráfico de barras','Chart Area Icon'=>'Ícono de gráfico de área','Category Icon'=>'Ícono de categoría','Cart Icon'=>'Ícono del carrito','Carrot Icon'=>'Ícono de zanahoria','Camera Icon'=>'Ícono de cámara','Calendar (alt) Icon'=>'Ícono de calendario alt','Calendar Icon'=>'Ícono de calendario','Businesswoman Icon'=>'Ícono de hombre de negocios','Building Icon'=>'Ícono de edificio','Book Icon'=>'Ícono del libro','Backup Icon'=>'Ícono de copia de seguridad','Awards Icon'=>'Ícono de premios','Art Icon'=>'Ícono de arte','Arrow Up Icon'=>'Ícono flecha arriba','Arrow Right Icon'=>'Ícono flecha derecha','Arrow Left Icon'=>'Ícono flecha izquierda','Arrow Down Icon'=>'Ícono de flecha hacia abajo','Archive Icon'=>'Ícono de archivo','Analytics Icon'=>'Ícono de análisis','Align Right Icon'=>'Ícono alinear a la derecha','Align None Icon'=>'Ícono no alinear','Align Left Icon'=>'Ícono alinear a la izquierda','Align Center Icon'=>'Ícono alinear al centro','Album Icon'=>'Ícono de álbum','Users Icon'=>'Ícono de usuarios','Tools Icon'=>'Ícono de herramientas','Site Icon'=>'Ícono del sitio','Settings Icon'=>'Ícono de ajustes','Post Icon'=>'Ícono de la entrada','Plugins Icon'=>'Ícono de plugins','Page Icon'=>'Ícono de página','Network Icon'=>'Ícono de red','Multisite Icon'=>'Ícono multisitio','Media Icon'=>'Ícono de medios','Links Icon'=>'Ícono de enlaces','Home Icon'=>'Ícono de inicio','Customizer Icon'=>'Ícono del personalizador','Comments Icon'=>'Ícono de comentarios','Collapse Icon'=>'Ícono de plegado','Appearance Icon'=>'Ícono de apariencia','Generic Icon'=>'Ícono genérico','Icon picker requires a value.'=>'El selector de íconos requiere un valor.','Icon picker requires an icon type.'=>'El selector de íconos requiere un tipo de ícono.','The available icons matching your search query have been updated in the icon picker below.'=>'Los íconos disponibles que coinciden con tu consulta se han actualizado en el selector de íconos de abajo.','No results found for that search term'=>'No se han encontrado resultados para ese término de búsqueda','Array'=>'Array','String'=>'Cadena','Specify the return format for the icon. %s'=>'Especifica el formato de retorno del ícono. %s','Select where content editors can choose the icon from.'=>'Selecciona de dónde pueden elegir el ícono los editores de contenidos.','The URL to the icon you\'d like to use, or svg as Data URI'=>'La URL del ícono que quieres utilizar, o svg como URI de datos','Browse Media Library'=>'Explorar la biblioteca de medios','The currently selected image preview'=>'La vista previa de la imagen seleccionada actualmente','Click to change the icon in the Media Library'=>'Haz clic para cambiar el ícono de la biblioteca de medios','Search icons...'=>'Buscar íconos…','Media Library'=>'Biblioteca de medios','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Una interfaz de usuario interactiva para seleccionar un ícono. Selecciona entre dashicons, la biblioteca de medios o una entrada URL independiente.','Icon Picker'=>'Selector de íconos','JSON Load Paths'=>'Rutas de carga JSON','JSON Save Paths'=>'Rutas de guardado JSON','Registered ACF Forms'=>'Formularios ACF registrados','Shortcode Enabled'=>'Shortcode activado','Field Settings Tabs Enabled'=>'Pestañas de ajustes de campo activadas','Field Type Modal Enabled'=>'Tipo de campo emergente activado','Admin UI Enabled'=>'Interfaz de administrador activada','Block Preloading Enabled'=>'Precarga de bloques activada','Blocks Per ACF Block Version'=>'Bloques por versión de bloque ACF','Blocks Per API Version'=>'Bloques por versión de API','Registered ACF Blocks'=>'Bloques ACF registrados','Light'=>'Claro','Standard'=>'Estándar','REST API Format'=>'Formato de la API REST','Registered Options Pages (PHP)'=>'Páginas de opciones registradas (PHP)','Registered Options Pages (JSON)'=>'Páginas de opciones registradas (JSON)','Registered Options Pages (UI)'=>'Páginas de opciones registradas (IU)','Options Pages UI Enabled'=>'Interfaz de usuario de las páginas de opciones activada','Registered Taxonomies (JSON)'=>'Taxonomías registradas (JSON)','Registered Taxonomies (UI)'=>'Taxonomías registradas (IU)','Registered Post Types (JSON)'=>'Tipos de contenido registrados (JSON)','Registered Post Types (UI)'=>'Tipos de contenido registrados (UI)','Post Types and Taxonomies Enabled'=>'Tipos de contenido y taxonomías activados','Number of Third Party Fields by Field Type'=>'Número de campos de terceros por tipo de campo','Number of Fields by Field Type'=>'Número de campos por tipo de campo','Field Groups Enabled for GraphQL'=>'Grupos de campos activados para GraphQL','Field Groups Enabled for REST API'=>'Grupos de campos activados para la API REST','Registered Field Groups (JSON)'=>'Grupos de campos registrados (JSON)','Registered Field Groups (PHP)'=>'Grupos de campos registrados (PHP)','Registered Field Groups (UI)'=>'Grupos de campos registrados (UI)','Active Plugins'=>'Plugins activos','Parent Theme'=>'Tema principal','Active Theme'=>'Tema activo','Is Multisite'=>'Es multisitio','MySQL Version'=>'Versión de MySQL','WordPress Version'=>'Versión de WordPress','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'Gratis','Plugin Type'=>'Tipo de plugin','Plugin Version'=>'Versión del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Esta sección contiene información de depuración sobre la configuración de tu ACF que puede ser útil proporcionar al servicio de asistencia.','An ACF Block on this page requires attention before you can save.'=>'Un bloque de ACF en esta página requiere atención antes de que puedas guardar.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Estos datos se registran a medida que detectamos valores que se han modificado durante la salida. %1$sVaciar registro y descartar%2$s después de escapar los valores en tu código. El aviso volverá a aparecer si volvemos a detectar valores cambiados.','Dismiss permanently'=>'Descartar permanentemente','Instructions for content editors. Shown when submitting data.'=>'Instrucciones para los editores de contenidos. Se muestra al enviar los datos.','Has no term selected'=>'No tiene ningún término seleccionado','Has any term selected'=>'¿Ha seleccionado algún término?','Terms do not contain'=>'Los términos no contienen','Terms contain'=>'Los términos contienen','Term is not equal to'=>'El término no es igual a','Term is equal to'=>'El término es igual a','Has no user selected'=>'No tiene usuario seleccionado','Has any user selected'=>'¿Ha seleccionado algún usuario','Users do not contain'=>'Los usuarios no contienen','Users contain'=>'Los usuarios contienen','User is not equal to'=>'Usuario no es igual a','User is equal to'=>'Usuario es igual a','Has no page selected'=>'No tiene página seleccionada','Has any page selected'=>'¿Has seleccionado alguna página?','Pages do not contain'=>'Las páginas no contienen','Pages contain'=>'Las páginas contienen','Page is not equal to'=>'Página no es igual a','Page is equal to'=>'Página es igual a','Has no relationship selected'=>'No tiene ninguna relación seleccionada','Has any relationship selected'=>'¿Ha seleccionado alguna relación?','Has no post selected'=>'No tiene ninguna entrada seleccionada','Has any post selected'=>'¿Has seleccionado alguna entrada?','Posts do not contain'=>'Las entradas no contienen','Posts contain'=>'Las entradas contienen','Post is not equal to'=>'Entrada no es igual a','Post is equal to'=>'Entrada es igual a','Relationships do not contain'=>'Las relaciones no contienen','Relationships contain'=>'Las relaciones contienen','Relationship is not equal to'=>'La relación no es igual a','Relationship is equal to'=>'La relación es igual a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos de ACF','ACF PRO Feature'=>'Característica de ACF PRO','Renew PRO to Unlock'=>'Renueva PRO para desbloquear','Renew PRO License'=>'Renovar licencia PRO','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activa tu licencia de ACF PRO para editar los grupos de campos asignados a un Bloque ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activa tu licencia de ACF PRO para editar esta página de opciones.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Devolver valores HTML escapados sólo es posible cuando format_value también es rue. Los valores de los campos no se devuelven por seguridad.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Devolver un valor HTML escapado sólo es posible cuando format_value también es true. El valor del campo no se devuelve por seguridad.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'ACF %1$s ahora escapa automáticamente el HTML no seguro cuando es mostrado por the_field o el shortcode de ACF. Hemos detectado que la salida de algunos de tus campos se verá modificada por este cambio. %2$s.','Please contact your site administrator or developer for more details.'=>'Para más detalles, ponte en contacto con el administrador o desarrollador de tu web.','Learn more'=>'Más información','Hide details'=>'Ocultar detalles','Show details'=>'Mostrar detalles','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew ACF PRO License'=>'','Renew License'=>'Renovar licencia','Manage License'=>'Gestionar la licencia','\'High\' position not supported in the Block Editor'=>'No se admite la posición “Alta” en el editor de bloques','Upgrade to ACF PRO'=>'Actualizar a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Las páginas de opciones de ACF son páginas de administrador personalizadas para gestionar ajustes globales a través de campos. Puedes crear múltiples páginas y subpáginas.','Add Options Page'=>'Agregar página de opciones','In the editor used as the placeholder of the title.'=>'En el editor utilizado como marcador de posición del título.','Title Placeholder'=>'Marcador de posición del título','4 Months Free'=>'','(Duplicated from %s)'=>'(Duplicado de %s)','Select Options Pages'=>'Seleccionar páginas de opciones','Duplicate taxonomy'=>'Duplicar texonomía','Create taxonomy'=>'Crear taxonomía','Duplicate post type'=>'Duplicar tipo de contenido','Create post type'=>'Crear tipo de contenido','Link field groups'=>'Enlazar grupos de campos','Add fields'=>'Agregar campos','This Field'=>'Este campo','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'Agregar %s actual a las reglas de localización de los grupos de campos seleccionados.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona el/los campo/s para almacenar la referencia al artículo que se está actualizando. Puedes seleccionar este campo. Los campos de destino deben ser compatibles con el lugar donde se está mostrando este campo. Por ejemplo, si este campo se muestra en una taxonomía, tu campo de destino debe ser del tipo taxonomía','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Actualiza un campo en los valores seleccionados, haciendo referencia a este ID','Bidirectional'=>'Bidireccional','%s Field'=>'Campo %s','Select Multiple'=>'Seleccionar varios','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo minúsculas, subrayados y guiones. Máximo 32 caracteres.','The capability name for assigning terms of this taxonomy.'=>'El nombre de la capacidad para asignar términos de esta taxonomía.','Assign Terms Capability'=>'Capacidad de asignar términos','The capability name for deleting terms of this taxonomy.'=>'El nombre de la capacidad para borrar términos de esta taxonomía.','Delete Terms Capability'=>'Capacidad de eliminar términos','The capability name for editing terms of this taxonomy.'=>'El nombre de la capacidad para editar términos de esta taxonomía.','Edit Terms Capability'=>'Capacidad de editar términos','The capability name for managing terms of this taxonomy.'=>'El nombre de la capacidad para gestionar términos de esta taxonomía.','Manage Terms Capability'=>'Gestionar las capacidades para términos','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Establece si las entradas deben excluirse de los resultados de búsqueda y de las páginas de archivo de taxonomía.','More Tools from WP Engine'=>'Más herramientas de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Construido para los que construyen con WordPress, por el equipo de %s','View Pricing & Upgrade'=>'Ver precios y actualizar','Learn More'=>'Aprender más','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelera tu flujo de trabajo y desarrolla mejores sitios web con funciones como Bloques ACF y Páginas de opciones, y sofisticados tipos de campo como Repetidor, Contenido Flexible, Clonar y Galería.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloquea funciones avanzadas y construye aún más con ACF PRO','%s fields'=>'%s campos','No terms'=>'Sin términos','No post types'=>'Sin tipos de contenido','No posts'=>'Sin entradas','No taxonomies'=>'Sin taxonomías','No field groups'=>'Sin grupos de campos','No fields'=>'Sin campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía registrada fuera de ACF y no puede utilizarse.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía en ACF y no puede utilizarse.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de taxonomía sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The taxonomy key must be under 32 characters.'=>'La clave taxonómica debe tener menos de 32 caracteres.','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Agregar nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar tipos de contenido','View Post Type'=>'Ver tipo de contenido','New Post Type'=>'Nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Agregar nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido registrado fuera de ACF y no puede utilizarse.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido en ACF y no puede utilizarse.','This field must not be a WordPress reserved term.'=>'Este campo no debe ser un término reservado de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe tener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en los ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Muestra el editor WYSIWYG de WordPress tal y como se ve en las Entradas y Páginas, permitiendo una experiencia de edición de texto enriquecida que también permite contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite seleccionar uno o varios usuarios que pueden utilizarse para crear relaciones entre objetos de datos.','A text input specifically designed for storing web addresses.'=>'Una entrada de texto diseñada específicamente para almacenar direcciones web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un conmutador que te permite elegir un valor de 1 ó 0 (encendido o apagado, verdadero o falso, etc.). Puede presentarse como un interruptor estilizado o una casilla de verificación.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una hora. El formato de la hora se puede personalizar mediante los ajustes del campo.','A basic textarea input for storing paragraphs of text.'=>'Una entrada de área de texto básica para almacenar párrafos de texto.','A basic text input, useful for storing single string values.'=>'Una entrada de texto básica, útil para almacenar valores de una sola cadena.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite seleccionar uno o varios términos de taxonomía en función de los criterios y opciones especificados en los ajustes de los campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Te permite agrupar campos en secciones con pestañas en la pantalla de edición. Útil para mantener los campos organizados y estructurados.','A dropdown list with a selection of choices that you specify.'=>'Una lista desplegable con una selección de opciones que tú especifiques.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfaz de doble columna para seleccionar una o más entradas, páginas o elementos de tipo contenido personalizado para crear una relación con el elemento que estás editando en ese momento. Incluye opciones para buscar y filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo para seleccionar un valor numérico dentro de un rango especificado mediante un elemento deslizante de rango.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grupo de entradas de botón de opción que permite al usuario hacer una única selección entre los valores que especifiques.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfaz de usuario interactiva y personalizable para seleccionar una o varias entradas, páginas o elementos de tipo contenido con la opción de buscar. ','An input for providing a password using a masked field.'=>'Una entrada para proporcionar una contraseña utilizando un campo enmascarado.','Filter by Post Status'=>'Filtrar por estado de publicación','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, elementos de tipo contenido personalizad o URL de archivo, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar videos, imágenes, tweets, audio y otros contenidos haciendo uso de la funcionalidad oEmbed nativa de WordPress.','An input limited to numerical values.'=>'Una entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Se utiliza para mostrar un mensaje a los editores junto a otros campos. Es útil para proporcionar contexto adicional o instrucciones sobre tus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Te permite especificar un enlace y sus propiedades, como el título y el destino, utilizando el selector de enlaces nativo de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una forma de estructurar los campos en grupos para organizar mejor los datos y la pantalla de edición.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfaz de usuario interactiva para seleccionar una ubicación utilizando Google Maps. Requiere una clave API de Google Maps y configuración adicional para mostrarse correctamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir archivos.','A text input specifically designed for storing email addresses.'=>'Un campo de texto diseñado específicamente para almacenar direcciones de correo electrónico.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha y una hora. El formato de devolución de la fecha puede personalizarse mediante los ajustes del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha. El formato de devolución de la fecha se puede personalizar mediante los ajustes del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfaz de usuario interactiva para seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grupo de casillas de verificación que permiten al usuario seleccionar uno o varios valores que tú especifiques.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grupo de botones con valores que tú especifiques, los usuarios pueden elegir una opción de entre los valores proporcionados.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Te permite agrupar y organizar campos personalizados en paneles plegables que se muestran al editar el contenido. Útil para mantener ordenados grandes conjuntos de datos.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'Avanzados','JSON (newer)'=>'JSON (nuevo)','Original'=>'Original','Invalid post ID.'=>'ID de publicación no válido.','Invalid post type selected for review.'=>'Tipo de contenido no válido seleccionado para revisión.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Seleccionar campo','Try a different search term or browse %s'=>'Prueba con otro término de búsqueda o explora %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para “%s”','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona el tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Agregar taxonomía','Create custom taxonomies to classify post type content'=>'Crear taxonomías personalizadas para clasificar el contenido del tipo de contenido','Add Your First Taxonomy'=>'Agrega tu primera taxonomía','Hierarchical taxonomies can have descendants (like categories).'=>'Las taxonomías jerárquicas pueden tener descendientes (como las categorías).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hace que una taxonomía sea visible en la parte pública de la web y en el escritorio.','One or many post types that can be classified with this taxonomy.'=>'Uno o varios tipos de contenido que pueden clasificarse con esta taxonomía.','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Exponer este tipo de contenido en la REST API.','Customize the query variable name'=>'Personaliza el nombre de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Se puede acceder a los términos utilizando el permalink no bonito, por ejemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Términos principal-hijo en URLs para taxonomías jerárquicas.','Customize the slug used in the URL'=>'Personalizar el slug utilizado en la URL','Permalinks for this taxonomy are disabled.'=>'Los enlaces permanentes de esta taxonomía están desactivados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave de taxonomía como slug. Tu estructura de enlace permanente será','Taxonomy Key'=>'Clave de la taxonomía','Select the type of permalink to use for this taxonomy.'=>'Selecciona el tipo de enlace permanente a utilizar para esta taxonomía.','Display a column for the taxonomy on post type listing screens.'=>'Mostrar una columna para la taxonomía en las pantallas de listado de tipos de contenido.','Show Admin Column'=>'Mostrar columna de administración','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar la taxonomía en el panel de edición rápida/masiva.','Quick Edit'=>'Edición rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Muestra la taxonomía en los controles del widget nube de etiquetas.','Tag Cloud'=>'Nube de etiquetas','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nombre de función PHP al que llamar para sanear los datos de taxonomía guardados desde una meta box.','Meta Box Sanitization Callback'=>'Llamada a función de saneamiento de la caja meta','Register Meta Box Callback'=>'Registrar llamada a función de caja meta','No Meta Box'=>'Sin caja meta','Custom Meta Box'=>'Caja meta personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la caja meta en la pantalla del editor de contenidos. Por defecto, la caja meta Categorías se muestra para las taxonomías jerárquicas, y la meta caja Etiquetas se muestra para las taxonomías no jerárquicas.','Meta Box'=>'Caja meta','Categories Meta Box'=>'Caja meta de categorías','Tags Meta Box'=>'Caja meta de etiquetas','A link to a tag'=>'Un enlace a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Describe una variación del bloque de enlaces de navegación utilizada en el editor de bloques.','A link to a %s'=>'Un enlace a un %s','Tag Link'=>'Enlace a etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Asigna un título a la variación del bloque de enlaces de navegación utilizada en el editor de bloques.','← Go to tags'=>'← Ir a las etiquetas','Assigns the text used to link back to the main index after updating a term.'=>'Asigna el texto utilizado para volver al índice principal tras actualizar un término.','Back To Items'=>'Volver a los elementos','← Go to %s'=>'← Ir a %s','Tags list'=>'Lista de etiquetas','Assigns text to the table hidden heading.'=>'Asigna texto a la cabecera oculta de la tabla.','Tags list navigation'=>'Navegación de lista de etiquetas','Assigns text to the table pagination hidden heading.'=>'Asigna texto al encabezado oculto de la paginación de la tabla.','Filter by category'=>'Filtrar por categoría','Assigns text to the filter button in the posts lists table.'=>'Asigna texto al botón de filtro en la tabla de listas de publicaciones.','Filter By Item'=>'Filtrar por elemento','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'La descripción no es prominente de forma predeterminada; Sin embargo, algunos temas pueden mostrarlo.','Describes the Description field on the Edit Tags screen.'=>'Describe el campo Descripción de la pantalla Editar etiquetas.','Description Field Description'=>'Descripción del campo Descripción','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Asigna un término superior para crear una jerarquía. El término Jazz, por ejemplo, sería el principal de Bebop y Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describe el campo superior de la pantalla Editar etiquetas.','Parent Field Description'=>'Descripción del campo principal','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El “slug” es la versión apta para URLs del nombre. Normalmente se escribe todo en minúsculas y sólo contiene letras, números y guiones.','Describes the Slug field on the Edit Tags screen.'=>'Describe el campo slug de la pantalla editar etiquetas.','Slug Field Description'=>'Descripción del campo slug','The name is how it appears on your site'=>'El nombre es como aparece en tu web','Describes the Name field on the Edit Tags screen.'=>'Describe el campo Nombre de la pantalla Editar etiquetas.','Name Field Description'=>'Descripción del campo nombre','No tags'=>'No hay etiquetas','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Asigna el texto que se muestra en las tablas de entradas y lista de medios cuando no hay etiquetas o categorías disponibles.','No Terms'=>'No hay términos','No %s'=>'No hay %s','No tags found'=>'No se han encontrado etiquetas','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Asigna el texto que se muestra al hacer clic en “elegir entre los más utilizados” en el cuadro meta de la taxonomía cuando no hay etiquetas disponibles, y asigna el texto utilizado en la tabla de lista de términos cuando no hay elementos para una taxonomía.','Not Found'=>'No encontrado','Assigns text to the Title field of the Most Used tab.'=>'Asigna texto al campo de título de la pestaña “Más usados”.','Most Used'=>'Más usados','Choose from the most used tags'=>'Elige entre las etiquetas más utilizadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Asigna el texto “elige entre los más usados” que se utiliza en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas.','Choose From Most Used'=>'Elige entre los más usados','Choose from the most used %s'=>'Elige entre los %s más usados','Add or remove tags'=>'Agregar o quitar etiquetas','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Asigna el texto de agregar o eliminar elementos utilizado en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas','Add Or Remove Items'=>'Agregar o quitar elementos','Add or remove %s'=>'Agregar o quitar %s','Separate tags with commas'=>'Separa las etiquetas con comas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Asigna al elemento separado con comas el texto utilizado en la caja meta de taxonomía. Sólo se utiliza en taxonomías no jerárquicas.','Separate Items With Commas'=>'Separa los elementos con comas','Separate %s with commas'=>'Separa los %s con comas','Popular Tags'=>'Etiquetas populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Asigna texto a los elementos populares. Sólo se utiliza en taxonomías no jerárquicas.','Popular Items'=>'Elementos populares','Popular %s'=>'%s populares','Search Tags'=>'Buscar etiquetas','Assigns search items text.'=>'Asigna el texto de buscar elementos.','Parent Category:'=>'Categoría superior:','Assigns parent item text, but with a colon (:) added to the end.'=>'Asigna el texto del elemento superior, pero agregando dos puntos (:) al final.','Parent Item With Colon'=>'Elemento superior con dos puntos','Parent Category'=>'Categoría superior','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Asigna el texto del elemento superior. Sólo se utiliza en taxonomías jerárquicas.','Parent Item'=>'Elemento superior','Parent %s'=>'%s superior','New Tag Name'=>'Nombre de la nueva etiqueta','Assigns the new item name text.'=>'Asigna el texto del nombre del nuevo elemento.','New Item Name'=>'Nombre del nuevo elemento','New %s Name'=>'Nombre del nuevo %s','Add New Tag'=>'Agregar nueva etiqueta','Assigns the add new item text.'=>'Asigna el texto de agregar nuevo elemento.','Update Tag'=>'Actualizar etiqueta','Assigns the update item text.'=>'Asigna el texto del actualizar elemento.','Update Item'=>'Actualizar elemento','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','In the admin bar to view term during editing.'=>'En la barra de administración para ver el término durante la edición.','Edit Tag'=>'Editar etiqueta','At the top of the editor screen when editing a term.'=>'En la parte superior de la pantalla del editor, al editar un término.','All Tags'=>'Todas las etiquetas','Assigns the all items text.'=>'Asigna el texto de todos los elementos.','Assigns the menu name text.'=>'Asigna el texto del nombre del menú.','Menu Label'=>'Etiqueta de menú','Active taxonomies are enabled and registered with WordPress.'=>'Las taxonomías activas están activadas y registradas en WordPress.','A descriptive summary of the taxonomy.'=>'Un resumen descriptivo de la taxonomía.','A descriptive summary of the term.'=>'Un resumen descriptivo del término.','Term Description'=>'Descripción del término','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola palabra, sin espacios. Se permiten guiones bajos y guiones.','Term Slug'=>'Slug de término','The name of the default term.'=>'El nombre del término por defecto.','Term Name'=>'Nombre del término','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un término para la taxonomía que no se pueda eliminar. No se seleccionará por defecto para las entradas.','Default Term'=>'Término por defecto','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si los términos de esta taxonomía deben ordenarse en el orden en que se proporcionan a `wp_set_object_terms()`.','Sort Terms'=>'Ordenar términos','Add Post Type'=>'Agregar tipo de contenido','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplía la funcionalidad de WordPress más allá de las entradas y páginas estándar con tipos de contenido personalizados.','Add Your First Post Type'=>'Agrega tu primer tipo de contenido','I know what I\'m doing, show me all the options.'=>'Sé lo que hago, muéstrame todas las opciones.','Advanced Configuration'=>'Configuración avanzada','Hierarchical post types can have descendants (like pages).'=>'Los tipos de entrada jerárquicos pueden tener descendientes (como las páginas).','Hierarchical'=>'Jerárquico','Visible on the frontend and in the admin dashboard.'=>'Visible en la parte pública de la web y en el escritorio.','Public'=>'Público','movie'=>'pelicula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sólo letras minúsculas, guiones bajos y guiones, 20 caracteres como máximo.','Movie'=>'Película','Singular Label'=>'Etiqueta singular','Movies'=>'Películas','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Posts_Controller`.','Controller Class'=>'Clase de controlador','The namespace part of the REST API URL.'=>'La parte del espacio de nombres de la URL de la API REST.','Namespace Route'=>'Ruta del espacio de nombres','The base URL for the post type REST API URLs.'=>'La URL base para las URL de la REST API del tipo de contenido.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expone este tipo de contenido en la REST API. Necesario para utilizar el editor de bloques.','Show In REST API'=>'Mostrar en REST API','Customize the query variable name.'=>'Personaliza el nombre de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admite variables de consulta','Custom Query Variable'=>'Variable de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Se puede acceder a los elementos utilizando el enlace permanente no bonito, por ejemplo {post_type}={post_slug}.','Query Variable Support'=>'Compatibilidad con variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Se puede acceder a las URL de un elemento y de los elementos mediante una cadena de consulta.','Publicly Queryable'=>'Consultable públicamente','Custom slug for the Archive URL.'=>'Slug personalizado para la URL del Archivo.','Archive Slug'=>'Slug del archivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Tiene un archivo de elementos que se puede personalizar con un archivo de plantilla de archivo en tu tema.','Archive'=>'Archivo','Pagination support for the items URLs such as the archives.'=>'Compatibilidad de paginación para las URL de los elementos, como los archivos.','Pagination'=>'Paginación','RSS feed URL for the post type items.'=>'URL del feed RSS para los elementos del tipo de contenido.','Feed URL'=>'URL del Feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la estructura de enlaces permanentes para agregar el prefijo `WP_Rewrite::$front` a las URLs.','Front URL Prefix'=>'Prefijo de las URLs','Customize the slug used in the URL.'=>'Personaliza el slug utilizado en la URL.','URL Slug'=>'Slug de la URL','Permalinks for this post type are disabled.'=>'Los enlaces permanentes para este tipo de contenido están desactivados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescribe la URL utilizando un slug personalizado definido en el campo de abajo. Tu estructura de enlace permanente será','No Permalink (prevent URL rewriting)'=>'Sin enlace permanente (evita la reescritura de URL)','Custom Permalink'=>'Enlace permanente personalizado','Post Type Key'=>'Clave de tipo de contenido','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave del tipo de entrada como slug. Tu estructura de enlace permanente será','Permalink Rewrite'=>'Reescritura de enlace permanente','Delete items by a user when that user is deleted.'=>'Borrar elementos de un usuario cuando ese usuario se borra.','Delete With User'=>'Borrar con usuario','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permite que el tipo de contenido se pueda exportar desde \'Herramientas\' > \'Exportar\'.','Can Export'=>'Se puede exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, proporciona un plural para utilizarlo en las capacidades.','Plural Capability Name'=>'Nombre de la capacidad en plural','Choose another post type to base the capabilities for this post type.'=>'Elige otro tipo de contenido para basar las capacidades de este tipo de contenido.','Singular Capability Name'=>'Nombre de la capacidad en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por defecto, las capacidades del tipo de entrada heredarán los nombres de las capacidades de \'Entrada\', p. ej. edit_post, delete_posts. Actívalo para utilizar capacidades específicas del tipo de contenido, por ejemplo, edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renombrar capacidades','Exclude From Search'=>'Excluir de la búsqueda','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permite agregar elementos a los menús en la pantalla \'Apariencia\' > \'Menús\'. Debe estar activado en \'Opciones de pantalla\'.','Appearance Menus Support'=>'Compatibilidad con menús de apariencia','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como un elemento en el menú \'Nuevo\' de la barra de administración.','Show In Admin Bar'=>'Mostrar en la barra administración','Custom Meta Box Callback'=>'Llamada a función de caja meta personalizada','Menu Icon'=>'Ícono de menú','The position in the sidebar menu in the admin dashboard.'=>'La posición en el menú de la barra lateral en el panel de control del escritorio.','Menu Position'=>'Posición en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por defecto, el tipo de contenido obtendrá un nuevo elemento de nivel superior en el menú de administración. Si se proporciona aquí un elemento de nivel superior existente, el tipo de entrada se agregará como un elemento de submenú debajo de él.','Admin Menu Parent'=>'Menú de administración principal','Admin editor navigation in the sidebar menu.'=>'Navegación del editor de administración en el menú de la barra lateral.','Show In Admin Menu'=>'Mostrar en el menú de administración','Items can be edited and managed in the admin dashboard.'=>'Los elementos se pueden editar y gestionar en el panel de control del administrador.','Show In UI'=>'Mostrar en IU','A link to a post.'=>'Un enlace a una publicación.','Description for a navigation link block variation.'=>'Descripción de una variación del bloque de enlaces de navegación.','Item Link Description'=>'Descripción del enlace al elemento','A link to a %s.'=>'Un enlace a un %s.','Post Link'=>'Enlace a publicación','Title for a navigation link block variation.'=>'Título para una variación del bloque de enlaces de navegación.','Item Link'=>'Enlace a elemento','%s Link'=>'Enlace a %s','Post updated.'=>'Publicación actualizada.','In the editor notice after an item is updated.'=>'En el aviso del editor después de actualizar un elemento.','Item Updated'=>'Elemento actualizado','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Publicación programada.','In the editor notice after scheduling an item.'=>'En el aviso del editor después de programar un elemento.','Item Scheduled'=>'Elemento programado','%s scheduled.'=>'%s programados.','Post reverted to draft.'=>'Publicación devuelta a borrador.','In the editor notice after reverting an item to draft.'=>'En el aviso del editor después de devolver un elemento a borrador.','Item Reverted To Draft'=>'Elemento devuelto a borrador','%s reverted to draft.'=>'%s devuelto a borrador.','Post published privately.'=>'Publicación publicada de forma privada.','In the editor notice after publishing a private item.'=>'En el aviso del editor después de publicar un elemento privado.','Item Published Privately'=>'Elemento publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Entrada publicada.','In the editor notice after publishing an item.'=>'En el aviso del editor después de publicar un elemento.','Item Published'=>'Elemento publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de publicaciones','Used by screen readers for the items list on the post type list screen.'=>'Utilizado por los lectores de pantalla para la lista de elementos de la pantalla de lista de tipos de contenido.','Items List'=>'Lista de elementos','%s list'=>'Lista de %s','Posts list navigation'=>'Navegación por lista de publicaciones','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizado por los lectores de pantalla para la paginación de la lista de filtros en la pantalla de la lista de tipos de contenido.','Items List Navigation'=>'Navegación por la lista de elementos','%s list navigation'=>'Navegación por la lista de %s','Filter posts by date'=>'Filtrar publicaciones por fecha','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de filtrar por fecha en la pantalla de lista de tipos de contenido.','Filter Items By Date'=>'Filtrar elementos por fecha','Filter %s by date'=>'Filtrar %s por fecha','Filter posts list'=>'Filtrar la lista de publicaciones','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de los enlaces de filtro en la pantalla de la lista de tipos de contenido.','Filter Items List'=>'Filtrar lista de elementos','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'En la ventana emergente de medios se muestran todos los medios subidos a este elemento.','Uploaded To This Item'=>'Subido a este elemento','Uploaded to this %s'=>'Subido a este %s','Insert into post'=>'Insertar en publicación','As the button label when adding media to content.'=>'Como etiqueta del botón al agregar medios al contenido.','Insert Into Media Button'=>'Botón Insertar en medios','Insert into %s'=>'Insertar en %s','Use as featured image'=>'Usar como imagen destacada','As the button label for selecting to use an image as the featured image.'=>'Como etiqueta del botón para seleccionar el uso de una imagen como imagen destacada.','Use Featured Image'=>'Usar imagen destacada','Remove featured image'=>'Eliminar la imagen destacada','As the button label when removing the featured image.'=>'Como etiqueta del botón al eliminar la imagen destacada.','Remove Featured Image'=>'Eliminar imagen destacada','Set featured image'=>'Establecer imagen destacada','As the button label when setting the featured image.'=>'Como etiqueta del botón al establecer la imagen destacada.','Set Featured Image'=>'Establecer imagen destacada','Featured image'=>'Imagen destacada','In the editor used for the title of the featured image meta box.'=>'En el editor utilizado para el título de la caja meta de la imagen destacada.','Featured Image Meta Box'=>'Caja meta de imagen destacada','Post Attributes'=>'Atributos de publicación','In the editor used for the title of the post attributes meta box.'=>'En el editor utilizado para el título de la caja meta de atributos de la publicación.','Attributes Meta Box'=>'Caja meta de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Archivo de publicaciones','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Agrega elementos \'Archivo de tipo de contenido\' con esta etiqueta a la lista de publicaciones que se muestra al agregar elementos a un menú existente en un CPT con archivos activados. Sólo aparece cuando se editan menús en modo \'Vista previa en vivo\' y se ha proporcionado un slug de archivo personalizado.','Archives Nav Menu'=>'Menú de navegación de archivos','%s Archives'=>'Archivo de %s','No posts found in Trash'=>'No hay publicaciones en la papelera','At the top of the post type list screen when there are no posts in the trash.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones en la papelera.','No Items Found in Trash'=>'No se hay elementos en la papelera','No %s found in Trash'=>'No hay %s en la papelera','No posts found'=>'No se han encontrado publicaciones','At the top of the post type list screen when there are no posts to display.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones que mostrar.','No Items Found'=>'No se han encontrado elementos','No %s found'=>'No se han encontrado %s','Search Posts'=>'Buscar publicaciones','At the top of the items screen when searching for an item.'=>'En la parte superior de la pantalla de elementos, al buscar un elemento.','Search Items'=>'Buscar elementos','Search %s'=>'Buscar %s','Parent Page:'=>'Página superior:','For hierarchical types in the post type list screen.'=>'Para tipos jerárquicos en la pantalla de lista de tipos de contenido.','Parent Item Prefix'=>'Prefijo del artículo superior','Parent %s:'=>'%s superior:','New Post'=>'Nueva publicación','New Item'=>'Nuevo elemento','New %s'=>'Nuevo %s','Add New Post'=>'Agregar nueva publicación','At the top of the editor screen when adding a new item.'=>'En la parte superior de la pantalla del editor, al agregar un nuevo elemento.','Add New Item'=>'Agregar nuevo elemento','Add New %s'=>'Agregar nuevo %s','View Posts'=>'Ver publicaciones','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece en la barra de administración en la vista “Todas las publicaciones”, siempre que el tipo de contenido admita archivos y la página de inicio no sea un archivo de ese tipo de contenido.','View Items'=>'Ver elementos','View Post'=>'Ver publicacion','In the admin bar to view item when editing it.'=>'En la barra de administración para ver el elemento al editarlo.','View Item'=>'Ver elemento','View %s'=>'Ver %s','Edit Post'=>'Editar publicación','At the top of the editor screen when editing an item.'=>'En la parte superior de la pantalla del editor, al editar un elemento.','Edit Item'=>'Editar elemento','Edit %s'=>'Editar %s','All Posts'=>'Todas las entradas','In the post type submenu in the admin dashboard.'=>'En el submenú de tipo de contenido del escritorio.','All Items'=>'Todos los elementos','All %s'=>'Todos %s','Admin menu name for the post type.'=>'Nombre del menú de administración para el tipo de contenido.','Menu Name'=>'Nombre del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera todas las etiquetas utilizando las etiquetas singular y plural','Regenerate'=>'Regenerar','Active post types are enabled and registered with WordPress.'=>'Los tipos de entrada activos están activados y registrados en WordPress.','A descriptive summary of the post type.'=>'Un resumen descriptivo del tipo de contenido.','Add Custom'=>'Agregar personalizado','Enable various features in the content editor.'=>'Activa varias funciones en el editor de contenido.','Post Formats'=>'Formatos de entrada','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecciona las taxonomías existentes para clasificar los elementos del tipo de contenido.','Browse Fields'=>'Explorar campos','Nothing to import'=>'Nada que importar','. The Custom Post Type UI plugin can be deactivated.'=>'. El plugin Custom Post Type UI se puede desactivar.','Imported %d item from Custom Post Type UI -'=>'Importado %d elemento de la interfaz de Custom Post Type UI -' . "\0" . 'Importados %d elementos de la interfaz de Custom Post Type UI -','Failed to import taxonomies.'=>'Error al importar taxonomías.','Failed to import post types.'=>'Error al importar tipos de contenido.','Nothing from Custom Post Type UI plugin selected for import.'=>'No se ha seleccionado nada del plugin Custom Post Type UI para importar.','Imported 1 item'=>'1 elementos importado' . "\0" . '%s elementos importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Al importar un tipo de contenido o taxonomía con la misma clave que uno ya existente, se sobrescribirán los ajustes del tipo de contenido o taxonomía existentes con los de la importación.','Import from Custom Post Type UI'=>'Importar desde Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El siguiente código puede utilizarse para registrar una versión local de los elementos seleccionados. Almacenar grupos de campos, tipos de contenido o taxonomías localmente puede proporcionar muchas ventajas, como tiempos de carga más rápidos, control de 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 dentro de un archivo externo, y luego desactiva o elimina los elementos desde la administración de ACF.','Export - Generate PHP'=>'Exportar - Generar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecciona taxonomías','Select Post Types'=>'Selecciona tipos de contenido','Exported 1 item.'=>'1 elemento exportado.' . "\0" . '%s elementos exportados.','Category'=>'Categoría','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomía %s creada','%s taxonomy updated'=>'Taxonomía %s actualizada','Taxonomy draft updated.'=>'Borrador de taxonomía actualizado.','Taxonomy scheduled for.'=>'Taxonomía programada para.','Taxonomy submitted.'=>'Taxonomía enviada.','Taxonomy saved.'=>'Taxonomía guardada.','Taxonomy deleted.'=>'Taxonomía borrada.','Taxonomy updated.'=>'Taxonomía actualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Esta taxonomía no se pudo registrar porque su clave está siendo utilizada por otra taxonomía registrada por otro plugin o tema.','Taxonomy synchronized.'=>'Taxonomía sincronizada.' . "\0" . '%s taxonomías sincronizadas.','Taxonomy duplicated.'=>'Taxonomía duplicada.' . "\0" . '%s taxonomías duplicadas.','Taxonomy deactivated.'=>'Taxonomía desactivada.' . "\0" . '%s taxonomías desactivadas.','Taxonomy activated.'=>'Taxonomía activada.' . "\0" . '%s taxonomías activadas.','Terms'=>'Términos','Post type synchronized.'=>'Tipo de contenido sincronizado.' . "\0" . '%s tipos de contenido sincronizados.','Post type duplicated.'=>'Tipo de contenido duplicado.' . "\0" . '%s tipos de contenido duplicados.','Post type deactivated.'=>'Tipo de contenido desactivado.' . "\0" . '%s tipos de contenido desactivados.','Post type activated.'=>'Tipo de contenido activado.' . "\0" . '%s tipos de contenido activados.','Post Types'=>'Tipos de contenido','Advanced Settings'=>'Ajustes avanzados','Basic Settings'=>'Ajustes básicos','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Este tipo de contenido no se pudo registrar porque su clave está siendo utilizada por otro tipo de contenido registrado por otro plugin o tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'Enlazar grupos de campos existentes','%s post type created'=>'%s tipo de contenido creado','Add fields to %s'=>'Agregar campos a %s','%s post type updated'=>'Tipo de contenido %s actualizado','Post type draft updated.'=>'Borrador de tipo de contenido actualizado.','Post type scheduled for.'=>'Tipo de contenido programado para.','Post type submitted.'=>'Tipo de contenido enviado.','Post type saved.'=>'Tipo de contenido guardado.','Post type updated.'=>'Tipo de contenido actualizado.','Post type deleted.'=>'Tipo de contenido eliminado.','Type to search...'=>'Escribe para buscar...','PRO Only'=>'Solo en PRO','Field groups linked successfully.'=>'Grupos de campos enlazados correctamente.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipos de contenido y taxonomías registrados con Custom Post Type UI y gestiónalos con ACF. Empieza aquí.','ACF'=>'ACF','taxonomy'=>'taxonomía','post type'=>'tipo de contenido','Done'=>'Hecho','Field Group(s)'=>'Grupo(s) de campo(s)','Select one or many field groups...'=>'Selecciona uno o varios grupos de campos...','Please select the field groups to link.'=>'Selecciona los grupos de campos que quieras enlazar.','Field group linked successfully.'=>'Grupo de campos enlazado correctamente.' . "\0" . 'Grupos de campos enlazados correctamente.','post statusRegistration Failed'=>'Error de registro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Este elemento no se pudo registrar porque su clave está siendo utilizada por otro elemento registrado por otro plugin o tema.','REST API'=>'REST API','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilidad','Labels'=>'Etiquetas','Field Settings Tabs'=>'Pestañas de ajustes de campos','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'[valor del shortcode de ACF desactivado en la vista previa]','Close Modal'=>'Cerrar ventana emergente','Field moved to other group'=>'Campo movido a otro grupo','Close modal'=>'Cerrar ventana emergente','Start a new group of tabs at this tab.'=>'Empieza un nuevo grupo de pestañas en esta pestaña','New Tab Group'=>'Nuevo grupo de pestañas','Use a stylized checkbox using select2'=>'Usa una casilla de verificación estilizada utilizando select2','Save Other Choice'=>'Guardar la opción “Otro”','Allow Other Choice'=>'Permitir la opción “Otro”','Add Toggle All'=>'Agrega un “Alternar todos”','Save Custom Values'=>'Guardar los valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Los valores personalizados de la casilla de verificación no pueden estar vacíos. Desmarca cualquier valor vacío.','Updates'=>'Actualizaciones','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Guardar cambios','Field Group Title'=>'Título del grupo de campos','Add title'=>'Agregar título','New to ACF? Take a look at our getting started guide.'=>'¿Nuevo en ACF? Echa un vistazo a nuestra guía para comenzar.','Add Field Group'=>'Agregar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados juntos, y después agregar esos campos a las pantallas de edición.','Add Your First Field Group'=>'Agrega tu primer grupo de campos','Options Pages'=>'Páginas de opciones','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contenido flexible','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado el %1$s a las %2$s','Group Settings'=>'Ajustes de grupo','Location Rules'=>'Reglas de ubicación','Choose from over 30 field types. Learn more.'=>'Elige de entre más de 30 tipos de campos. Aprende más.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comienza creando nuevos campos personalizados para tus entradas, páginas, tipos de contenido personalizados y otros contenidos de WordPress.','Add Your First Field'=>'Agrega tu primer campo','#'=>'#','Add Field'=>'Agregar campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'General','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'¿Mover este grupo de campos a la papelera?','post statusInactive'=>'Inactivo','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualizar a la versión Pro','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'“%s” no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Lo siento, este grupo de campos no está disponible para la comparación diff.','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar los cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'','View details'=>'','Version %s'=>'','Information'=>'','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'','Location type "%s" is already registered.'=>'El tipo de ubicación “%s” ya está registrado.','Class "%s" does not exist.'=>'La clase “%s” no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin principals)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Agregar / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Campo clon','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'N.º de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'Colocación de la instrucción','Label Placement'=>'Ubicación de la etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'Obligatorio','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa.','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Agregar grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona los grupos de campos que te gustaría exportar y luego elige tu método de exportación. Exporta como JSON para exportar un archivo .json que puedes importar en otra instalación de ACF. Genera PHP para exportar a código PHP que puedes incluir en tu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona el archivo JSON de Advanced Custom Fields que te gustaría importar. Cuando hagas clic en el botón importar de abajo, ACF importará los grupos de campos.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Supports','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo no se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores “personalizados” a las opciones del campo','Allow \'custom\' values to be added'=>'Permite agregar valores personalizados','Add new choice'=>'Agregar nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Agregar','Name'=>'Nombre','%s added'=>'%s agregado/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede agregar nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'Ningún %s','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Agrega la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Agregar archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Agrega cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'Filtrar por función','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Agrega cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'Inicialización del retardo','Show Media Upload Buttons'=>'Mostrar botones para subir archivos multimedia','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Texto del marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'Número máximo de entradas','Minimum Posts'=>'Número mínimo de entradas','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'Tipos de archivo permitidos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Agregar imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Agregar <br> automáticamente','Automatically add paragraphs'=>'Agregar párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Agregar nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Agregar nuevo grupo de campos','Add New'=>'Agregar nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'','https://www.advancedcustomfields.com'=>'','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_CL','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_CL.mo b/lang/acf-es_CL.mo
index f8fa75c..a528344 100644
Binary files a/lang/acf-es_CL.mo and b/lang/acf-es_CL.mo differ
diff --git a/lang/acf-es_CL.po b/lang/acf-es_CL.po
index 9873035..59b72f8 100644
--- a/lang/acf-es_CL.po
+++ b/lang/acf-es_CL.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: es_CL\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -69,14 +91,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF no pudo realizar la validación debido a que se proporcionó un nonce de "
-"seguridad no válido."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Permitir el acceso al valor en la interfaz del editor"
@@ -2071,21 +2085,21 @@ msgstr "Agregar campos"
msgid "This Field"
msgstr "Este campo"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4660,7 +4674,7 @@ msgstr ""
"Importa tipos de contenido y taxonomías registrados con Custom Post Type UI "
"y gestiónalos con ACF. Empieza aquí."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4992,7 +5006,7 @@ msgstr "Activa este elemento"
msgid "Move field group to trash?"
msgstr "¿Mover este grupo de campos a la papelera?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -5005,7 +5019,7 @@ msgstr "Inactivo"
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5014,7 +5028,7 @@ msgstr ""
"activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom "
"Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5442,7 +5456,7 @@ msgstr "Todo los formatos de %s"
msgid "Attachment"
msgstr "Adjunto"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "El valor de %s es obligatorio"
@@ -5937,7 +5951,7 @@ msgstr "Duplicar este elemento"
msgid "Supports"
msgstr "Supports"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentación"
@@ -6235,8 +6249,8 @@ msgstr "%d campos requieren atención"
msgid "1 field requires attention"
msgstr "1 campo requiere atención"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validación fallida"
@@ -7618,90 +7632,90 @@ msgid "Time Picker"
msgstr "Selector de hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactivo (%s)"
msgstr[1] "Inactivos (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "No se han encontrado campos en la papelera"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "No se han encontrado campos"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Buscar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nuevo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Agregar nuevo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "No se han encontrado grupos de campos en la papelera"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "No se han encontrado grupos de campos"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Buscar grupo de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nuevo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Agregar nuevo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Agregar nuevo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-es_CO.l10n.php b/lang/acf-es_CO.l10n.php
index eb55cf1..a978792 100644
--- a/lang/acf-es_CO.l10n.php
+++ b/lang/acf-es_CO.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_CO','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-06-27T14:24:00+00:00','x-generator'=>'gettext','messages'=>['%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Regístrate','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'Se requiere el valor %s','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena «field_» no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Colapsar detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta entrada','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Sorry, you don\'t have permission to do that.'=>'','Invalid request args.'=>'','Sorry, you are not allowed to do that.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes icon'=>'','Wordpress-alt icon'=>'','Wordpress icon'=>'','Welcome write-blog icon'=>'','Welcome widgets-menus icon'=>'','Welcome view-site icon'=>'','Welcome learn-more icon'=>'','Welcome comments icon'=>'','Welcome add-page icon'=>'','Warning icon'=>'','Visibility icon'=>'','Video-alt3 icon'=>'','Video-alt2 icon'=>'','Video-alt icon'=>'','Vault icon'=>'','Upload icon'=>'','Update icon'=>'','Unlock icon'=>'','Universal access alternative icon'=>'','Universal access icon'=>'','Undo icon'=>'','Twitter icon'=>'','Trash icon'=>'','Translation icon'=>'','Tickets alternative icon'=>'','Tickets icon'=>'','Thumbs-up icon'=>'','Thumbs-down icon'=>'','Text icon'=>'','Testimonial icon'=>'','Tagcloud icon'=>'','Tag icon'=>'','Tablet icon'=>'','Store icon'=>'','Sticky icon'=>'','Star-half icon'=>'','Star-filled icon'=>'','Star-empty icon'=>'','Sos icon'=>'','Sort icon'=>'','Smiley icon'=>'','Smartphone icon'=>'','Slides icon'=>'','Shield-alt icon'=>'','Shield icon'=>'','Share-alt2 icon'=>'','Share-alt icon'=>'','Share icon'=>'','Search icon'=>'','Screenoptions icon'=>'','Schedule icon'=>'','Rss icon'=>'','Redo icon'=>'','Randomize icon'=>'','Products icon'=>'','Pressthis icon'=>'','Post-status icon'=>'','Portfolio icon'=>'','Plus-alt icon'=>'','Plus icon'=>'','Playlist-video icon'=>'','Playlist-audio icon'=>'','Phone icon'=>'','Performance icon'=>'','Paperclip icon'=>'','Palmtree icon'=>'','No alternative icon'=>'','No icon'=>'','Networking icon'=>'','Nametag icon'=>'','Move icon'=>'','Money icon'=>'','Minus icon'=>'','Migrate icon'=>'','Microphone icon'=>'','Menu icon'=>'','Megaphone icon'=>'','Media video icon'=>'','Media text icon'=>'','Media spreadsheet icon'=>'','Media interactive icon'=>'','Media document icon'=>'','Media default icon'=>'','Media code icon'=>'','Media audio icon'=>'','Media archive icon'=>'','Marker icon'=>'','Lock icon'=>'','Location-alt icon'=>'','Location icon'=>'','List-view icon'=>'','Lightbulb icon'=>'','Leftright icon'=>'','Layout icon'=>'','Laptop icon'=>'','Info icon'=>'','Index-card icon'=>'','Images-alt2 icon'=>'','Images-alt icon'=>'','Image rotate-right icon'=>'','Image rotate-left icon'=>'','Image rotate icon'=>'','Image flip-vertical icon'=>'','Image flip-horizontal icon'=>'','Image filter icon'=>'','Image crop icon'=>'','Id-alt icon'=>'','Id icon'=>'','Hidden icon'=>'','Heart icon'=>'','Hammer icon'=>'','Groups icon'=>'','Grid-view icon'=>'','Googleplus icon'=>'','Forms icon'=>'','Format video icon'=>'','Format status icon'=>'','Format quote icon'=>'','Format image icon'=>'','Format gallery icon'=>'','Format chat icon'=>'','Format audio icon'=>'','Format aside icon'=>'','Flag icon'=>'','Filter icon'=>'','Feedback icon'=>'','Facebook alt icon'=>'','Facebook icon'=>'','External icon'=>'','Exerpt-view icon'=>'','Email alt icon'=>'','Email icon'=>'','Video icon'=>'','Unlink icon'=>'','Underline icon'=>'','Ul icon'=>'','Textcolor icon'=>'','Table icon'=>'','Strikethrough icon'=>'','Spellcheck icon'=>'','Rtl icon'=>'','Removeformatting icon'=>'','Quote icon'=>'','Paste word icon'=>'','Paste text icon'=>'','Paragraph icon'=>'','Outdent icon'=>'','Ol icon'=>'','Kitchensink icon'=>'','Justify icon'=>'','Italic icon'=>'','Insertmore icon'=>'','Indent icon'=>'','Help icon'=>'','Expand icon'=>'','Customchar icon'=>'','Contract icon'=>'','Code icon'=>'','Break icon'=>'','Bold icon'=>'','alignright icon'=>'','alignleft icon'=>'','aligncenter icon'=>'','Edit icon'=>'','Download icon'=>'','Dismiss icon'=>'','Desktop icon'=>'','Dashboard icon'=>'','Controls volumeon icon'=>'','Controls volumeoff icon'=>'','Controls skipforward icon'=>'','Controls skipback icon'=>'','Controls repeat icon'=>'','Controls play icon'=>'','Controls pause icon'=>'','Controls forward icon'=>'','Controls back icon'=>'','Cloud icon'=>'','Clock icon'=>'','Clipboard icon'=>'','Chart pie icon'=>'','Chart line icon'=>'','Chart bar icon'=>'','Chart area icon'=>'','Category icon'=>'','Cart icon'=>'','Carrot icon'=>'','Camera icon'=>'','Calendar alt icon'=>'','Calendar icon'=>'','Businessman icon'=>'','Building icon'=>'','Book alt icon'=>'','Book icon'=>'','Backup icon'=>'','Awards icon'=>'','Art icon'=>'','Arrow up-alt2 icon'=>'','Arrow up-alt icon'=>'','Arrow up icon'=>'','Arrow right-alt2 icon'=>'','Arrow right-alt icon'=>'','Arrow right icon'=>'','Arrow left-alt2 icon'=>'','Arrow left-alt icon'=>'','Arrow left icon'=>'','Arrow down-alt2 icon'=>'','Arrow down-alt icon'=>'','Arrow down icon'=>'','Archive icon'=>'','Analytics icon'=>'','Align-right icon'=>'','Align-none icon'=>'','Align-left icon'=>'','Align-center icon'=>'','Album icon'=>'','Users icon'=>'','Tools icon'=>'','Site icon'=>'','Settings icon'=>'','Post icon'=>'','Plugins icon'=>'','Page icon'=>'','Network icon'=>'','Multisite icon'=>'','Media icon'=>'','Links icon'=>'','Home icon'=>'','Customizer icon'=>'','Comments icon'=>'','Collapse icon'=>'','Appearance icon'=>'','Generic icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Regístrate','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'Se requiere el valor %s','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'','Documentation'=>'','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena «field_» no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Colapsar detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta entrada','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_CO','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_CR.l10n.php b/lang/acf-es_CR.l10n.php
index e0e2971..2da02b0 100644
--- a/lang/acf-es_CR.l10n.php
+++ b/lang/acf-es_CR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_CR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-05-22T11:47:45+00:00','x-generator'=>'gettext','messages'=>['\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Actualizado por última vez: %s','Invalid field group parameter(s).'=>'Parámetros del grupo de campos inválido.','Awaiting save'=>'Esperando guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Ubicado en: %s','Located in plugin: %s'=>'Ubicado en plugin: %s','Located in theme: %s'=>'Ubicado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión: %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda le ayudarán más en profundidad con los retos técnicos.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones a las que puede enfrentarse.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consiga el máximo en su web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, use la pestaña de ayuda y soporte para avisarnos que necesita ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear su primer grupo de campos le recomendamos que primero lea nuestra guía de primeros pasos para familiarizarse con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Instructions for authors. Shown when submitting data'=>'Instrucciones para los autores. Se muestra a la hora de enviar los datos','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe sobrepasar %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['The core ACF block binding source name for fields on the current pageACF Fields'=>'','Learn how to fix this'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s. %3$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','The icon used for the post type menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'','Dashicon class name'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'','Enable Transparency'=>'','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'','post statusActive'=>'','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Actualizado por última vez: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Parámetros del grupo de campos inválido.','Awaiting save'=>'Esperando guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Ubicado en: %s','Located in plugin: %s'=>'Ubicado en plugin: %s','Located in theme: %s'=>'Ubicado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión: %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda le ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones a las que puede enfrentarse.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consiga el máximo en su web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, use la pestaña de ayuda y soporte para avisarnos que necesita ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear su primer grupo de campos le recomendamos que primero lea nuestra guía de primeros pasos para familiarizarse con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'','Instructions for authors. Shown when submitting data'=>'Instrucciones para los autores. Se muestra a la hora de enviar los datos','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe sobrepasar %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'' . "\0" . '','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_CR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_EC.l10n.php b/lang/acf-es_EC.l10n.php
index bf479a0..5ca867c 100644
--- a/lang/acf-es_EC.l10n.php
+++ b/lang/acf-es_EC.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_EC','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-06-27T14:24:00+00:00','x-generator'=>'gettext','messages'=>['%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color predeterminado','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s).','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación "%s" ya está registrado.','Class "%s" does not exist.'=>'La clase "%s" no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'ID','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores "personalizados" a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se iniciará hasta que se haga clic en el campo','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Sorry, you don\'t have permission to do that.'=>'','Invalid request args.'=>'','Sorry, you are not allowed to do that.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes icon'=>'','Wordpress-alt icon'=>'','Wordpress icon'=>'','Welcome write-blog icon'=>'','Welcome widgets-menus icon'=>'','Welcome view-site icon'=>'','Welcome learn-more icon'=>'','Welcome comments icon'=>'','Welcome add-page icon'=>'','Warning icon'=>'','Visibility icon'=>'','Video-alt3 icon'=>'','Video-alt2 icon'=>'','Video-alt icon'=>'','Vault icon'=>'','Upload icon'=>'','Update icon'=>'','Unlock icon'=>'','Universal access alternative icon'=>'','Universal access icon'=>'','Undo icon'=>'','Twitter icon'=>'','Trash icon'=>'','Translation icon'=>'','Tickets alternative icon'=>'','Tickets icon'=>'','Thumbs-up icon'=>'','Thumbs-down icon'=>'','Text icon'=>'','Testimonial icon'=>'','Tagcloud icon'=>'','Tag icon'=>'','Tablet icon'=>'','Store icon'=>'','Sticky icon'=>'','Star-half icon'=>'','Star-filled icon'=>'','Star-empty icon'=>'','Sos icon'=>'','Sort icon'=>'','Smiley icon'=>'','Smartphone icon'=>'','Slides icon'=>'','Shield-alt icon'=>'','Shield icon'=>'','Share-alt2 icon'=>'','Share-alt icon'=>'','Share icon'=>'','Search icon'=>'','Screenoptions icon'=>'','Schedule icon'=>'','Rss icon'=>'','Redo icon'=>'','Randomize icon'=>'','Products icon'=>'','Pressthis icon'=>'','Post-status icon'=>'','Portfolio icon'=>'','Plus-alt icon'=>'','Plus icon'=>'','Playlist-video icon'=>'','Playlist-audio icon'=>'','Phone icon'=>'','Performance icon'=>'','Paperclip icon'=>'','Palmtree icon'=>'','No alternative icon'=>'','No icon'=>'','Networking icon'=>'','Nametag icon'=>'','Move icon'=>'','Money icon'=>'','Minus icon'=>'','Migrate icon'=>'','Microphone icon'=>'','Menu icon'=>'','Megaphone icon'=>'','Media video icon'=>'','Media text icon'=>'','Media spreadsheet icon'=>'','Media interactive icon'=>'','Media document icon'=>'','Media default icon'=>'','Media code icon'=>'','Media audio icon'=>'','Media archive icon'=>'','Marker icon'=>'','Lock icon'=>'','Location-alt icon'=>'','Location icon'=>'','List-view icon'=>'','Lightbulb icon'=>'','Leftright icon'=>'','Layout icon'=>'','Laptop icon'=>'','Info icon'=>'','Index-card icon'=>'','Images-alt2 icon'=>'','Images-alt icon'=>'','Image rotate-right icon'=>'','Image rotate-left icon'=>'','Image rotate icon'=>'','Image flip-vertical icon'=>'','Image flip-horizontal icon'=>'','Image filter icon'=>'','Image crop icon'=>'','Id-alt icon'=>'','Id icon'=>'','Hidden icon'=>'','Heart icon'=>'','Hammer icon'=>'','Groups icon'=>'','Grid-view icon'=>'','Googleplus icon'=>'','Forms icon'=>'','Format video icon'=>'','Format status icon'=>'','Format quote icon'=>'','Format image icon'=>'','Format gallery icon'=>'','Format chat icon'=>'','Format audio icon'=>'','Format aside icon'=>'','Flag icon'=>'','Filter icon'=>'','Feedback icon'=>'','Facebook alt icon'=>'','Facebook icon'=>'','External icon'=>'','Exerpt-view icon'=>'','Email alt icon'=>'','Email icon'=>'','Video icon'=>'','Unlink icon'=>'','Underline icon'=>'','Ul icon'=>'','Textcolor icon'=>'','Table icon'=>'','Strikethrough icon'=>'','Spellcheck icon'=>'','Rtl icon'=>'','Removeformatting icon'=>'','Quote icon'=>'','Paste word icon'=>'','Paste text icon'=>'','Paragraph icon'=>'','Outdent icon'=>'','Ol icon'=>'','Kitchensink icon'=>'','Justify icon'=>'','Italic icon'=>'','Insertmore icon'=>'','Indent icon'=>'','Help icon'=>'','Expand icon'=>'','Customchar icon'=>'','Contract icon'=>'','Code icon'=>'','Break icon'=>'','Bold icon'=>'','alignright icon'=>'','alignleft icon'=>'','aligncenter icon'=>'','Edit icon'=>'','Download icon'=>'','Dismiss icon'=>'','Desktop icon'=>'','Dashboard icon'=>'','Controls volumeon icon'=>'','Controls volumeoff icon'=>'','Controls skipforward icon'=>'','Controls skipback icon'=>'','Controls repeat icon'=>'','Controls play icon'=>'','Controls pause icon'=>'','Controls forward icon'=>'','Controls back icon'=>'','Cloud icon'=>'','Clock icon'=>'','Clipboard icon'=>'','Chart pie icon'=>'','Chart line icon'=>'','Chart bar icon'=>'','Chart area icon'=>'','Category icon'=>'','Cart icon'=>'','Carrot icon'=>'','Camera icon'=>'','Calendar alt icon'=>'','Calendar icon'=>'','Businessman icon'=>'','Building icon'=>'','Book alt icon'=>'','Book icon'=>'','Backup icon'=>'','Awards icon'=>'','Art icon'=>'','Arrow up-alt2 icon'=>'','Arrow up-alt icon'=>'','Arrow up icon'=>'','Arrow right-alt2 icon'=>'','Arrow right-alt icon'=>'','Arrow right icon'=>'','Arrow left-alt2 icon'=>'','Arrow left-alt icon'=>'','Arrow left icon'=>'','Arrow down-alt2 icon'=>'','Arrow down-alt icon'=>'','Arrow down icon'=>'','Archive icon'=>'','Analytics icon'=>'','Align-right icon'=>'','Align-none icon'=>'','Align-left icon'=>'','Align-center icon'=>'','Album icon'=>'','Users icon'=>'','Tools icon'=>'','Site icon'=>'','Settings icon'=>'','Post icon'=>'','Plugins icon'=>'','Page icon'=>'','Network icon'=>'','Multisite icon'=>'','Media icon'=>'','Links icon'=>'','Home icon'=>'','Customizer icon'=>'','Comments icon'=>'','Collapse icon'=>'','Appearance icon'=>'','Generic icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color predeterminado','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s).','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación "%s" ya está registrado.','Class "%s" does not exist.'=>'La clase "%s" no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'ID','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'','Documentation'=>'','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores "personalizados" a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se iniciará hasta que se haga clic en el campo','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_EC','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_ES.l10n.php b/lang/acf-es_ES.l10n.php
index e5dd3b3..edc4c84 100644
--- a/lang/acf-es_ES.l10n.php
+++ b/lang/acf-es_ES.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_ES','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Actualizar la fuente','By default only admin users can edit this setting.'=>'Por defecto, solo los usuarios administradores pueden editar este ajuste.','By default only super admin users can edit this setting.'=>'Por defecto, solo los usuarios súper administradores pueden editar este ajuste.','Close and Add Field'=>'Cerrar y añadir campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Un nombre de función PHP que se llamará para gestionar el contenido de una meta box en tu taxonomía. Por seguridad, esta llamada de retorno se ejecutará en un contexto especial sin acceso a ninguna superglobal como $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Un nombre de función PHP que se llamará cuando se configuren las cajas meta dela pantalla de edición. Por seguridad, esta llamada de retorno se ejecutará en un contexto especial sin acceso a ninguna superglobal como $_POST o $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF no pudo realizar la validación debido a que se proporcionó un nonce de seguridad no válido.','Allow Access to Value in Editor UI'=>'Permitir el acceso al valor en la interfaz del editor','Learn more.'=>'Saber más.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permite que los editores de contenido accedan y muestren el valor del campo en la interfaz de usuario del editor utilizando enlaces de bloque o el shortcode de ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en bloques enlazados o en el shortcode de ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'El campo ACF solicitado no puede aparecer en los enlaces o en el shortcode de ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en enlaces o en el shortcode de ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[El shortcode de ACF no puede mostrar campos de entradas no públicas]','[The ACF shortcode is disabled on this site]'=>'[El shortcode de ACF está desactivado en este sitio]','Businessman Icon'=>'Icono de hombre de negocios','Forums Icon'=>'Icono de foros','YouTube Icon'=>'Icono de YouTube','Yes (alt) Icon'=>'Icono de sí (alt)','Xing Icon'=>'Icono de Xing','WordPress (alt) Icon'=>'Icono de WordPress (alt)','WhatsApp Icon'=>'Icono de Whatsapp','Write Blog Icon'=>'Icono de escribir blog','Widgets Menus Icon'=>'Icono de widgets de menús','View Site Icon'=>'Icono de ver el sitio','Learn More Icon'=>'Icono de aprender más','Add Page Icon'=>'Icono de añadir página','Video (alt3) Icon'=>'Icono de vídeo (alt3)','Video (alt2) Icon'=>'Icono de vídeo (alt2)','Video (alt) Icon'=>'Icono de vídeo (alt)','Update (alt) Icon'=>'Icono de actualizar (alt)','Universal Access (alt) Icon'=>'Icono de acceso universal (alt)','Twitter (alt) Icon'=>'Icono de Twitter (alt)','Twitch Icon'=>'Icono de Twitch','Tide Icon'=>'Icono de marea','Tickets (alt) Icon'=>'Icono de entradas (alt)','Text Page Icon'=>'Icono de página de texto','Table Row Delete Icon'=>'Icono de borrar fila de tabla','Table Row Before Icon'=>'Icono de fila antes de tabla','Table Row After Icon'=>'Icono de fila tras la tabla','Table Col Delete Icon'=>'Icono de borrar columna de tabla','Table Col Before Icon'=>'Icono de columna antes de la tabla','Table Col After Icon'=>'Icono de columna tras la tabla','Superhero (alt) Icon'=>'Icono de superhéroe (alt)','Superhero Icon'=>'Icono de superhéroe','Spotify Icon'=>'Icono de Spotify','Shortcode Icon'=>'Icono del shortcode','Shield (alt) Icon'=>'Icono de escudo (alt)','Share (alt2) Icon'=>'Icono de compartir (alt2)','Share (alt) Icon'=>'Icono de compartir (alt)','Saved Icon'=>'Icono de guardado','RSS Icon'=>'Icono de RSS','REST API Icon'=>'Icono de la API REST','Remove Icon'=>'Icono de quitar','Reddit Icon'=>'Icono de Reddit','Privacy Icon'=>'Icono de privacidad','Printer Icon'=>'Icono de la impresora','Podio Icon'=>'Icono del podio','Plus (alt2) Icon'=>'Icono de más (alt2)','Plus (alt) Icon'=>'Icono de más (alt)','Plugins Checked Icon'=>'Icono de plugins comprobados','Pinterest Icon'=>'Icono de Pinterest','Pets Icon'=>'Icono de mascotas','PDF Icon'=>'Icono de PDF','Palm Tree Icon'=>'Icono de la palmera','Open Folder Icon'=>'Icono de carpeta abierta','No (alt) Icon'=>'Icono del no (alt)','Money (alt) Icon'=>'Icono de dinero (alt)','Menu (alt3) Icon'=>'Icono de menú (alt3)','Menu (alt2) Icon'=>'Icono de menú (alt2)','Menu (alt) Icon'=>'Icono de menú (alt)','Spreadsheet Icon'=>'Icono de hoja de cálculo','Interactive Icon'=>'Icono interactivo','Document Icon'=>'Icono de documento','Default Icon'=>'Icono por defecto','Location (alt) Icon'=>'Icono de ubicación (alt)','LinkedIn Icon'=>'Icono de LinkedIn','Instagram Icon'=>'Icono de Instagram','Insert Before Icon'=>'Icono de insertar antes','Insert After Icon'=>'Icono de insertar después','Insert Icon'=>'Icono de insertar','Info Outline Icon'=>'Icono de esquema de información','Images (alt2) Icon'=>'Icono de imágenes (alt2)','Images (alt) Icon'=>'Icono de imágenes (alt)','Rotate Right Icon'=>'Icono de girar a la derecha','Rotate Left Icon'=>'Icono de girar a la izquierda','Rotate Icon'=>'Icono de girar','Flip Vertical Icon'=>'Icono de voltear verticalmente','Flip Horizontal Icon'=>'Icono de voltear horizontalmente','Crop Icon'=>'Icono de recortar','ID (alt) Icon'=>'Icono de ID (alt)','HTML Icon'=>'Icono de HTML','Hourglass Icon'=>'Icono de reloj de arena','Heading Icon'=>'Icono de encabezado','Google Icon'=>'Icono de Google','Games Icon'=>'Icono de juegos','Fullscreen Exit (alt) Icon'=>'Icono de salir a pantalla completa (alt)','Fullscreen (alt) Icon'=>'Icono de pantalla completa (alt)','Status Icon'=>'Icono de estado','Image Icon'=>'Icono de imagen','Gallery Icon'=>'Icono de galería','Chat Icon'=>'Icono del chat','Audio Icon'=>'Icono de audio','Aside Icon'=>'Icono de minientrada','Food Icon'=>'Icono de comida','Exit Icon'=>'Icono de salida','Excerpt View Icon'=>'Icono de ver extracto','Embed Video Icon'=>'Icono de incrustar vídeo','Embed Post Icon'=>'Icono de incrustar entrada','Embed Photo Icon'=>'Icono de incrustar foto','Embed Generic Icon'=>'Icono de incrustar genérico','Embed Audio Icon'=>'Icono de incrustar audio','Email (alt2) Icon'=>'Icono de correo electrónico (alt2)','Ellipsis Icon'=>'Icono de puntos suspensivos','Unordered List Icon'=>'Icono de lista desordenada','RTL Icon'=>'Icono RTL','Ordered List RTL Icon'=>'Icono de lista ordenada RTL','Ordered List Icon'=>'Icono de lista ordenada','LTR Icon'=>'Icono LTR','Custom Character Icon'=>'Icono de personaje personalizado','Edit Page Icon'=>'Icono de editar página','Edit Large Icon'=>'Icono de edición grande','Drumstick Icon'=>'Icono de la baqueta','Database View Icon'=>'Icono de vista de la base de datos','Database Remove Icon'=>'Icono de eliminar base de datos','Database Import Icon'=>'Icono de importar base de datos','Database Export Icon'=>'Icono de exportar de base de datos','Database Add Icon'=>'Icono de añadir base de datos','Database Icon'=>'Icono de base de datos','Cover Image Icon'=>'Icono de imagen de portada','Volume On Icon'=>'Icono de volumen activado','Volume Off Icon'=>'Icono de volumen apagado','Skip Forward Icon'=>'Icono de saltar adelante','Skip Back Icon'=>'Icono de saltar atrás','Repeat Icon'=>'Icono de repetición','Play Icon'=>'Icono de reproducción','Pause Icon'=>'Icono de pausa','Forward Icon'=>'Icono de adelante','Back Icon'=>'Icono de atrás','Columns Icon'=>'Icono de columnas','Color Picker Icon'=>'Icono del selector de color','Coffee Icon'=>'Icono del café','Code Standards Icon'=>'Icono de normas del código','Cloud Upload Icon'=>'Icono de subir a la nube','Cloud Saved Icon'=>'Icono de nube guardada','Car Icon'=>'Icono del coche','Camera (alt) Icon'=>'Icono de cámara (alt)','Calculator Icon'=>'Icono de calculadora','Button Icon'=>'Icono de botón','Businessperson Icon'=>'Icono de empresario','Tracking Icon'=>'Icono de seguimiento','Topics Icon'=>'Icono de debate','Replies Icon'=>'Icono de respuestas','PM Icon'=>'Icono de PM','Friends Icon'=>'Icono de amistad','Community Icon'=>'Icono de la comunidad','BuddyPress Icon'=>'Icono de BuddyPress','bbPress Icon'=>'Icono de bbPress','Activity Icon'=>'Icono de actividad','Book (alt) Icon'=>'Icono del libro (alt)','Block Default Icon'=>'Icono de bloque por defecto','Bell Icon'=>'Icono de la campana','Beer Icon'=>'Icono de la cerveza','Bank Icon'=>'Icono del banco','Arrow Up (alt2) Icon'=>'Icono de flecha arriba (alt2)','Arrow Up (alt) Icon'=>'Icono de flecha arriba (alt)','Arrow Right (alt2) Icon'=>'Icono de flecha derecha (alt2)','Arrow Right (alt) Icon'=>'Icono de flecha derecha (alt)','Arrow Left (alt2) Icon'=>'Icono de flecha izquierda (alt2)','Arrow Left (alt) Icon'=>'Icono de flecha izquierda (alt)','Arrow Down (alt2) Icon'=>'Icono de flecha abajo (alt2)','Arrow Down (alt) Icon'=>'Icono de flecha abajo (alt)','Amazon Icon'=>'Icono de Amazon','Align Wide Icon'=>'Icono de alinear ancho','Align Pull Right Icon'=>'Icono de alinear tirar a la derecha','Align Pull Left Icon'=>'Icono de alinear tirar a la izquierda','Align Full Width Icon'=>'Icono de alinear al ancho completo','Airplane Icon'=>'Icono del avión','Site (alt3) Icon'=>'Icono de sitio (alt3)','Site (alt2) Icon'=>'Icono de sitio (alt2)','Site (alt) Icon'=>'Icono de sitio (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Mejora a ACF PRO para crear páginas de opciones en unos pocos clics','Invalid request args.'=>'Argumentos de solicitud no válidos.','Sorry, you do not have permission to do that.'=>'Lo siento, no tienes permisos para hacer eso.','Blocks Using Post Meta'=>'Bloques con Post Meta','ACF PRO logo'=>'Logotipo de ACF PRO','ACF PRO Logo'=>'Logotipo de ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s requiere un ID de archivo adjunto válido cuando el tipo se establece en media_library.','%s is a required property of acf.'=>'%s es una propiedad obligatoria de acf.','The value of icon to save.'=>'El valor del icono a guardar.','The type of icon to save.'=>'El tipo de icono a guardar.','Yes Icon'=>'Icono de sí','WordPress Icon'=>'Icono de WordPress','Warning Icon'=>'Icono de advertencia','Visibility Icon'=>'Icono de visibilidad','Vault Icon'=>'Icono de la bóveda','Upload Icon'=>'Icono de subida','Update Icon'=>'Icono de actualización','Unlock Icon'=>'Icono de desbloqueo','Universal Access Icon'=>'Icono de acceso universal','Undo Icon'=>'Icono de deshacer','Twitter Icon'=>'Icono de Twitter','Trash Icon'=>'Icono de papelera','Translation Icon'=>'Icono de traducción','Tickets Icon'=>'Icono de tiques','Thumbs Up Icon'=>'Icono de pulgar hacia arriba','Thumbs Down Icon'=>'Icono de pulgar hacia abajo','Text Icon'=>'Icono de texto','Testimonial Icon'=>'Icono de testimonio','Tagcloud Icon'=>'Icono de nube de etiquetas','Tag Icon'=>'Icono de etiqueta','Tablet Icon'=>'Icono de la tableta','Store Icon'=>'Icono de la tienda','Sticky Icon'=>'Icono fijo','Star Half Icon'=>'Icono media estrella','Star Filled Icon'=>'Icono de estrella rellena','Star Empty Icon'=>'Icono de estrella vacía','Sos Icon'=>'Icono Sos','Sort Icon'=>'Icono de ordenación','Smiley Icon'=>'Icono sonriente','Smartphone Icon'=>'Icono de smartphone','Slides Icon'=>'Icono de diapositivas','Shield Icon'=>'Icono de escudo','Share Icon'=>'Icono de compartir','Search Icon'=>'Icono de búsqueda','Screen Options Icon'=>'Icono de opciones de pantalla','Schedule Icon'=>'Icono de horario','Redo Icon'=>'Icono de rehacer','Randomize Icon'=>'Icono de aleatorio','Products Icon'=>'Icono de productos','Pressthis Icon'=>'Icono de presiona esto','Post Status Icon'=>'Icono de estado de la entrada','Portfolio Icon'=>'Icono de porfolio','Plus Icon'=>'Icono de más','Playlist Video Icon'=>'Icono de lista de reproducción de vídeo','Playlist Audio Icon'=>'Icono de lista de reproducción de audio','Phone Icon'=>'Icono de teléfono','Performance Icon'=>'Icono de rendimiento','Paperclip Icon'=>'Icono del clip','No Icon'=>'Sin icono','Networking Icon'=>'Icono de red de contactos','Nametag Icon'=>'Icono de etiqueta de nombre','Move Icon'=>'Icono de mover','Money Icon'=>'Icono de dinero','Minus Icon'=>'Icono de menos','Migrate Icon'=>'Icono de migrar','Microphone Icon'=>'Icono de micrófono','Megaphone Icon'=>'Icono del megáfono','Marker Icon'=>'Icono del marcador','Lock Icon'=>'Icono de candado','Location Icon'=>'Icono de ubicación','List View Icon'=>'Icono de vista de lista','Lightbulb Icon'=>'Icono de bombilla','Left Right Icon'=>'Icono izquierda derecha','Layout Icon'=>'Icono de disposición','Laptop Icon'=>'Icono del portátil','Info Icon'=>'Icono de información','Index Card Icon'=>'Icono de tarjeta índice','ID Icon'=>'Icono de ID','Hidden Icon'=>'Icono de oculto','Heart Icon'=>'Icono del corazón','Hammer Icon'=>'Icono del martillo','Groups Icon'=>'Icono de grupos','Grid View Icon'=>'Icono de vista en cuadrícula','Forms Icon'=>'Icono de formularios','Flag Icon'=>'Icono de bandera','Filter Icon'=>'Icono del filtro','Feedback Icon'=>'Icono de respuestas','Facebook (alt) Icon'=>'Icono de Facebook alt','Facebook Icon'=>'Icono de Facebook','External Icon'=>'Icono externo','Email (alt) Icon'=>'Icono del correo electrónico alt','Email Icon'=>'Icono del correo electrónico','Video Icon'=>'Icono de vídeo','Unlink Icon'=>'Icono de desenlazar','Underline Icon'=>'Icono de subrayado','Text Color Icon'=>'Icono de color de texto','Table Icon'=>'Icono de tabla','Strikethrough Icon'=>'Icono de tachado','Spellcheck Icon'=>'Icono del corrector ortográfico','Remove Formatting Icon'=>'Icono de quitar el formato','Quote Icon'=>'Icono de cita','Paste Word Icon'=>'Icono de pegar palabra','Paste Text Icon'=>'Icono de pegar texto','Paragraph Icon'=>'Icono de párrafo','Outdent Icon'=>'Icono saliente','Kitchen Sink Icon'=>'Icono del fregadero','Justify Icon'=>'Icono de justificar','Italic Icon'=>'Icono cursiva','Insert More Icon'=>'Icono de insertar más','Indent Icon'=>'Icono de sangría','Help Icon'=>'Icono de ayuda','Expand Icon'=>'Icono de expandir','Contract Icon'=>'Icono de contrato','Code Icon'=>'Icono de código','Break Icon'=>'Icono de rotura','Bold Icon'=>'Icono de negrita','Edit Icon'=>'Icono de editar','Download Icon'=>'Icono de descargar','Dismiss Icon'=>'Icono de descartar','Desktop Icon'=>'Icono del escritorio','Dashboard Icon'=>'Icono del escritorio','Cloud Icon'=>'Icono de nube','Clock Icon'=>'Icono de reloj','Clipboard Icon'=>'Icono del portapapeles','Chart Pie Icon'=>'Icono de gráfico de tarta','Chart Line Icon'=>'Icono de gráfico de líneas','Chart Bar Icon'=>'Icono de gráfico de barras','Chart Area Icon'=>'Icono de gráfico de área','Category Icon'=>'Icono de categoría','Cart Icon'=>'Icono del carrito','Carrot Icon'=>'Icono de zanahoria','Camera Icon'=>'Icono de cámara','Calendar (alt) Icon'=>'Icono de calendario alt','Calendar Icon'=>'Icono de calendario','Businesswoman Icon'=>'Icono de hombre de negocios','Building Icon'=>'Icono de edificio','Book Icon'=>'Icono del libro','Backup Icon'=>'Icono de copia de seguridad','Awards Icon'=>'Icono de premios','Art Icon'=>'Icono de arte','Arrow Up Icon'=>'Icono flecha arriba','Arrow Right Icon'=>'Icono flecha derecha','Arrow Left Icon'=>'Icono flecha izquierda','Arrow Down Icon'=>'Icono de flecha hacia abajo','Archive Icon'=>'Icono de archivo','Analytics Icon'=>'Icono de análisis','Align Right Icon'=>'Icono alinear a la derecha','Align None Icon'=>'Icono no alinear','Align Left Icon'=>'Icono alinear a la izquierda','Align Center Icon'=>'Icono alinear al centro','Album Icon'=>'Icono de álbum','Users Icon'=>'Icono de usuarios','Tools Icon'=>'Icono de herramientas','Site Icon'=>'Icono del sitio','Settings Icon'=>'Icono de ajustes','Post Icon'=>'Icono de la entrada','Plugins Icon'=>'Icono de plugins','Page Icon'=>'Icono de página','Network Icon'=>'Icono de red','Multisite Icon'=>'Icono multisitio','Media Icon'=>'Icono de medios','Links Icon'=>'Icono de enlaces','Home Icon'=>'Icono de inicio','Customizer Icon'=>'Icono del personalizador','Comments Icon'=>'Icono de comentarios','Collapse Icon'=>'Icono de plegado','Appearance Icon'=>'Icono de apariencia','Generic Icon'=>'Icono genérico','Icon picker requires a value.'=>'El selector de iconos requiere un valor.','Icon picker requires an icon type.'=>'El selector de iconos requiere un tipo de icono.','The available icons matching your search query have been updated in the icon picker below.'=>'Los iconos disponibles que coinciden con tu consulta se han actualizado en el selector de iconos de abajo.','No results found for that search term'=>'No se han encontrado resultados para ese término de búsqueda','Array'=>'Array','String'=>'Cadena','Specify the return format for the icon. %s'=>'Especifica el formato de retorno del icono. %s','Select where content editors can choose the icon from.'=>'Selecciona de dónde pueden elegir el icono los editores de contenidos.','The URL to the icon you\'d like to use, or svg as Data URI'=>'La URL del icono que quieres utilizar, o svg como URI de datos','Browse Media Library'=>'Explorar la biblioteca de medios','The currently selected image preview'=>'La vista previa de la imagen seleccionada actualmente','Click to change the icon in the Media Library'=>'Haz clic para cambiar el icono de la biblioteca de medios','Search icons...'=>'Buscar iconos…','Media Library'=>'Biblioteca de medios','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Una interfaz de usuario interactiva para seleccionar un icono. Selecciona entre dashicons, la biblioteca de medios o una entrada URL independiente.','Icon Picker'=>'Selector de iconos','JSON Load Paths'=>'Rutas de carga JSON','JSON Save Paths'=>'Rutas de guardado JSON','Registered ACF Forms'=>'Formularios ACF registrados','Shortcode Enabled'=>'Shortcode activado','Field Settings Tabs Enabled'=>'Pestañas de ajustes de campo activadas','Field Type Modal Enabled'=>'Tipo de campo emergente activado','Admin UI Enabled'=>'Interfaz de administrador activada','Block Preloading Enabled'=>'Precarga de bloques activada','Blocks Per ACF Block Version'=>'Bloques por versión de bloque ACF','Blocks Per API Version'=>'Bloques por versión de API','Registered ACF Blocks'=>'Bloques ACF registrados','Light'=>'Claro','Standard'=>'Estándar','REST API Format'=>'Formato de la API REST','Registered Options Pages (PHP)'=>'Páginas de opciones registradas (PHP)','Registered Options Pages (JSON)'=>'Páginas de opciones registradas (JSON)','Registered Options Pages (UI)'=>'Páginas de opciones registradas (IU)','Options Pages UI Enabled'=>'Interfaz de usuario de las páginas de opciones activada','Registered Taxonomies (JSON)'=>'Taxonomías registradas (JSON)','Registered Taxonomies (UI)'=>'Taxonomías registradas (IU)','Registered Post Types (JSON)'=>'Tipos de contenido registrados (JSON)','Registered Post Types (UI)'=>'Tipos de contenido registrados (UI)','Post Types and Taxonomies Enabled'=>'Tipos de contenido y taxonomías activados','Number of Third Party Fields by Field Type'=>'Número de campos de terceros por tipo de campo','Number of Fields by Field Type'=>'Número de campos por tipo de campo','Field Groups Enabled for GraphQL'=>'Grupos de campos activados para GraphQL','Field Groups Enabled for REST API'=>'Grupos de campos activados para la API REST','Registered Field Groups (JSON)'=>'Grupos de campos registrados (JSON)','Registered Field Groups (PHP)'=>'Grupos de campos registrados (PHP)','Registered Field Groups (UI)'=>'Grupos de campos registrados (UI)','Active Plugins'=>'Plugins activos','Parent Theme'=>'Tema padre','Active Theme'=>'Tema activo','Is Multisite'=>'Es multisitio','MySQL Version'=>'Versión de MySQL','WordPress Version'=>'Versión de WordPress','Subscription Expiry Date'=>'Fecha de caducidad de la suscripción','License Status'=>'Estado de la licencia','License Type'=>'Tipo de licencia','Licensed URL'=>'URL con licencia','License Activated'=>'Licencia activada','Free'=>'Gratis','Plugin Type'=>'Tipo de plugin','Plugin Version'=>'Versión del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Esta sección contiene información de depuración sobre la configuración de tu ACF que puede ser útil proporcionar al servicio de asistencia.','An ACF Block on this page requires attention before you can save.'=>'Un bloque de ACF en esta página requiere atención antes de que puedas guardar.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Estos datos se registran a medida que detectamos valores que se han modificado durante la salida. %1$sVaciar registro y descartar%2$s después de escapar los valores en tu código. El aviso volverá a aparecer si volvemos a detectar valores cambiados.','Dismiss permanently'=>'Descartar permanentemente','Instructions for content editors. Shown when submitting data.'=>'Instrucciones para los editores de contenidos. Se muestra al enviar los datos.','Has no term selected'=>'No tiene ningún término seleccionado','Has any term selected'=>'¿Ha seleccionado algún término?','Terms do not contain'=>'Los términos no contienen','Terms contain'=>'Los términos contienen','Term is not equal to'=>'El término no es igual a','Term is equal to'=>'El término es igual a','Has no user selected'=>'No tiene usuario seleccionado','Has any user selected'=>'¿Ha seleccionado algún usuario','Users do not contain'=>'Los usuarios no contienen','Users contain'=>'Los usuarios contienen','User is not equal to'=>'Usuario no es igual a','User is equal to'=>'Usuario es igual a','Has no page selected'=>'No tiene página seleccionada','Has any page selected'=>'¿Has seleccionado alguna página?','Pages do not contain'=>'Las páginas no contienen','Pages contain'=>'Las páginas contienen','Page is not equal to'=>'Página no es igual a','Page is equal to'=>'Página es igual a','Has no relationship selected'=>'No tiene ninguna relación seleccionada','Has any relationship selected'=>'¿Ha seleccionado alguna relación?','Has no post selected'=>'No tiene ninguna entrada seleccionada','Has any post selected'=>'¿Has seleccionado alguna entrada?','Posts do not contain'=>'Las entradas no contienen','Posts contain'=>'Las entradas contienen','Post is not equal to'=>'Entrada no es igual a','Post is equal to'=>'Entrada es igual a','Relationships do not contain'=>'Las relaciones no contienen','Relationships contain'=>'Las relaciones contienen','Relationship is not equal to'=>'La relación no es igual a','Relationship is equal to'=>'La relación es igual a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos de ACF','ACF PRO Feature'=>'Característica de ACF PRO','Renew PRO to Unlock'=>'Renueva PRO para desbloquear','Renew PRO License'=>'Renovar licencia PRO','PRO fields cannot be edited without an active license.'=>'Los campos PRO no se pueden editar sin una licencia activa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activa tu licencia de ACF PRO para editar los grupos de campos asignados a un Bloque ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activa tu licencia de ACF PRO para editar esta página de opciones.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Devolver valores HTML escapados sólo es posible cuando format_value también es rue. Los valores de los campos no se devuelven por seguridad.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Devolver un valor HTML escapado sólo es posible cuando format_value también es true. El valor del campo no se devuelve por seguridad.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'ACF %1$s ahora escapa automáticamente el HTML no seguro cuando es mostrado por the_field o el shortcode de ACF. Hemos detectado que la salida de algunos de tus campos se verá modificada por este cambio. %2$s.','Please contact your site administrator or developer for more details.'=>'Para más detalles, ponte en contacto con el administrador o desarrollador de tu web.','Learn more'=>'Más información','Hide details'=>'Ocultar detalles','Show details'=>'Mostrar detalles','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew ACF PRO License'=>'Renovar licencia ACF PRO','Renew License'=>'Renovar licencia','Manage License'=>'Gestionar la licencia','\'High\' position not supported in the Block Editor'=>'No se admite la posición «Alta» en el editor de bloques','Upgrade to ACF PRO'=>'Actualizar a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Las páginas de opciones de ACF son páginas de administrador personalizadas para gestionar ajustes globales a través de campos. Puedes crear múltiples páginas y subpáginas.','Add Options Page'=>'Añadir página de opciones','In the editor used as the placeholder of the title.'=>'En el editor utilizado como marcador de posición del título.','Title Placeholder'=>'Marcador de posición del título','4 Months Free'=>'4 meses gratis','(Duplicated from %s)'=>'(Duplicado de %s)','Select Options Pages'=>'Seleccionar páginas de opciones','Duplicate taxonomy'=>'Duplicar texonomía','Create taxonomy'=>'Crear taxonomía','Duplicate post type'=>'Duplicar tipo de contenido','Create post type'=>'Crear tipo de contenido','Link field groups'=>'Enlazar grupos de campos','Add fields'=>'Añadir campos','This Field'=>'Este campo','ACF PRO'=>'ACF PRO','Feedback'=>'Comentarios','Support'=>'Soporte','is developed and maintained by'=>'es desarrollado y mantenido por','Add this %s to the location rules of the selected field groups.'=>'Añadir %s actual a las reglas de localización de los grupos de campos seleccionados.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Activar el ajuste bidireccional te permite actualizar un valor en los campos de destino por cada valor seleccionado para este campo, añadiendo o eliminando el ID de entrada, el ID de taxonomía o el ID de usuario del elemento que se está actualizando. Para más información, lee la documentación.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona el/los campo/s para almacenar la referencia al artículo que se está actualizando. Puedes seleccionar este campo. Los campos de destino deben ser compatibles con el lugar donde se está mostrando este campo. Por ejemplo, si este campo se muestra en una taxonomía, tu campo de destino debe ser del tipo taxonomía','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Actualiza un campo en los valores seleccionados, haciendo referencia a este ID','Bidirectional'=>'Bidireccional','%s Field'=>'Campo %s','Select Multiple'=>'Seleccionar varios','WP Engine logo'=>'Logotipo de WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo minúsculas, subrayados y guiones. Máximo 32 caracteres.','The capability name for assigning terms of this taxonomy.'=>'El nombre de la capacidad para asignar términos de esta taxonomía.','Assign Terms Capability'=>'Capacidad de asignar términos','The capability name for deleting terms of this taxonomy.'=>'El nombre de la capacidad para borrar términos de esta taxonomía.','Delete Terms Capability'=>'Capacidad de eliminar términos','The capability name for editing terms of this taxonomy.'=>'El nombre de la capacidad para editar términos de esta taxonomía.','Edit Terms Capability'=>'Capacidad de editar términos','The capability name for managing terms of this taxonomy.'=>'El nombre de la capacidad para gestionar términos de esta taxonomía.','Manage Terms Capability'=>'Gestionar las capacidades para términos','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Establece si las entradas deben excluirse de los resultados de búsqueda y de las páginas de archivo de taxonomía.','More Tools from WP Engine'=>'Más herramientas de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Construido para los que construyen con WordPress, por el equipo de %s','View Pricing & Upgrade'=>'Ver precios y actualizar','Learn More'=>'Aprender más','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelera tu flujo de trabajo y desarrolla mejores sitios web con funciones como Bloques ACF y Páginas de opciones, y sofisticados tipos de campo como Repetidor, Contenido Flexible, Clonar y Galería.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloquea funciones avanzadas y construye aún más con ACF PRO','%s fields'=>'%s campos','No terms'=>'Sin términos','No post types'=>'Sin tipos de contenido','No posts'=>'Sin entradas','No taxonomies'=>'Sin taxonomías','No field groups'=>'Sin grupos de campos','No fields'=>'Sin campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía registrada fuera de ACF y no puede utilizarse.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía en ACF y no puede utilizarse.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de taxonomía sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The taxonomy key must be under 32 characters.'=>'La clave taxonómica debe tener menos de 32 caracteres.','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Añadir nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar tipos de contenido','View Post Type'=>'Ver tipo de contenido','New Post Type'=>'Nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Añadir nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido registrado fuera de ACF y no puede utilizarse.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido en ACF y no puede utilizarse.','This field must not be a WordPress reserved term.'=>'Este campo no debe ser un término reservado de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe tener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en los ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Muestra el editor WYSIWYG de WordPress tal y como se ve en las Entradas y Páginas, permitiendo una experiencia de edición de texto enriquecida que también permite contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite seleccionar uno o varios usuarios que pueden utilizarse para crear relaciones entre objetos de datos.','A text input specifically designed for storing web addresses.'=>'Una entrada de texto diseñada específicamente para almacenar direcciones web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un conmutador que te permite elegir un valor de 1 ó 0 (encendido o apagado, verdadero o falso, etc.). Puede presentarse como un interruptor estilizado o una casilla de verificación.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una hora. El formato de la hora se puede personalizar mediante los ajustes del campo.','A basic textarea input for storing paragraphs of text.'=>'Una entrada de área de texto básica para almacenar párrafos de texto.','A basic text input, useful for storing single string values.'=>'Una entrada de texto básica, útil para almacenar valores de una sola cadena.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite seleccionar uno o varios términos de taxonomía en función de los criterios y opciones especificados en los ajustes de los campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Te permite agrupar campos en secciones con pestañas en la pantalla de edición. Útil para mantener los campos organizados y estructurados.','A dropdown list with a selection of choices that you specify.'=>'Una lista desplegable con una selección de opciones que tú especifiques.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfaz de doble columna para seleccionar una o más entradas, páginas o elementos de tipo contenido personalizado para crear una relación con el elemento que estás editando en ese momento. Incluye opciones para buscar y filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo para seleccionar un valor numérico dentro de un rango especificado mediante un elemento deslizante de rango.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grupo de entradas de botón de opción que permite al usuario hacer una única selección entre los valores que especifiques.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfaz de usuario interactiva y personalizable para seleccionar una o varias entradas, páginas o elementos de tipo contenido con la opción de buscar. ','An input for providing a password using a masked field.'=>'Una entrada para proporcionar una contraseña utilizando un campo enmascarado.','Filter by Post Status'=>'Filtrar por estado de publicación','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, elementos de tipo contenido personalizad o URL de archivo, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar vídeos, imágenes, tweets, audio y otros contenidos haciendo uso de la funcionalidad oEmbed nativa de WordPress.','An input limited to numerical values.'=>'Una entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Se utiliza para mostrar un mensaje a los editores junto a otros campos. Es útil para proporcionar contexto adicional o instrucciones sobre tus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Te permite especificar un enlace y sus propiedades, como el título y el destino, utilizando el selector de enlaces nativo de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una forma de estructurar los campos en grupos para organizar mejor los datos y la pantalla de edición.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfaz de usuario interactiva para seleccionar una ubicación utilizando Google Maps. Requiere una clave API de Google Maps y configuración adicional para mostrarse correctamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir archivos.','A text input specifically designed for storing email addresses.'=>'Un campo de texto diseñado específicamente para almacenar direcciones de correo electrónico.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha y una hora. El formato de devolución de la fecha puede personalizarse mediante los ajustes del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha. El formato de devolución de la fecha se puede personalizar mediante los ajustes del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfaz de usuario interactiva para seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grupo de casillas de verificación que permiten al usuario seleccionar uno o varios valores que tú especifiques.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grupo de botones con valores que tú especifiques, los usuarios pueden elegir una opción de entre los valores proporcionados.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Te permite agrupar y organizar campos personalizados en paneles plegables que se muestran al editar el contenido. Útil para mantener ordenados grandes conjuntos de datos.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Esto proporciona una solución para repetir contenidos como diapositivas, miembros del equipo y fichas de llamada a la acción, actuando como padre de un conjunto de subcampos que pueden repetirse una y otra vez.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Proporciona una interfaz interactiva para gestionar una colección de archivos adjuntos. La mayoría de los ajustes son similares a los del tipo de campo Imagen. Los ajustes adicionales te permiten especificar dónde se añaden los nuevos adjuntos en la galería y el número mínimo/máximo de adjuntos permitidos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Esto proporciona un editor sencillo, estructurado y basado en diseños. El campo Contenido flexible te permite definir, crear y gestionar contenidos con un control total, utilizando maquetas y subcampos para diseñar los bloques disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Te permite seleccionar y mostrar los campos existentes. No duplica ningún campo de la base de datos, sino que carga y muestra los campos seleccionados en tiempo de ejecución. El campo Clonar puede sustituirse a sí mismo por los campos seleccionados o mostrar los campos seleccionados como un grupo de subcampos.','nounClone'=>'Clon','PRO'=>'PRO','Advanced'=>'Avanzados','JSON (newer)'=>'JSON (nuevo)','Original'=>'Original','Invalid post ID.'=>'ID de publicación no válido.','Invalid post type selected for review.'=>'Tipo de contenido no válido seleccionado para revisión.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Seleccionar campo','Try a different search term or browse %s'=>'Prueba con otro término de búsqueda o explora %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para «%s»','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona el tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Añadir taxonomía','Create custom taxonomies to classify post type content'=>'Crear taxonomías personalizadas para clasificar el contenido del tipo de contenido','Add Your First Taxonomy'=>'Añade tu primera taxonomía','Hierarchical taxonomies can have descendants (like categories).'=>'Las taxonomías jerárquicas pueden tener descendientes (como las categorías).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hace que una taxonomía sea visible en la parte pública de la web y en el escritorio.','One or many post types that can be classified with this taxonomy.'=>'Uno o varios tipos de contenido que pueden clasificarse con esta taxonomía.','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Exponer este tipo de contenido en la REST API.','Customize the query variable name'=>'Personaliza el nombre de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Se puede acceder a los términos utilizando el permalink no bonito, por ejemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Términos padre-hijo en URLs para taxonomías jerárquicas.','Customize the slug used in the URL'=>'Personalizar el slug utilizado en la URL','Permalinks for this taxonomy are disabled.'=>'Los enlaces permanentes de esta taxonomía están desactivados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave de taxonomía como slug. Tu estructura de enlace permanente será','Taxonomy Key'=>'Clave de la taxonomía','Select the type of permalink to use for this taxonomy.'=>'Selecciona el tipo de enlace permanente a utilizar para esta taxonomía.','Display a column for the taxonomy on post type listing screens.'=>'Mostrar una columna para la taxonomía en las pantallas de listado de tipos de contenido.','Show Admin Column'=>'Mostrar columna de administración','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar la taxonomía en el panel de edición rápida/masiva.','Quick Edit'=>'Edición rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Muestra la taxonomía en los controles del widget nube de etiquetas.','Tag Cloud'=>'Nube de etiquetas','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nombre de función PHP al que llamar para sanear los datos de taxonomía guardados desde una meta box.','Meta Box Sanitization Callback'=>'Llamada a función de saneamiento de la caja meta','Register Meta Box Callback'=>'Registrar llamada a función de caja meta','No Meta Box'=>'Sin caja meta','Custom Meta Box'=>'Caja meta personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la caja meta en la pantalla del editor de contenidos. Por defecto, la caja meta Categorías se muestra para las taxonomías jerárquicas, y la meta caja Etiquetas se muestra para las taxonomías no jerárquicas.','Meta Box'=>'Caja meta','Categories Meta Box'=>'Caja meta de categorías','Tags Meta Box'=>'Caja meta de etiquetas','A link to a tag'=>'Un enlace a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Describe una variación del bloque de enlaces de navegación utilizada en el editor de bloques.','A link to a %s'=>'Un enlace a un %s','Tag Link'=>'Enlace a etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Asigna un título a la variación del bloque de enlaces de navegación utilizada en el editor de bloques.','← Go to tags'=>'← Ir a las etiquetas','Assigns the text used to link back to the main index after updating a term.'=>'Asigna el texto utilizado para volver al índice principal tras actualizar un término.','Back To Items'=>'Volver a los elementos','← Go to %s'=>'← Ir a %s','Tags list'=>'Lista de etiquetas','Assigns text to the table hidden heading.'=>'Asigna texto a la cabecera oculta de la tabla.','Tags list navigation'=>'Navegación de lista de etiquetas','Assigns text to the table pagination hidden heading.'=>'Asigna texto al encabezado oculto de la paginación de la tabla.','Filter by category'=>'Filtrar por categoría','Assigns text to the filter button in the posts lists table.'=>'Asigna texto al botón de filtro en la tabla de listas de publicaciones.','Filter By Item'=>'Filtrar por elemento','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'La descripción no es prominente de forma predeterminada; Sin embargo, algunos temas pueden mostrarlo.','Describes the Description field on the Edit Tags screen.'=>'Describe el campo Descripción de la pantalla Editar etiquetas.','Description Field Description'=>'Descripción del campo Descripción','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Asigna un término superior para crear una jerarquía. El término Jazz, por ejemplo, sería el padre de Bebop y Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describe el campo superior de la pantalla Editar etiquetas.','Parent Field Description'=>'Descripción del campo padre','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El «slug» es la versión apta para URLs del nombre. Normalmente se escribe todo en minúsculas y sólo contiene letras, números y guiones.','Describes the Slug field on the Edit Tags screen.'=>'Describe el campo slug de la pantalla editar etiquetas.','Slug Field Description'=>'Descripción del campo slug','The name is how it appears on your site'=>'El nombre es como aparece en tu web','Describes the Name field on the Edit Tags screen.'=>'Describe el campo Nombre de la pantalla Editar etiquetas.','Name Field Description'=>'Descripción del campo nombre','No tags'=>'No hay etiquetas','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Asigna el texto que se muestra en las tablas de entradas y lista de medios cuando no hay etiquetas o categorías disponibles.','No Terms'=>'No hay términos','No %s'=>'No hay %s','No tags found'=>'No se han encontrado etiquetas','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Asigna el texto que se muestra al hacer clic en «elegir entre los más utilizados» en el cuadro meta de la taxonomía cuando no hay etiquetas disponibles, y asigna el texto utilizado en la tabla de lista de términos cuando no hay elementos para una taxonomía.','Not Found'=>'No encontrado','Assigns text to the Title field of the Most Used tab.'=>'Asigna texto al campo de título de la pestaña «Más usados».','Most Used'=>'Más usados','Choose from the most used tags'=>'Elige entre las etiquetas más utilizadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Asigna el texto «elige entre los más usados» que se utiliza en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas.','Choose From Most Used'=>'Elige entre los más usados','Choose from the most used %s'=>'Elige entre los %s más usados','Add or remove tags'=>'Añadir o quitar etiquetas','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Asigna el texto de añadir o eliminar elementos utilizado en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas','Add Or Remove Items'=>'Añadir o quitar elementos','Add or remove %s'=>'Añadir o quitar %s','Separate tags with commas'=>'Separa las etiquetas con comas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Asigna al elemento separado con comas el texto utilizado en la caja meta de taxonomía. Sólo se utiliza en taxonomías no jerárquicas.','Separate Items With Commas'=>'Separa los elementos con comas','Separate %s with commas'=>'Separa los %s con comas','Popular Tags'=>'Etiquetas populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Asigna texto a los elementos populares. Sólo se utiliza en taxonomías no jerárquicas.','Popular Items'=>'Elementos populares','Popular %s'=>'%s populares','Search Tags'=>'Buscar etiquetas','Assigns search items text.'=>'Asigna el texto de buscar elementos.','Parent Category:'=>'Categoría superior:','Assigns parent item text, but with a colon (:) added to the end.'=>'Asigna el texto del elemento superior, pero añadiendo dos puntos (:) al final.','Parent Item With Colon'=>'Elemento superior con dos puntos','Parent Category'=>'Categoría superior','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Asigna el texto del elemento superior. Sólo se utiliza en taxonomías jerárquicas.','Parent Item'=>'Elemento superior','Parent %s'=>'%s superior','New Tag Name'=>'Nombre de la nueva etiqueta','Assigns the new item name text.'=>'Asigna el texto del nombre del nuevo elemento.','New Item Name'=>'Nombre del nuevo elemento','New %s Name'=>'Nombre del nuevo %s','Add New Tag'=>'Añadir nueva etiqueta','Assigns the add new item text.'=>'Asigna el texto de añadir nuevo elemento.','Update Tag'=>'Actualizar etiqueta','Assigns the update item text.'=>'Asigna el texto del actualizar elemento.','Update Item'=>'Actualizar elemento','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','In the admin bar to view term during editing.'=>'En la barra de administración para ver el término durante la edición.','Edit Tag'=>'Editar etiqueta','At the top of the editor screen when editing a term.'=>'En la parte superior de la pantalla del editor, al editar un término.','All Tags'=>'Todas las etiquetas','Assigns the all items text.'=>'Asigna el texto de todos los elementos.','Assigns the menu name text.'=>'Asigna el texto del nombre del menú.','Menu Label'=>'Etiqueta de menú','Active taxonomies are enabled and registered with WordPress.'=>'Las taxonomías activas están activadas y registradas en WordPress.','A descriptive summary of the taxonomy.'=>'Un resumen descriptivo de la taxonomía.','A descriptive summary of the term.'=>'Un resumen descriptivo del término.','Term Description'=>'Descripción del término','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola palabra, sin espacios. Se permiten guiones bajos y guiones.','Term Slug'=>'Slug de término','The name of the default term.'=>'El nombre del término por defecto.','Term Name'=>'Nombre del término','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un término para la taxonomía que no se pueda eliminar. No se seleccionará por defecto para las entradas.','Default Term'=>'Término por defecto','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si los términos de esta taxonomía deben ordenarse en el orden en que se proporcionan a `wp_set_object_terms()`.','Sort Terms'=>'Ordenar términos','Add Post Type'=>'Añadir tipo de contenido','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplía la funcionalidad de WordPress más allá de las entradas y páginas estándar con tipos de contenido personalizados.','Add Your First Post Type'=>'Añade tu primer tipo de contenido','I know what I\'m doing, show me all the options.'=>'Sé lo que hago, muéstrame todas las opciones.','Advanced Configuration'=>'Configuración avanzada','Hierarchical post types can have descendants (like pages).'=>'Los tipos de entrada jerárquicos pueden tener descendientes (como las páginas).','Hierarchical'=>'Jerárquico','Visible on the frontend and in the admin dashboard.'=>'Visible en la parte pública de la web y en el escritorio.','Public'=>'Público','movie'=>'pelicula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sólo letras minúsculas, guiones bajos y guiones, 20 caracteres como máximo.','Movie'=>'Película','Singular Label'=>'Etiqueta singular','Movies'=>'Películas','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Posts_Controller`.','Controller Class'=>'Clase de controlador','The namespace part of the REST API URL.'=>'La parte del espacio de nombres de la URL de la API REST.','Namespace Route'=>'Ruta del espacio de nombres','The base URL for the post type REST API URLs.'=>'La URL base para las URL de la REST API del tipo de contenido.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expone este tipo de contenido en la REST API. Necesario para utilizar el editor de bloques.','Show In REST API'=>'Mostrar en REST API','Customize the query variable name.'=>'Personaliza el nombre de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admite variables de consulta','Custom Query Variable'=>'Variable de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Se puede acceder a los elementos utilizando el enlace permanente no bonito, por ejemplo {post_type}={post_slug}.','Query Variable Support'=>'Compatibilidad con variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Se puede acceder a las URL de un elemento y de los elementos mediante una cadena de consulta.','Publicly Queryable'=>'Consultable públicamente','Custom slug for the Archive URL.'=>'Slug personalizado para la URL del Archivo.','Archive Slug'=>'Slug del archivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Tiene un archivo de elementos que se puede personalizar con un archivo de plantilla de archivo en tu tema.','Archive'=>'Archivo','Pagination support for the items URLs such as the archives.'=>'Compatibilidad de paginación para las URL de los elementos, como los archivos.','Pagination'=>'Paginación','RSS feed URL for the post type items.'=>'URL del feed RSS para los elementos del tipo de contenido.','Feed URL'=>'URL del Feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la estructura de enlaces permanentes para añadir el prefijo `WP_Rewrite::$front` a las URLs.','Front URL Prefix'=>'Prefijo de las URLs','Customize the slug used in the URL.'=>'Personaliza el slug utilizado en la URL.','URL Slug'=>'Slug de la URL','Permalinks for this post type are disabled.'=>'Los enlaces permanentes para este tipo de contenido están desactivados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescribe la URL utilizando un slug personalizado definido en el campo de abajo. Tu estructura de enlace permanente será','No Permalink (prevent URL rewriting)'=>'Sin enlace permanente (evita la reescritura de URL)','Custom Permalink'=>'Enlace permanente personalizado','Post Type Key'=>'Clave de tipo de contenido','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave del tipo de entrada como slug. Tu estructura de enlace permanente será','Permalink Rewrite'=>'Reescritura de enlace permanente','Delete items by a user when that user is deleted.'=>'Borrar elementos de un usuario cuando ese usuario se borra.','Delete With User'=>'Borrar con usuario','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permite que el tipo de contenido se pueda exportar desde \'Herramientas\' > \'Exportar\'.','Can Export'=>'Se puede exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, proporciona un plural para utilizarlo en las capacidades.','Plural Capability Name'=>'Nombre de la capacidad en plural','Choose another post type to base the capabilities for this post type.'=>'Elige otro tipo de contenido para basar las capacidades de este tipo de contenido.','Singular Capability Name'=>'Nombre de la capacidad en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por defecto, las capacidades del tipo de entrada heredarán los nombres de las capacidades de \'Entrada\', p. ej. edit_post, delete_posts. Actívalo para utilizar capacidades específicas del tipo de contenido, por ejemplo, edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renombrar capacidades','Exclude From Search'=>'Excluir de la búsqueda','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permite añadir elementos a los menús en la pantalla \'Apariencia\' > \'Menús\'. Debe estar activado en \'Opciones de pantalla\'.','Appearance Menus Support'=>'Compatibilidad con menús de apariencia','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como un elemento en el menú \'Nuevo\' de la barra de administración.','Show In Admin Bar'=>'Mostrar en la barra administración','Custom Meta Box Callback'=>'Llamada a función de caja meta personalizada','Menu Icon'=>'Icono de menú','The position in the sidebar menu in the admin dashboard.'=>'La posición en el menú de la barra lateral en el panel de control del escritorio.','Menu Position'=>'Posición en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por defecto, el tipo de contenido obtendrá un nuevo elemento de nivel superior en el menú de administración. Si se proporciona aquí un elemento de nivel superior existente, el tipo de entrada se añadirá como un elemento de submenú debajo de él.','Admin Menu Parent'=>'Menú de administración padre','Admin editor navigation in the sidebar menu.'=>'Navegación del editor de administración en el menú de la barra lateral.','Show In Admin Menu'=>'Mostrar en el menú de administración','Items can be edited and managed in the admin dashboard.'=>'Los elementos se pueden editar y gestionar en el panel de control del administrador.','Show In UI'=>'Mostrar en IU','A link to a post.'=>'Un enlace a una publicación.','Description for a navigation link block variation.'=>'Descripción de una variación del bloque de enlaces de navegación.','Item Link Description'=>'Descripción del enlace al elemento','A link to a %s.'=>'Un enlace a un %s.','Post Link'=>'Enlace a publicación','Title for a navigation link block variation.'=>'Título para una variación del bloque de enlaces de navegación.','Item Link'=>'Enlace a elemento','%s Link'=>'Enlace a %s','Post updated.'=>'Publicación actualizada.','In the editor notice after an item is updated.'=>'En el aviso del editor después de actualizar un elemento.','Item Updated'=>'Elemento actualizado','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Publicación programada.','In the editor notice after scheduling an item.'=>'En el aviso del editor después de programar un elemento.','Item Scheduled'=>'Elemento programado','%s scheduled.'=>'%s programados.','Post reverted to draft.'=>'Publicación devuelta a borrador.','In the editor notice after reverting an item to draft.'=>'En el aviso del editor después de devolver un elemento a borrador.','Item Reverted To Draft'=>'Elemento devuelto a borrador','%s reverted to draft.'=>'%s devuelto a borrador.','Post published privately.'=>'Publicación publicada de forma privada.','In the editor notice after publishing a private item.'=>'En el aviso del editor después de publicar un elemento privado.','Item Published Privately'=>'Elemento publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Entrada publicada.','In the editor notice after publishing an item.'=>'En el aviso del editor después de publicar un elemento.','Item Published'=>'Elemento publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de publicaciones','Used by screen readers for the items list on the post type list screen.'=>'Utilizado por los lectores de pantalla para la lista de elementos de la pantalla de lista de tipos de contenido.','Items List'=>'Lista de elementos','%s list'=>'Lista de %s','Posts list navigation'=>'Navegación por lista de publicaciones','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizado por los lectores de pantalla para la paginación de la lista de filtros en la pantalla de la lista de tipos de contenido.','Items List Navigation'=>'Navegación por la lista de elementos','%s list navigation'=>'Navegación por la lista de %s','Filter posts by date'=>'Filtrar publicaciones por fecha','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de filtrar por fecha en la pantalla de lista de tipos de contenido.','Filter Items By Date'=>'Filtrar elementos por fecha','Filter %s by date'=>'Filtrar %s por fecha','Filter posts list'=>'Filtrar la lista de publicaciones','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de los enlaces de filtro en la pantalla de la lista de tipos de contenido.','Filter Items List'=>'Filtrar lista de elementos','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'En la ventana emergente de medios se muestran todos los medios subidos a este elemento.','Uploaded To This Item'=>'Subido a este elemento','Uploaded to this %s'=>'Subido a este %s','Insert into post'=>'Insertar en publicación','As the button label when adding media to content.'=>'Como etiqueta del botón al añadir medios al contenido.','Insert Into Media Button'=>'Botón Insertar en medios','Insert into %s'=>'Insertar en %s','Use as featured image'=>'Usar como imagen destacada','As the button label for selecting to use an image as the featured image.'=>'Como etiqueta del botón para seleccionar el uso de una imagen como imagen destacada.','Use Featured Image'=>'Usar imagen destacada','Remove featured image'=>'Eliminar la imagen destacada','As the button label when removing the featured image.'=>'Como etiqueta del botón al eliminar la imagen destacada.','Remove Featured Image'=>'Eliminar imagen destacada','Set featured image'=>'Establecer imagen destacada','As the button label when setting the featured image.'=>'Como etiqueta del botón al establecer la imagen destacada.','Set Featured Image'=>'Establecer imagen destacada','Featured image'=>'Imagen destacada','In the editor used for the title of the featured image meta box.'=>'En el editor utilizado para el título de la caja meta de la imagen destacada.','Featured Image Meta Box'=>'Caja meta de imagen destacada','Post Attributes'=>'Atributos de publicación','In the editor used for the title of the post attributes meta box.'=>'En el editor utilizado para el título de la caja meta de atributos de la publicación.','Attributes Meta Box'=>'Caja meta de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Archivo de publicaciones','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Añade elementos \'Archivo de tipo de contenido\' con esta etiqueta a la lista de publicaciones que se muestra al añadir elementos a un menú existente en un CPT con archivos activados. Sólo aparece cuando se editan menús en modo \'Vista previa en vivo\' y se ha proporcionado un slug de archivo personalizado.','Archives Nav Menu'=>'Menú de navegación de archivos','%s Archives'=>'Archivo de %s','No posts found in Trash'=>'No hay publicaciones en la papelera','At the top of the post type list screen when there are no posts in the trash.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones en la papelera.','No Items Found in Trash'=>'No se hay elementos en la papelera','No %s found in Trash'=>'No hay %s en la papelera','No posts found'=>'No se han encontrado publicaciones','At the top of the post type list screen when there are no posts to display.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones que mostrar.','No Items Found'=>'No se han encontrado elementos','No %s found'=>'No se han encontrado %s','Search Posts'=>'Buscar publicaciones','At the top of the items screen when searching for an item.'=>'En la parte superior de la pantalla de elementos, al buscar un elemento.','Search Items'=>'Buscar elementos','Search %s'=>'Buscar %s','Parent Page:'=>'Página superior:','For hierarchical types in the post type list screen.'=>'Para tipos jerárquicos en la pantalla de lista de tipos de contenido.','Parent Item Prefix'=>'Prefijo del artículo superior','Parent %s:'=>'%s superior:','New Post'=>'Nueva publicación','New Item'=>'Nuevo elemento','New %s'=>'Nuevo %s','Add New Post'=>'Añadir nueva publicación','At the top of the editor screen when adding a new item.'=>'En la parte superior de la pantalla del editor, al añadir un nuevo elemento.','Add New Item'=>'Añadir nuevo elemento','Add New %s'=>'Añadir nuevo %s','View Posts'=>'Ver publicaciones','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece en la barra de administración en la vista «Todas las publicaciones», siempre que el tipo de contenido admita archivos y la página de inicio no sea un archivo de ese tipo de contenido.','View Items'=>'Ver elementos','View Post'=>'Ver publicacion','In the admin bar to view item when editing it.'=>'En la barra de administración para ver el elemento al editarlo.','View Item'=>'Ver elemento','View %s'=>'Ver %s','Edit Post'=>'Editar publicación','At the top of the editor screen when editing an item.'=>'En la parte superior de la pantalla del editor, al editar un elemento.','Edit Item'=>'Editar elemento','Edit %s'=>'Editar %s','All Posts'=>'Todas las entradas','In the post type submenu in the admin dashboard.'=>'En el submenú de tipo de contenido del escritorio.','All Items'=>'Todos los elementos','All %s'=>'Todos %s','Admin menu name for the post type.'=>'Nombre del menú de administración para el tipo de contenido.','Menu Name'=>'Nombre del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera todas las etiquetas utilizando las etiquetas singular y plural','Regenerate'=>'Regenerar','Active post types are enabled and registered with WordPress.'=>'Los tipos de entrada activos están activados y registrados en WordPress.','A descriptive summary of the post type.'=>'Un resumen descriptivo del tipo de contenido.','Add Custom'=>'Añadir personalizado','Enable various features in the content editor.'=>'Activa varias funciones en el editor de contenido.','Post Formats'=>'Formatos de entrada','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecciona las taxonomías existentes para clasificar los elementos del tipo de contenido.','Browse Fields'=>'Explorar campos','Nothing to import'=>'Nada que importar','. The Custom Post Type UI plugin can be deactivated.'=>'. El plugin Custom Post Type UI se puede desactivar.','Imported %d item from Custom Post Type UI -'=>'Importado %d elemento de la interfaz de Custom Post Type UI -' . "\0" . 'Importados %d elementos de la interfaz de Custom Post Type UI -','Failed to import taxonomies.'=>'Error al importar taxonomías.','Failed to import post types.'=>'Error al importar tipos de contenido.','Nothing from Custom Post Type UI plugin selected for import.'=>'No se ha seleccionado nada del plugin Custom Post Type UI para importar.','Imported 1 item'=>'1 elementos importado' . "\0" . '%s elementos importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Al importar un tipo de contenido o taxonomía con la misma clave que uno ya existente, se sobrescribirán los ajustes del tipo de contenido o taxonomía existentes con los de la importación.','Import from Custom Post Type UI'=>'Importar desde Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El siguiente código puede utilizarse para registrar una versión local de los elementos seleccionados. Almacenar grupos de campos, tipos de contenido o taxonomías localmente puede proporcionar muchas ventajas, como tiempos de carga más rápidos, control de 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 dentro de un archivo externo, y luego desactiva o elimina los elementos desde la administración de ACF.','Export - Generate PHP'=>'Exportar - Generar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecciona taxonomías','Select Post Types'=>'Selecciona tipos de contenido','Exported 1 item.'=>'1 elemento exportado.' . "\0" . '%s elementos exportados.','Category'=>'Categoría','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomía %s creada','%s taxonomy updated'=>'Taxonomía %s actualizada','Taxonomy draft updated.'=>'Borrador de taxonomía actualizado.','Taxonomy scheduled for.'=>'Taxonomía programada para.','Taxonomy submitted.'=>'Taxonomía enviada.','Taxonomy saved.'=>'Taxonomía guardada.','Taxonomy deleted.'=>'Taxonomía borrada.','Taxonomy updated.'=>'Taxonomía actualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Esta taxonomía no se ha podido registrar porque su clave está siendo utilizada por otra taxonomía registrada por otro plugin o tema.','Taxonomy synchronized.'=>'Taxonomía sincronizada.' . "\0" . '%s taxonomías sincronizadas.','Taxonomy duplicated.'=>'Taxonomía duplicada.' . "\0" . '%s taxonomías duplicadas.','Taxonomy deactivated.'=>'Taxonomía desactivada.' . "\0" . '%s taxonomías desactivadas.','Taxonomy activated.'=>'Taxonomía activada.' . "\0" . '%s taxonomías activadas.','Terms'=>'Términos','Post type synchronized.'=>'Tipo de contenido sincronizado.' . "\0" . '%s tipos de contenido sincronizados.','Post type duplicated.'=>'Tipo de contenido duplicado.' . "\0" . '%s tipos de contenido duplicados.','Post type deactivated.'=>'Tipo de contenido desactivado.' . "\0" . '%s tipos de contenido desactivados.','Post type activated.'=>'Tipo de contenido activado.' . "\0" . '%s tipos de contenido activados.','Post Types'=>'Tipos de contenido','Advanced Settings'=>'Ajustes avanzados','Basic Settings'=>'Ajustes básicos','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Este tipo de contenido no se ha podido registrar porque su clave está siendo utilizada por otro tipo de contenido registrado por otro plugin o tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'Enlazar grupos de campos existentes','%s post type created'=>'%s tipo de contenido creado','Add fields to %s'=>'Añadir campos a %s','%s post type updated'=>'Tipo de contenido %s actualizado','Post type draft updated.'=>'Borrador de tipo de contenido actualizado.','Post type scheduled for.'=>'Tipo de contenido programado para.','Post type submitted.'=>'Tipo de contenido enviado.','Post type saved.'=>'Tipo de contenido guardado.','Post type updated.'=>'Tipo de contenido actualizado.','Post type deleted.'=>'Tipo de contenido eliminado.','Type to search...'=>'Escribe para buscar...','PRO Only'=>'Solo en PRO','Field groups linked successfully.'=>'Grupos de campos enlazados correctamente.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipos de contenido y taxonomías registrados con Custom Post Type UI y gestiónalos con ACF. Empieza aquí.','ACF'=>'ACF','taxonomy'=>'taxonomía','post type'=>'tipo de contenido','Done'=>'Hecho','Field Group(s)'=>'Grupo(s) de campo(s)','Select one or many field groups...'=>'Selecciona uno o varios grupos de campos...','Please select the field groups to link.'=>'Selecciona los grupos de campos que quieras enlazar.','Field group linked successfully.'=>'Grupo de campos enlazado correctamente.' . "\0" . 'Grupos de campos enlazados correctamente.','post statusRegistration Failed'=>'Error de registro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Este elemento no se ha podido registrar porque su clave está siendo utilizada por otro elemento registrado por otro plugin o tema.','REST API'=>'REST API','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilidad','Labels'=>'Etiquetas','Field Settings Tabs'=>'Pestañas de ajustes de campos','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[valor del shortcode de ACF desactivado en la vista previa]','Close Modal'=>'Cerrar ventana emergente','Field moved to other group'=>'Campo movido a otro grupo','Close modal'=>'Cerrar ventana emergente','Start a new group of tabs at this tab.'=>'Empieza un nuevo grupo de pestañas en esta pestaña','New Tab Group'=>'Nuevo grupo de pestañas','Use a stylized checkbox using select2'=>'Usa una casilla de verificación estilizada utilizando select2','Save Other Choice'=>'Guardar la opción «Otro»','Allow Other Choice'=>'Permitir la opción «Otro»','Add Toggle All'=>'Añade un «Alternar todos»','Save Custom Values'=>'Guardar los valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Los valores personalizados de la casilla de verificación no pueden estar vacíos. Desmarca cualquier valor vacío.','Updates'=>'Actualizaciones','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Guardar cambios','Field Group Title'=>'Título del grupo de campos','Add title'=>'Añadir título','New to ACF? Take a look at our getting started guide.'=>'¿Nuevo en ACF? Echa un vistazo a nuestra guía para comenzar.','Add Field Group'=>'Añadir grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados juntos, y después añadir esos campos a las pantallas de edición.','Add Your First Field Group'=>'Añade tu primer grupo de campos','Options Pages'=>'Páginas de opciones','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contenido flexible','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloquea las características extra con ACF PRO','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado el %1$s a las %2$s','Group Settings'=>'Ajustes de grupo','Location Rules'=>'Reglas de ubicación','Choose from over 30 field types. Learn more.'=>'Elige de entre más de 30 tipos de campos. Aprende más.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comienza creando nuevos campos personalizados para tus entradas, páginas, tipos de contenido personalizados y otros contenidos de WordPress.','Add Your First Field'=>'Añade tu primer campo','#'=>'#','Add Field'=>'Añadir campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'General','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'¿Mover este grupo de campos a la papelera?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualizar a la versión Pro','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Lo siento, este grupo de campos no está disponible para la comparación diff.','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar los cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debates. Tenemos una comunidad activa y amistosa, en nuestros foros de la comunidad, que pueden ayudarte a descubrir cómo hacer todo en el mundo de ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF. Si te encuentras con alguna dificultad, hay varios lugares donde puedes encontrar ayuda:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Campo clon','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'N.º de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'Colocación de la instrucción','Label Placement'=>'Ubicación de la etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'Obligatorio','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa.','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona los grupos de campos que te gustaría exportar y luego elige tu método de exportación. Exporta como JSON para exportar un archivo .json que puedes importar en otra instalación de ACF. Genera PHP para exportar a código PHP que puedes incluir en tu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona el archivo JSON de Advanced Custom Fields que te gustaría importar. Cuando hagas clic en el botón importar de abajo, ACF importará los grupos de campos.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Supports','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo no se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'Ningún %s','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'Filtrar por función','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'Inicialización del retardo','Show Media Upload Buttons'=>'Mostrar botones para subir archivos multimedia','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Texto del marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'Número máximo de entradas','Minimum Posts'=>'Número mínimo de entradas','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'Tipos de archivo permitidos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'El nombre del tipo de bloque es requerido.','Block type "%s" is already registered.'=>'El tipo de bloque " %s" ya está registrado.','Switch to Edit'=>'Cambiar a Editar','Switch to Preview'=>'Cambiar a vista previa','Change content alignment'=>'Cambiar la alineación del contenido','%s settings'=>'%s ajustes','This block contains no editable fields.'=>'Este bloque no contiene campos editables.','Assign a field group to add fields to this block.'=>'Asigna un grupo de campos para añadir campos a este bloque.','Options Updated'=>'Opciones Actualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para habilitar las actualizaciones, introduzca su clave de licencia en la página Actualizaciones. Si no tiene una clave de licencia, consulte los detalles y los precios..','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Error de activación de ACF. La clave de licencia definida ha cambiado, pero se ha producido un error al desactivar la licencia anterior','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Error de activación de ACF. La clave de licencia definida ha cambiado, pero se ha producido un error al conectarse al servidor de activación','ACF Activation Error'=>'Error de activación de ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Error. No se ha podido conectar con el servidor de actualización','Check Again'=>'Comprobar de nuevo','ACF Activation Error. Could not connect to activation server'=>'Error. No se ha podido conectar con el servidor de actualización','Publish'=>'Publicar','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'No se encontraron grupos de campos personalizados para esta página de opciones. Crear Grupo de Campos Personalizados','Error. Could not connect to update server'=>'Error. No se ha podido conectar con el servidor de actualización','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. No se pudo autenticar el paquete de actualización. Compruebe de nuevo o desactive y reactive su licencia ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. Su licencia para este sitio ha caducado o ha sido desactivada. Por favor, reactive su licencia ACF PRO.','Select one or more fields you wish to clone'=>'Elige uno o más campos que quieras clonar','Display'=>'Mostrar','Specify the style used to render the clone field'=>'Especifique el estilo utilizado para procesar el campo de clonación','Group (displays selected fields in a group within this field)'=>'Grupo (muestra los campos seleccionados en un grupo dentro de este campo)','Seamless (replaces this field with selected fields)'=>'Transparente (reemplaza este campo con los campos seleccionados)','Labels will be displayed as %s'=>'Las etiquetas se mostrarán como %s','Prefix Field Labels'=>'Etiquetas del prefijo de campo','Values will be saved as %s'=>'Los valores se guardarán como %s','Prefix Field Names'=>'Nombres de prefijos de campos','Unknown field'=>'Campo desconocido','Unknown field group'=>'Grupo de campos desconocido','All fields from %s field group'=>'Todos los campos del grupo de campo %s','Add Row'=>'Agregar Fila','layout'=>'diseño' . "\0" . 'esquema','layouts'=>'diseños','This field requires at least {min} {label} {identifier}'=>'Este campo requiere al menos {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Este campo tiene un límite de la etiqueta de la etiqueta de la etiqueta de la etiqueta.','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} requerido (min {min})','Flexible Content requires at least 1 layout'=>'El Contenido Flexible requiere por lo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Haz click en el botón "%s" debajo para comenzar a crear tu esquema','Add layout'=>'Agregar Esquema','Duplicate layout'=>'Duplicar Diseño','Remove layout'=>'Remover esquema','Click to toggle'=>'Clic para mostrar','Delete Layout'=>'Eliminar Esquema','Duplicate Layout'=>'Duplicar Esquema','Add New Layout'=>'Agregar Nuevo Esquema','Add Layout'=>'Agregar Esquema','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Esquemas Mínimos','Maximum Layouts'=>'Esquemas Máximos','Button Label'=>'Etiqueta del Botón','%s must be of type array or null.'=>'%s debe ser de tipo matriz o null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s debe contener al menos %2$s %3$s diseño.' . "\0" . '%1$s debe contener al menos %2$s %3$s diseños.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s debe contener como máximo %2$s %3$s diseño.' . "\0" . '%1$s debe contener como máximo %2$s %3$s diseños.','Add Image to Gallery'=>'Agregar Imagen a Galería','Maximum selection reached'=>'Selección máxima alcanzada','Length'=>'Longitud','Caption'=>'Leyenda','Alt Text'=>'Texto Alt','Add to gallery'=>'Agregar a galería','Bulk actions'=>'Acciones en lote','Sort by date uploaded'=>'Ordenar por fecha de subida','Sort by date modified'=>'Ordenar por fecha de modificación','Sort by title'=>'Ordenar por título','Reverse current order'=>'Invertir orden actual','Close'=>'Cerrar','Minimum Selection'=>'Selección Mínima','Maximum Selection'=>'Selección Máxima','Allowed file types'=>'Tipos de archivos permitidos','Insert'=>'Insertar','Specify where new attachments are added'=>'Especificar dónde se agregan nuevos adjuntos','Append to the end'=>'Añadir al final','Prepend to the beginning'=>'Adelantar hasta el principio','Minimum rows not reached ({min} rows)'=>'Mínimo de filas alcanzado ({min} rows)','Maximum rows reached ({max} rows)'=>'Máximo de filas alcanzado ({max} rows)','Error loading page'=>'Error al cargar la página','Useful for fields with a large number of rows.'=>'Útil para campos con un gran número de filas.','Rows Per Page'=>'Filas por página','Set the number of rows to be displayed on a page.'=>'Establece el número de filas que se mostrarán en una página.','Minimum Rows'=>'Mínimo de Filas','Maximum Rows'=>'Máximo de Filas','Collapsed'=>'Colapsado','Select a sub field to show when row is collapsed'=>'Elige un subcampo para indicar cuándo se colapsa la fila','Invalid field key or name.'=>'Clave de campo no válida.','There was an error retrieving the field.'=>'Ha habido un error al recuperar el campo.','Click to reorder'=>'Arrastra para reordenar','Add row'=>'Agregar fila','Duplicate row'=>'Duplicar fila','Remove row'=>'Remover fila','Current Page'=>'Página actual','First Page'=>'Primera página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Página siguiente','Last Page'=>'Última página','No block types exist'=>'No existen tipos de bloques','No options pages exist'=>'No existen páginas de opciones','Deactivate License'=>'Desactivar Licencia','Activate License'=>'Activar Licencia','License Information'=>'Información de la licencia','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Para desbloquear las actualizaciones, por favor a continuación introduce tu clave de licencia. Si no tienes una clave de licencia, consulta detalles y precios.','License Key'=>'Clave de Licencia','Your license key is defined in wp-config.php.'=>'La clave de licencia se define en wp-config.php.','Retry Activation'=>'Reintentar activación','Update Information'=>'Información de Actualización','Current Version'=>'Versión Actual','Latest Version'=>'Última Versión','Update Available'=>'Actualización Disponible','Upgrade Notice'=>'Notificación de Actualización','Enter your license key to unlock updates'=>'Por favor ingresa tu clave de licencia para habilitar actualizaciones','Update Plugin'=>'Actualizar Plugin','Please reactivate your license to unlock updates'=>'Reactive su licencia para desbloquear actualizaciones']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Saber más','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACE no fue capaz de realizar la validación porque falló la verificación del nonce facilitado.','ACF was unable to perform validation because no nonce was received by the server.'=>'CE no fue capaz de realizar la validación porque no se recibió ningún nonce del servidor.','are developed and maintained by'=>'lo desarrollan y mantienen','Update Source'=>'Actualizar la fuente','By default only admin users can edit this setting.'=>'Por defecto, solo los usuarios administradores pueden editar este ajuste.','By default only super admin users can edit this setting.'=>'Por defecto, solo los usuarios súper administradores pueden editar este ajuste.','Close and Add Field'=>'Cerrar y añadir campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Un nombre de función PHP que se llamará para gestionar el contenido de una meta box en tu taxonomía. Por seguridad, esta llamada de retorno se ejecutará en un contexto especial sin acceso a ninguna superglobal como $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Un nombre de función PHP que se llamará cuando se configuren las cajas meta dela pantalla de edición. Por seguridad, esta llamada de retorno se ejecutará en un contexto especial sin acceso a ninguna superglobal como $_POST o $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Permitir el acceso al valor en la interfaz del editor','Learn more.'=>'Saber más.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permite que los editores de contenido accedan y muestren el valor del campo en la interfaz de usuario del editor utilizando enlaces de bloque o el shortcode de ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en bloques enlazados o en el shortcode de ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'El campo ACF solicitado no puede aparecer en los enlaces o en el shortcode de ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'El tipo de campo ACF solicitado no admite la salida en enlaces o en el shortcode de ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[El shortcode de ACF no puede mostrar campos de entradas no públicas]','[The ACF shortcode is disabled on this site]'=>'[El shortcode de ACF está desactivado en este sitio]','Businessman Icon'=>'Icono de hombre de negocios','Forums Icon'=>'Icono de foros','YouTube Icon'=>'Icono de YouTube','Yes (alt) Icon'=>'Icono de sí (alt)','Xing Icon'=>'Icono de Xing','WordPress (alt) Icon'=>'Icono de WordPress (alt)','WhatsApp Icon'=>'Icono de Whatsapp','Write Blog Icon'=>'Icono de escribir blog','Widgets Menus Icon'=>'Icono de widgets de menús','View Site Icon'=>'Icono de ver el sitio','Learn More Icon'=>'Icono de aprender más','Add Page Icon'=>'Icono de añadir página','Video (alt3) Icon'=>'Icono de vídeo (alt3)','Video (alt2) Icon'=>'Icono de vídeo (alt2)','Video (alt) Icon'=>'Icono de vídeo (alt)','Update (alt) Icon'=>'Icono de actualizar (alt)','Universal Access (alt) Icon'=>'Icono de acceso universal (alt)','Twitter (alt) Icon'=>'Icono de Twitter (alt)','Twitch Icon'=>'Icono de Twitch','Tide Icon'=>'Icono de marea','Tickets (alt) Icon'=>'Icono de entradas (alt)','Text Page Icon'=>'Icono de página de texto','Table Row Delete Icon'=>'Icono de borrar fila de tabla','Table Row Before Icon'=>'Icono de fila antes de tabla','Table Row After Icon'=>'Icono de fila tras la tabla','Table Col Delete Icon'=>'Icono de borrar columna de tabla','Table Col Before Icon'=>'Icono de columna antes de la tabla','Table Col After Icon'=>'Icono de columna tras la tabla','Superhero (alt) Icon'=>'Icono de superhéroe (alt)','Superhero Icon'=>'Icono de superhéroe','Spotify Icon'=>'Icono de Spotify','Shortcode Icon'=>'Icono del shortcode','Shield (alt) Icon'=>'Icono de escudo (alt)','Share (alt2) Icon'=>'Icono de compartir (alt2)','Share (alt) Icon'=>'Icono de compartir (alt)','Saved Icon'=>'Icono de guardado','RSS Icon'=>'Icono de RSS','REST API Icon'=>'Icono de la API REST','Remove Icon'=>'Icono de quitar','Reddit Icon'=>'Icono de Reddit','Privacy Icon'=>'Icono de privacidad','Printer Icon'=>'Icono de la impresora','Podio Icon'=>'Icono del podio','Plus (alt2) Icon'=>'Icono de más (alt2)','Plus (alt) Icon'=>'Icono de más (alt)','Plugins Checked Icon'=>'Icono de plugins comprobados','Pinterest Icon'=>'Icono de Pinterest','Pets Icon'=>'Icono de mascotas','PDF Icon'=>'Icono de PDF','Palm Tree Icon'=>'Icono de la palmera','Open Folder Icon'=>'Icono de carpeta abierta','No (alt) Icon'=>'Icono del no (alt)','Money (alt) Icon'=>'Icono de dinero (alt)','Menu (alt3) Icon'=>'Icono de menú (alt3)','Menu (alt2) Icon'=>'Icono de menú (alt2)','Menu (alt) Icon'=>'Icono de menú (alt)','Spreadsheet Icon'=>'Icono de hoja de cálculo','Interactive Icon'=>'Icono interactivo','Document Icon'=>'Icono de documento','Default Icon'=>'Icono por defecto','Location (alt) Icon'=>'Icono de ubicación (alt)','LinkedIn Icon'=>'Icono de LinkedIn','Instagram Icon'=>'Icono de Instagram','Insert Before Icon'=>'Icono de insertar antes','Insert After Icon'=>'Icono de insertar después','Insert Icon'=>'Icono de insertar','Info Outline Icon'=>'Icono de esquema de información','Images (alt2) Icon'=>'Icono de imágenes (alt2)','Images (alt) Icon'=>'Icono de imágenes (alt)','Rotate Right Icon'=>'Icono de girar a la derecha','Rotate Left Icon'=>'Icono de girar a la izquierda','Rotate Icon'=>'Icono de girar','Flip Vertical Icon'=>'Icono de voltear verticalmente','Flip Horizontal Icon'=>'Icono de voltear horizontalmente','Crop Icon'=>'Icono de recortar','ID (alt) Icon'=>'Icono de ID (alt)','HTML Icon'=>'Icono de HTML','Hourglass Icon'=>'Icono de reloj de arena','Heading Icon'=>'Icono de encabezado','Google Icon'=>'Icono de Google','Games Icon'=>'Icono de juegos','Fullscreen Exit (alt) Icon'=>'Icono de salir a pantalla completa (alt)','Fullscreen (alt) Icon'=>'Icono de pantalla completa (alt)','Status Icon'=>'Icono de estado','Image Icon'=>'Icono de imagen','Gallery Icon'=>'Icono de galería','Chat Icon'=>'Icono del chat','Audio Icon'=>'Icono de audio','Aside Icon'=>'Icono de minientrada','Food Icon'=>'Icono de comida','Exit Icon'=>'Icono de salida','Excerpt View Icon'=>'Icono de ver extracto','Embed Video Icon'=>'Icono de incrustar vídeo','Embed Post Icon'=>'Icono de incrustar entrada','Embed Photo Icon'=>'Icono de incrustar foto','Embed Generic Icon'=>'Icono de incrustar genérico','Embed Audio Icon'=>'Icono de incrustar audio','Email (alt2) Icon'=>'Icono de correo electrónico (alt2)','Ellipsis Icon'=>'Icono de puntos suspensivos','Unordered List Icon'=>'Icono de lista desordenada','RTL Icon'=>'Icono RTL','Ordered List RTL Icon'=>'Icono de lista ordenada RTL','Ordered List Icon'=>'Icono de lista ordenada','LTR Icon'=>'Icono LTR','Custom Character Icon'=>'Icono de personaje personalizado','Edit Page Icon'=>'Icono de editar página','Edit Large Icon'=>'Icono de edición grande','Drumstick Icon'=>'Icono de la baqueta','Database View Icon'=>'Icono de vista de la base de datos','Database Remove Icon'=>'Icono de eliminar base de datos','Database Import Icon'=>'Icono de importar base de datos','Database Export Icon'=>'Icono de exportar de base de datos','Database Add Icon'=>'Icono de añadir base de datos','Database Icon'=>'Icono de base de datos','Cover Image Icon'=>'Icono de imagen de portada','Volume On Icon'=>'Icono de volumen activado','Volume Off Icon'=>'Icono de volumen apagado','Skip Forward Icon'=>'Icono de saltar adelante','Skip Back Icon'=>'Icono de saltar atrás','Repeat Icon'=>'Icono de repetición','Play Icon'=>'Icono de reproducción','Pause Icon'=>'Icono de pausa','Forward Icon'=>'Icono de adelante','Back Icon'=>'Icono de atrás','Columns Icon'=>'Icono de columnas','Color Picker Icon'=>'Icono del selector de color','Coffee Icon'=>'Icono del café','Code Standards Icon'=>'Icono de normas del código','Cloud Upload Icon'=>'Icono de subir a la nube','Cloud Saved Icon'=>'Icono de nube guardada','Car Icon'=>'Icono del coche','Camera (alt) Icon'=>'Icono de cámara (alt)','Calculator Icon'=>'Icono de calculadora','Button Icon'=>'Icono de botón','Businessperson Icon'=>'Icono de empresario','Tracking Icon'=>'Icono de seguimiento','Topics Icon'=>'Icono de debate','Replies Icon'=>'Icono de respuestas','PM Icon'=>'Icono de PM','Friends Icon'=>'Icono de amistad','Community Icon'=>'Icono de la comunidad','BuddyPress Icon'=>'Icono de BuddyPress','bbPress Icon'=>'Icono de bbPress','Activity Icon'=>'Icono de actividad','Book (alt) Icon'=>'Icono del libro (alt)','Block Default Icon'=>'Icono de bloque por defecto','Bell Icon'=>'Icono de la campana','Beer Icon'=>'Icono de la cerveza','Bank Icon'=>'Icono del banco','Arrow Up (alt2) Icon'=>'Icono de flecha arriba (alt2)','Arrow Up (alt) Icon'=>'Icono de flecha arriba (alt)','Arrow Right (alt2) Icon'=>'Icono de flecha derecha (alt2)','Arrow Right (alt) Icon'=>'Icono de flecha derecha (alt)','Arrow Left (alt2) Icon'=>'Icono de flecha izquierda (alt2)','Arrow Left (alt) Icon'=>'Icono de flecha izquierda (alt)','Arrow Down (alt2) Icon'=>'Icono de flecha abajo (alt2)','Arrow Down (alt) Icon'=>'Icono de flecha abajo (alt)','Amazon Icon'=>'Icono de Amazon','Align Wide Icon'=>'Icono de alinear ancho','Align Pull Right Icon'=>'Icono de alinear tirar a la derecha','Align Pull Left Icon'=>'Icono de alinear tirar a la izquierda','Align Full Width Icon'=>'Icono de alinear al ancho completo','Airplane Icon'=>'Icono del avión','Site (alt3) Icon'=>'Icono de sitio (alt3)','Site (alt2) Icon'=>'Icono de sitio (alt2)','Site (alt) Icon'=>'Icono de sitio (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Mejora a ACF PRO para crear páginas de opciones en unos pocos clics','Invalid request args.'=>'Argumentos de solicitud no válidos.','Sorry, you do not have permission to do that.'=>'Lo siento, no tienes permisos para hacer eso.','Blocks Using Post Meta'=>'Bloques con Post Meta','ACF PRO logo'=>'Logotipo de ACF PRO','ACF PRO Logo'=>'Logotipo de ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s requiere un ID de archivo adjunto válido cuando el tipo se establece en media_library.','%s is a required property of acf.'=>'%s es una propiedad obligatoria de acf.','The value of icon to save.'=>'El valor del icono a guardar.','The type of icon to save.'=>'El tipo de icono a guardar.','Yes Icon'=>'Icono de sí','WordPress Icon'=>'Icono de WordPress','Warning Icon'=>'Icono de advertencia','Visibility Icon'=>'Icono de visibilidad','Vault Icon'=>'Icono de la bóveda','Upload Icon'=>'Icono de subida','Update Icon'=>'Icono de actualización','Unlock Icon'=>'Icono de desbloqueo','Universal Access Icon'=>'Icono de acceso universal','Undo Icon'=>'Icono de deshacer','Twitter Icon'=>'Icono de Twitter','Trash Icon'=>'Icono de papelera','Translation Icon'=>'Icono de traducción','Tickets Icon'=>'Icono de tiques','Thumbs Up Icon'=>'Icono de pulgar hacia arriba','Thumbs Down Icon'=>'Icono de pulgar hacia abajo','Text Icon'=>'Icono de texto','Testimonial Icon'=>'Icono de testimonio','Tagcloud Icon'=>'Icono de nube de etiquetas','Tag Icon'=>'Icono de etiqueta','Tablet Icon'=>'Icono de la tableta','Store Icon'=>'Icono de la tienda','Sticky Icon'=>'Icono fijo','Star Half Icon'=>'Icono media estrella','Star Filled Icon'=>'Icono de estrella rellena','Star Empty Icon'=>'Icono de estrella vacía','Sos Icon'=>'Icono Sos','Sort Icon'=>'Icono de ordenación','Smiley Icon'=>'Icono sonriente','Smartphone Icon'=>'Icono de smartphone','Slides Icon'=>'Icono de diapositivas','Shield Icon'=>'Icono de escudo','Share Icon'=>'Icono de compartir','Search Icon'=>'Icono de búsqueda','Screen Options Icon'=>'Icono de opciones de pantalla','Schedule Icon'=>'Icono de horario','Redo Icon'=>'Icono de rehacer','Randomize Icon'=>'Icono de aleatorio','Products Icon'=>'Icono de productos','Pressthis Icon'=>'Icono de presiona esto','Post Status Icon'=>'Icono de estado de la entrada','Portfolio Icon'=>'Icono de porfolio','Plus Icon'=>'Icono de más','Playlist Video Icon'=>'Icono de lista de reproducción de vídeo','Playlist Audio Icon'=>'Icono de lista de reproducción de audio','Phone Icon'=>'Icono de teléfono','Performance Icon'=>'Icono de rendimiento','Paperclip Icon'=>'Icono del clip','No Icon'=>'Sin icono','Networking Icon'=>'Icono de red de contactos','Nametag Icon'=>'Icono de etiqueta de nombre','Move Icon'=>'Icono de mover','Money Icon'=>'Icono de dinero','Minus Icon'=>'Icono de menos','Migrate Icon'=>'Icono de migrar','Microphone Icon'=>'Icono de micrófono','Megaphone Icon'=>'Icono del megáfono','Marker Icon'=>'Icono del marcador','Lock Icon'=>'Icono de candado','Location Icon'=>'Icono de ubicación','List View Icon'=>'Icono de vista de lista','Lightbulb Icon'=>'Icono de bombilla','Left Right Icon'=>'Icono izquierda derecha','Layout Icon'=>'Icono de disposición','Laptop Icon'=>'Icono del portátil','Info Icon'=>'Icono de información','Index Card Icon'=>'Icono de tarjeta índice','ID Icon'=>'Icono de ID','Hidden Icon'=>'Icono de oculto','Heart Icon'=>'Icono del corazón','Hammer Icon'=>'Icono del martillo','Groups Icon'=>'Icono de grupos','Grid View Icon'=>'Icono de vista en cuadrícula','Forms Icon'=>'Icono de formularios','Flag Icon'=>'Icono de bandera','Filter Icon'=>'Icono del filtro','Feedback Icon'=>'Icono de respuestas','Facebook (alt) Icon'=>'Icono de Facebook alt','Facebook Icon'=>'Icono de Facebook','External Icon'=>'Icono externo','Email (alt) Icon'=>'Icono del correo electrónico alt','Email Icon'=>'Icono del correo electrónico','Video Icon'=>'Icono de vídeo','Unlink Icon'=>'Icono de desenlazar','Underline Icon'=>'Icono de subrayado','Text Color Icon'=>'Icono de color de texto','Table Icon'=>'Icono de tabla','Strikethrough Icon'=>'Icono de tachado','Spellcheck Icon'=>'Icono del corrector ortográfico','Remove Formatting Icon'=>'Icono de quitar el formato','Quote Icon'=>'Icono de cita','Paste Word Icon'=>'Icono de pegar palabra','Paste Text Icon'=>'Icono de pegar texto','Paragraph Icon'=>'Icono de párrafo','Outdent Icon'=>'Icono saliente','Kitchen Sink Icon'=>'Icono del fregadero','Justify Icon'=>'Icono de justificar','Italic Icon'=>'Icono cursiva','Insert More Icon'=>'Icono de insertar más','Indent Icon'=>'Icono de sangría','Help Icon'=>'Icono de ayuda','Expand Icon'=>'Icono de expandir','Contract Icon'=>'Icono de contrato','Code Icon'=>'Icono de código','Break Icon'=>'Icono de rotura','Bold Icon'=>'Icono de negrita','Edit Icon'=>'Icono de editar','Download Icon'=>'Icono de descargar','Dismiss Icon'=>'Icono de descartar','Desktop Icon'=>'Icono del escritorio','Dashboard Icon'=>'Icono del escritorio','Cloud Icon'=>'Icono de nube','Clock Icon'=>'Icono de reloj','Clipboard Icon'=>'Icono del portapapeles','Chart Pie Icon'=>'Icono de gráfico de tarta','Chart Line Icon'=>'Icono de gráfico de líneas','Chart Bar Icon'=>'Icono de gráfico de barras','Chart Area Icon'=>'Icono de gráfico de área','Category Icon'=>'Icono de categoría','Cart Icon'=>'Icono del carrito','Carrot Icon'=>'Icono de zanahoria','Camera Icon'=>'Icono de cámara','Calendar (alt) Icon'=>'Icono de calendario alt','Calendar Icon'=>'Icono de calendario','Businesswoman Icon'=>'Icono de hombre de negocios','Building Icon'=>'Icono de edificio','Book Icon'=>'Icono del libro','Backup Icon'=>'Icono de copia de seguridad','Awards Icon'=>'Icono de premios','Art Icon'=>'Icono de arte','Arrow Up Icon'=>'Icono flecha arriba','Arrow Right Icon'=>'Icono flecha derecha','Arrow Left Icon'=>'Icono flecha izquierda','Arrow Down Icon'=>'Icono de flecha hacia abajo','Archive Icon'=>'Icono de archivo','Analytics Icon'=>'Icono de análisis','Align Right Icon'=>'Icono alinear a la derecha','Align None Icon'=>'Icono no alinear','Align Left Icon'=>'Icono alinear a la izquierda','Align Center Icon'=>'Icono alinear al centro','Album Icon'=>'Icono de álbum','Users Icon'=>'Icono de usuarios','Tools Icon'=>'Icono de herramientas','Site Icon'=>'Icono del sitio','Settings Icon'=>'Icono de ajustes','Post Icon'=>'Icono de la entrada','Plugins Icon'=>'Icono de plugins','Page Icon'=>'Icono de página','Network Icon'=>'Icono de red','Multisite Icon'=>'Icono multisitio','Media Icon'=>'Icono de medios','Links Icon'=>'Icono de enlaces','Home Icon'=>'Icono de inicio','Customizer Icon'=>'Icono del personalizador','Comments Icon'=>'Icono de comentarios','Collapse Icon'=>'Icono de plegado','Appearance Icon'=>'Icono de apariencia','Generic Icon'=>'Icono genérico','Icon picker requires a value.'=>'El selector de iconos requiere un valor.','Icon picker requires an icon type.'=>'El selector de iconos requiere un tipo de icono.','The available icons matching your search query have been updated in the icon picker below.'=>'Los iconos disponibles que coinciden con tu consulta se han actualizado en el selector de iconos de abajo.','No results found for that search term'=>'No se han encontrado resultados para ese término de búsqueda','Array'=>'Array','String'=>'Cadena','Specify the return format for the icon. %s'=>'Especifica el formato de retorno del icono. %s','Select where content editors can choose the icon from.'=>'Selecciona de dónde pueden elegir el icono los editores de contenidos.','The URL to the icon you\'d like to use, or svg as Data URI'=>'La URL del icono que quieres utilizar, o svg como URI de datos','Browse Media Library'=>'Explorar la biblioteca de medios','The currently selected image preview'=>'La vista previa de la imagen seleccionada actualmente','Click to change the icon in the Media Library'=>'Haz clic para cambiar el icono de la biblioteca de medios','Search icons...'=>'Buscar iconos…','Media Library'=>'Biblioteca de medios','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Una interfaz de usuario interactiva para seleccionar un icono. Selecciona entre dashicons, la biblioteca de medios o una entrada URL independiente.','Icon Picker'=>'Selector de iconos','JSON Load Paths'=>'Rutas de carga JSON','JSON Save Paths'=>'Rutas de guardado JSON','Registered ACF Forms'=>'Formularios ACF registrados','Shortcode Enabled'=>'Shortcode activado','Field Settings Tabs Enabled'=>'Pestañas de ajustes de campo activadas','Field Type Modal Enabled'=>'Tipo de campo emergente activado','Admin UI Enabled'=>'Interfaz de administrador activada','Block Preloading Enabled'=>'Precarga de bloques activada','Blocks Per ACF Block Version'=>'Bloques por versión de bloque ACF','Blocks Per API Version'=>'Bloques por versión de API','Registered ACF Blocks'=>'Bloques ACF registrados','Light'=>'Claro','Standard'=>'Estándar','REST API Format'=>'Formato de la API REST','Registered Options Pages (PHP)'=>'Páginas de opciones registradas (PHP)','Registered Options Pages (JSON)'=>'Páginas de opciones registradas (JSON)','Registered Options Pages (UI)'=>'Páginas de opciones registradas (IU)','Options Pages UI Enabled'=>'Interfaz de usuario de las páginas de opciones activada','Registered Taxonomies (JSON)'=>'Taxonomías registradas (JSON)','Registered Taxonomies (UI)'=>'Taxonomías registradas (IU)','Registered Post Types (JSON)'=>'Tipos de contenido registrados (JSON)','Registered Post Types (UI)'=>'Tipos de contenido registrados (UI)','Post Types and Taxonomies Enabled'=>'Tipos de contenido y taxonomías activados','Number of Third Party Fields by Field Type'=>'Número de campos de terceros por tipo de campo','Number of Fields by Field Type'=>'Número de campos por tipo de campo','Field Groups Enabled for GraphQL'=>'Grupos de campos activados para GraphQL','Field Groups Enabled for REST API'=>'Grupos de campos activados para la API REST','Registered Field Groups (JSON)'=>'Grupos de campos registrados (JSON)','Registered Field Groups (PHP)'=>'Grupos de campos registrados (PHP)','Registered Field Groups (UI)'=>'Grupos de campos registrados (UI)','Active Plugins'=>'Plugins activos','Parent Theme'=>'Tema padre','Active Theme'=>'Tema activo','Is Multisite'=>'Es multisitio','MySQL Version'=>'Versión de MySQL','WordPress Version'=>'Versión de WordPress','Subscription Expiry Date'=>'Fecha de caducidad de la suscripción','License Status'=>'Estado de la licencia','License Type'=>'Tipo de licencia','Licensed URL'=>'URL con licencia','License Activated'=>'Licencia activada','Free'=>'Gratis','Plugin Type'=>'Tipo de plugin','Plugin Version'=>'Versión del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Esta sección contiene información de depuración sobre la configuración de tu ACF que puede ser útil proporcionar al servicio de asistencia.','An ACF Block on this page requires attention before you can save.'=>'Un bloque de ACF en esta página requiere atención antes de que puedas guardar.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Estos datos se registran a medida que detectamos valores que se han modificado durante la salida. %1$sVaciar registro y descartar%2$s después de escapar los valores en tu código. El aviso volverá a aparecer si volvemos a detectar valores cambiados.','Dismiss permanently'=>'Descartar permanentemente','Instructions for content editors. Shown when submitting data.'=>'Instrucciones para los editores de contenidos. Se muestra al enviar los datos.','Has no term selected'=>'No tiene ningún término seleccionado','Has any term selected'=>'¿Ha seleccionado algún término?','Terms do not contain'=>'Los términos no contienen','Terms contain'=>'Los términos contienen','Term is not equal to'=>'El término no es igual a','Term is equal to'=>'El término es igual a','Has no user selected'=>'No tiene usuario seleccionado','Has any user selected'=>'¿Ha seleccionado algún usuario','Users do not contain'=>'Los usuarios no contienen','Users contain'=>'Los usuarios contienen','User is not equal to'=>'Usuario no es igual a','User is equal to'=>'Usuario es igual a','Has no page selected'=>'No tiene página seleccionada','Has any page selected'=>'¿Has seleccionado alguna página?','Pages do not contain'=>'Las páginas no contienen','Pages contain'=>'Las páginas contienen','Page is not equal to'=>'Página no es igual a','Page is equal to'=>'Página es igual a','Has no relationship selected'=>'No tiene ninguna relación seleccionada','Has any relationship selected'=>'¿Ha seleccionado alguna relación?','Has no post selected'=>'No tiene ninguna entrada seleccionada','Has any post selected'=>'¿Has seleccionado alguna entrada?','Posts do not contain'=>'Las entradas no contienen','Posts contain'=>'Las entradas contienen','Post is not equal to'=>'Entrada no es igual a','Post is equal to'=>'Entrada es igual a','Relationships do not contain'=>'Las relaciones no contienen','Relationships contain'=>'Las relaciones contienen','Relationship is not equal to'=>'La relación no es igual a','Relationship is equal to'=>'La relación es igual a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos de ACF','ACF PRO Feature'=>'Característica de ACF PRO','Renew PRO to Unlock'=>'Renueva PRO para desbloquear','Renew PRO License'=>'Renovar licencia PRO','PRO fields cannot be edited without an active license.'=>'Los campos PRO no se pueden editar sin una licencia activa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activa tu licencia de ACF PRO para editar los grupos de campos asignados a un Bloque ACF.','Please activate your ACF PRO license to edit this options page.'=>'Activa tu licencia de ACF PRO para editar esta página de opciones.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Devolver valores HTML escapados sólo es posible cuando format_value también es rue. Los valores de los campos no se devuelven por seguridad.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Devolver un valor HTML escapado sólo es posible cuando format_value también es true. El valor del campo no se devuelve por seguridad.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'ACF %1$s ahora escapa automáticamente el HTML no seguro cuando es mostrado por the_field o el shortcode de ACF. Hemos detectado que la salida de algunos de tus campos se verá modificada por este cambio. %2$s.','Please contact your site administrator or developer for more details.'=>'Para más detalles, ponte en contacto con el administrador o desarrollador de tu web.','Learn more'=>'Más información','Hide details'=>'Ocultar detalles','Show details'=>'Mostrar detalles','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew ACF PRO License'=>'Renovar licencia ACF PRO','Renew License'=>'Renovar licencia','Manage License'=>'Gestionar la licencia','\'High\' position not supported in the Block Editor'=>'No se admite la posición «Alta» en el editor de bloques','Upgrade to ACF PRO'=>'Actualizar a ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Las páginas de opciones de ACF son páginas de administrador personalizadas para gestionar ajustes globales a través de campos. Puedes crear múltiples páginas y subpáginas.','Add Options Page'=>'Añadir página de opciones','In the editor used as the placeholder of the title.'=>'En el editor utilizado como marcador de posición del título.','Title Placeholder'=>'Marcador de posición del título','4 Months Free'=>'4 meses gratis','(Duplicated from %s)'=>'(Duplicado de %s)','Select Options Pages'=>'Seleccionar páginas de opciones','Duplicate taxonomy'=>'Duplicar texonomía','Create taxonomy'=>'Crear taxonomía','Duplicate post type'=>'Duplicar tipo de contenido','Create post type'=>'Crear tipo de contenido','Link field groups'=>'Enlazar grupos de campos','Add fields'=>'Añadir campos','This Field'=>'Este campo','ACF PRO'=>'ACF PRO','Feedback'=>'Comentarios','Support'=>'Soporte','is developed and maintained by'=>'es desarrollado y mantenido por','Add this %s to the location rules of the selected field groups.'=>'Añadir %s actual a las reglas de localización de los grupos de campos seleccionados.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Activar el ajuste bidireccional te permite actualizar un valor en los campos de destino por cada valor seleccionado para este campo, añadiendo o eliminando el ID de entrada, el ID de taxonomía o el ID de usuario del elemento que se está actualizando. Para más información, lee la documentación.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecciona el/los campo/s para almacenar la referencia al artículo que se está actualizando. Puedes seleccionar este campo. Los campos de destino deben ser compatibles con el lugar donde se está mostrando este campo. Por ejemplo, si este campo se muestra en una taxonomía, tu campo de destino debe ser del tipo taxonomía','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Actualiza un campo en los valores seleccionados, haciendo referencia a este ID','Bidirectional'=>'Bidireccional','%s Field'=>'Campo %s','Select Multiple'=>'Seleccionar varios','WP Engine logo'=>'Logotipo de WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo minúsculas, subrayados y guiones. Máximo 32 caracteres.','The capability name for assigning terms of this taxonomy.'=>'El nombre de la capacidad para asignar términos de esta taxonomía.','Assign Terms Capability'=>'Capacidad de asignar términos','The capability name for deleting terms of this taxonomy.'=>'El nombre de la capacidad para borrar términos de esta taxonomía.','Delete Terms Capability'=>'Capacidad de eliminar términos','The capability name for editing terms of this taxonomy.'=>'El nombre de la capacidad para editar términos de esta taxonomía.','Edit Terms Capability'=>'Capacidad de editar términos','The capability name for managing terms of this taxonomy.'=>'El nombre de la capacidad para gestionar términos de esta taxonomía.','Manage Terms Capability'=>'Gestionar las capacidades para términos','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Establece si las entradas deben excluirse de los resultados de búsqueda y de las páginas de archivo de taxonomía.','More Tools from WP Engine'=>'Más herramientas de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Construido para los que construyen con WordPress, por el equipo de %s','View Pricing & Upgrade'=>'Ver precios y actualizar','Learn More'=>'Aprender más','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelera tu flujo de trabajo y desarrolla mejores sitios web con funciones como Bloques ACF y Páginas de opciones, y sofisticados tipos de campo como Repetidor, Contenido Flexible, Clonar y Galería.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloquea funciones avanzadas y construye aún más con ACF PRO','%s fields'=>'%s campos','No terms'=>'Sin términos','No post types'=>'Sin tipos de contenido','No posts'=>'Sin entradas','No taxonomies'=>'Sin taxonomías','No field groups'=>'Sin grupos de campos','No fields'=>'Sin campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía registrada fuera de ACF y no puede utilizarse.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta clave de taxonomía ya está siendo utilizada por otra taxonomía en ACF y no puede utilizarse.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de taxonomía sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The taxonomy key must be under 32 characters.'=>'La clave taxonómica debe tener menos de 32 caracteres.','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Añadir nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar tipos de contenido','View Post Type'=>'Ver tipo de contenido','New Post Type'=>'Nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Añadir nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido registrado fuera de ACF y no puede utilizarse.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta clave de tipo de contenido ya está siendo utilizada por otro tipo de contenido en ACF y no puede utilizarse.','This field must not be a WordPress reserved term.'=>'Este campo no debe ser un término reservado de WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido sólo debe contener caracteres alfanuméricos en minúsculas, guiones bajos o guiones.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe tener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en los ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Muestra el editor WYSIWYG de WordPress tal y como se ve en las Entradas y Páginas, permitiendo una experiencia de edición de texto enriquecida que también permite contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite seleccionar uno o varios usuarios que pueden utilizarse para crear relaciones entre objetos de datos.','A text input specifically designed for storing web addresses.'=>'Una entrada de texto diseñada específicamente para almacenar direcciones web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un conmutador que te permite elegir un valor de 1 ó 0 (encendido o apagado, verdadero o falso, etc.). Puede presentarse como un interruptor estilizado o una casilla de verificación.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una hora. El formato de la hora se puede personalizar mediante los ajustes del campo.','A basic textarea input for storing paragraphs of text.'=>'Una entrada de área de texto básica para almacenar párrafos de texto.','A basic text input, useful for storing single string values.'=>'Una entrada de texto básica, útil para almacenar valores de una sola cadena.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite seleccionar uno o varios términos de taxonomía en función de los criterios y opciones especificados en los ajustes de los campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Te permite agrupar campos en secciones con pestañas en la pantalla de edición. Útil para mantener los campos organizados y estructurados.','A dropdown list with a selection of choices that you specify.'=>'Una lista desplegable con una selección de opciones que tú especifiques.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Una interfaz de doble columna para seleccionar una o más entradas, páginas o elementos de tipo contenido personalizado para crear una relación con el elemento que estás editando en ese momento. Incluye opciones para buscar y filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo para seleccionar un valor numérico dentro de un rango especificado mediante un elemento deslizante de rango.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un grupo de entradas de botón de opción que permite al usuario hacer una única selección entre los valores que especifiques.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Una interfaz de usuario interactiva y personalizable para seleccionar una o varias entradas, páginas o elementos de tipo contenido con la opción de buscar. ','An input for providing a password using a masked field.'=>'Una entrada para proporcionar una contraseña utilizando un campo enmascarado.','Filter by Post Status'=>'Filtrar por estado de publicación','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, elementos de tipo contenido personalizad o URL de archivo, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar vídeos, imágenes, tweets, audio y otros contenidos haciendo uso de la funcionalidad oEmbed nativa de WordPress.','An input limited to numerical values.'=>'Una entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Se utiliza para mostrar un mensaje a los editores junto a otros campos. Es útil para proporcionar contexto adicional o instrucciones sobre tus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Te permite especificar un enlace y sus propiedades, como el título y el destino, utilizando el selector de enlaces nativo de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una forma de estructurar los campos en grupos para organizar mejor los datos y la pantalla de edición.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Una interfaz de usuario interactiva para seleccionar una ubicación utilizando Google Maps. Requiere una clave API de Google Maps y configuración adicional para mostrarse correctamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utiliza el selector de medios nativo de WordPress para subir o elegir archivos.','A text input specifically designed for storing email addresses.'=>'Un campo de texto diseñado específicamente para almacenar direcciones de correo electrónico.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha y una hora. El formato de devolución de la fecha puede personalizarse mediante los ajustes del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Una interfaz de usuario interactiva para elegir una fecha. El formato de devolución de la fecha se puede personalizar mediante los ajustes del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Una interfaz de usuario interactiva para seleccionar un color o especificar un valor hexadecimal.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un grupo de casillas de verificación que permiten al usuario seleccionar uno o varios valores que tú especifiques.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un grupo de botones con valores que tú especifiques, los usuarios pueden elegir una opción de entre los valores proporcionados.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Te permite agrupar y organizar campos personalizados en paneles plegables que se muestran al editar el contenido. Útil para mantener ordenados grandes conjuntos de datos.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Esto proporciona una solución para repetir contenidos como diapositivas, miembros del equipo y fichas de llamada a la acción, actuando como padre de un conjunto de subcampos que pueden repetirse una y otra vez.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Proporciona una interfaz interactiva para gestionar una colección de archivos adjuntos. La mayoría de los ajustes son similares a los del tipo de campo Imagen. Los ajustes adicionales te permiten especificar dónde se añaden los nuevos adjuntos en la galería y el número mínimo/máximo de adjuntos permitidos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Esto proporciona un editor sencillo, estructurado y basado en diseños. El campo Contenido flexible te permite definir, crear y gestionar contenidos con un control total, utilizando maquetas y subcampos para diseñar los bloques disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Te permite seleccionar y mostrar los campos existentes. No duplica ningún campo de la base de datos, sino que carga y muestra los campos seleccionados en tiempo de ejecución. El campo Clonar puede sustituirse a sí mismo por los campos seleccionados o mostrar los campos seleccionados como un grupo de subcampos.','nounClone'=>'Clon','PRO'=>'PRO','Advanced'=>'Avanzados','JSON (newer)'=>'JSON (nuevo)','Original'=>'Original','Invalid post ID.'=>'ID de publicación no válido.','Invalid post type selected for review.'=>'Tipo de contenido no válido seleccionado para revisión.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Seleccionar campo','Try a different search term or browse %s'=>'Prueba con otro término de búsqueda o explora %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para «%s»','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona el tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Añadir taxonomía','Create custom taxonomies to classify post type content'=>'Crear taxonomías personalizadas para clasificar el contenido del tipo de contenido','Add Your First Taxonomy'=>'Añade tu primera taxonomía','Hierarchical taxonomies can have descendants (like categories).'=>'Las taxonomías jerárquicas pueden tener descendientes (como las categorías).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hace que una taxonomía sea visible en la parte pública de la web y en el escritorio.','One or many post types that can be classified with this taxonomy.'=>'Uno o varios tipos de contenido que pueden clasificarse con esta taxonomía.','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Exponer este tipo de contenido en la REST API.','Customize the query variable name'=>'Personaliza el nombre de la variable de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Se puede acceder a los términos utilizando el permalink no bonito, por ejemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Términos padre-hijo en URLs para taxonomías jerárquicas.','Customize the slug used in the URL'=>'Personalizar el slug utilizado en la URL','Permalinks for this taxonomy are disabled.'=>'Los enlaces permanentes de esta taxonomía están desactivados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave de taxonomía como slug. Tu estructura de enlace permanente será','Taxonomy Key'=>'Clave de la taxonomía','Select the type of permalink to use for this taxonomy.'=>'Selecciona el tipo de enlace permanente a utilizar para esta taxonomía.','Display a column for the taxonomy on post type listing screens.'=>'Mostrar una columna para la taxonomía en las pantallas de listado de tipos de contenido.','Show Admin Column'=>'Mostrar columna de administración','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar la taxonomía en el panel de edición rápida/masiva.','Quick Edit'=>'Edición rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Muestra la taxonomía en los controles del widget nube de etiquetas.','Tag Cloud'=>'Nube de etiquetas','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nombre de función PHP al que llamar para sanear los datos de taxonomía guardados desde una meta box.','Meta Box Sanitization Callback'=>'Llamada a función de saneamiento de la caja meta','Register Meta Box Callback'=>'Registrar llamada a función de caja meta','No Meta Box'=>'Sin caja meta','Custom Meta Box'=>'Caja meta personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla la caja meta en la pantalla del editor de contenidos. Por defecto, la caja meta Categorías se muestra para las taxonomías jerárquicas, y la meta caja Etiquetas se muestra para las taxonomías no jerárquicas.','Meta Box'=>'Caja meta','Categories Meta Box'=>'Caja meta de categorías','Tags Meta Box'=>'Caja meta de etiquetas','A link to a tag'=>'Un enlace a una etiqueta','Describes a navigation link block variation used in the block editor.'=>'Describe una variación del bloque de enlaces de navegación utilizada en el editor de bloques.','A link to a %s'=>'Un enlace a un %s','Tag Link'=>'Enlace a etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'Asigna un título a la variación del bloque de enlaces de navegación utilizada en el editor de bloques.','← Go to tags'=>'← Ir a las etiquetas','Assigns the text used to link back to the main index after updating a term.'=>'Asigna el texto utilizado para volver al índice principal tras actualizar un término.','Back To Items'=>'Volver a los elementos','← Go to %s'=>'← Ir a %s','Tags list'=>'Lista de etiquetas','Assigns text to the table hidden heading.'=>'Asigna texto a la cabecera oculta de la tabla.','Tags list navigation'=>'Navegación de lista de etiquetas','Assigns text to the table pagination hidden heading.'=>'Asigna texto al encabezado oculto de la paginación de la tabla.','Filter by category'=>'Filtrar por categoría','Assigns text to the filter button in the posts lists table.'=>'Asigna texto al botón de filtro en la tabla de listas de publicaciones.','Filter By Item'=>'Filtrar por elemento','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'La descripción no es prominente de forma predeterminada; Sin embargo, algunos temas pueden mostrarlo.','Describes the Description field on the Edit Tags screen.'=>'Describe el campo Descripción de la pantalla Editar etiquetas.','Description Field Description'=>'Descripción del campo Descripción','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Asigna un término superior para crear una jerarquía. El término Jazz, por ejemplo, sería el padre de Bebop y Big Band','Describes the Parent field on the Edit Tags screen.'=>'Describe el campo superior de la pantalla Editar etiquetas.','Parent Field Description'=>'Descripción del campo padre','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'El «slug» es la versión apta para URLs del nombre. Normalmente se escribe todo en minúsculas y sólo contiene letras, números y guiones.','Describes the Slug field on the Edit Tags screen.'=>'Describe el campo slug de la pantalla editar etiquetas.','Slug Field Description'=>'Descripción del campo slug','The name is how it appears on your site'=>'El nombre es como aparece en tu web','Describes the Name field on the Edit Tags screen.'=>'Describe el campo Nombre de la pantalla Editar etiquetas.','Name Field Description'=>'Descripción del campo nombre','No tags'=>'No hay etiquetas','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Asigna el texto que se muestra en las tablas de entradas y lista de medios cuando no hay etiquetas o categorías disponibles.','No Terms'=>'No hay términos','No %s'=>'No hay %s','No tags found'=>'No se han encontrado etiquetas','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Asigna el texto que se muestra al hacer clic en «elegir entre los más utilizados» en el cuadro meta de la taxonomía cuando no hay etiquetas disponibles, y asigna el texto utilizado en la tabla de lista de términos cuando no hay elementos para una taxonomía.','Not Found'=>'No encontrado','Assigns text to the Title field of the Most Used tab.'=>'Asigna texto al campo de título de la pestaña «Más usados».','Most Used'=>'Más usados','Choose from the most used tags'=>'Elige entre las etiquetas más utilizadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Asigna el texto «elige entre los más usados» que se utiliza en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas.','Choose From Most Used'=>'Elige entre los más usados','Choose from the most used %s'=>'Elige entre los %s más usados','Add or remove tags'=>'Añadir o quitar etiquetas','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Asigna el texto de añadir o eliminar elementos utilizado en la meta caja cuando JavaScript está desactivado. Sólo se utiliza en taxonomías no jerárquicas','Add Or Remove Items'=>'Añadir o quitar elementos','Add or remove %s'=>'Añadir o quitar %s','Separate tags with commas'=>'Separa las etiquetas con comas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Asigna al elemento separado con comas el texto utilizado en la caja meta de taxonomía. Sólo se utiliza en taxonomías no jerárquicas.','Separate Items With Commas'=>'Separa los elementos con comas','Separate %s with commas'=>'Separa los %s con comas','Popular Tags'=>'Etiquetas populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Asigna texto a los elementos populares. Sólo se utiliza en taxonomías no jerárquicas.','Popular Items'=>'Elementos populares','Popular %s'=>'%s populares','Search Tags'=>'Buscar etiquetas','Assigns search items text.'=>'Asigna el texto de buscar elementos.','Parent Category:'=>'Categoría superior:','Assigns parent item text, but with a colon (:) added to the end.'=>'Asigna el texto del elemento superior, pero añadiendo dos puntos (:) al final.','Parent Item With Colon'=>'Elemento superior con dos puntos','Parent Category'=>'Categoría superior','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Asigna el texto del elemento superior. Sólo se utiliza en taxonomías jerárquicas.','Parent Item'=>'Elemento superior','Parent %s'=>'%s superior','New Tag Name'=>'Nombre de la nueva etiqueta','Assigns the new item name text.'=>'Asigna el texto del nombre del nuevo elemento.','New Item Name'=>'Nombre del nuevo elemento','New %s Name'=>'Nombre del nuevo %s','Add New Tag'=>'Añadir nueva etiqueta','Assigns the add new item text.'=>'Asigna el texto de añadir nuevo elemento.','Update Tag'=>'Actualizar etiqueta','Assigns the update item text.'=>'Asigna el texto del actualizar elemento.','Update Item'=>'Actualizar elemento','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','In the admin bar to view term during editing.'=>'En la barra de administración para ver el término durante la edición.','Edit Tag'=>'Editar etiqueta','At the top of the editor screen when editing a term.'=>'En la parte superior de la pantalla del editor, al editar un término.','All Tags'=>'Todas las etiquetas','Assigns the all items text.'=>'Asigna el texto de todos los elementos.','Assigns the menu name text.'=>'Asigna el texto del nombre del menú.','Menu Label'=>'Etiqueta de menú','Active taxonomies are enabled and registered with WordPress.'=>'Las taxonomías activas están activadas y registradas en WordPress.','A descriptive summary of the taxonomy.'=>'Un resumen descriptivo de la taxonomía.','A descriptive summary of the term.'=>'Un resumen descriptivo del término.','Term Description'=>'Descripción del término','Single word, no spaces. Underscores and dashes allowed.'=>'Una sola palabra, sin espacios. Se permiten guiones bajos y guiones.','Term Slug'=>'Slug de término','The name of the default term.'=>'El nombre del término por defecto.','Term Name'=>'Nombre del término','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un término para la taxonomía que no se pueda eliminar. No se seleccionará por defecto para las entradas.','Default Term'=>'Término por defecto','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si los términos de esta taxonomía deben ordenarse en el orden en que se proporcionan a `wp_set_object_terms()`.','Sort Terms'=>'Ordenar términos','Add Post Type'=>'Añadir tipo de contenido','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Amplía la funcionalidad de WordPress más allá de las entradas y páginas estándar con tipos de contenido personalizados.','Add Your First Post Type'=>'Añade tu primer tipo de contenido','I know what I\'m doing, show me all the options.'=>'Sé lo que hago, muéstrame todas las opciones.','Advanced Configuration'=>'Configuración avanzada','Hierarchical post types can have descendants (like pages).'=>'Los tipos de entrada jerárquicos pueden tener descendientes (como las páginas).','Hierarchical'=>'Jerárquico','Visible on the frontend and in the admin dashboard.'=>'Visible en la parte pública de la web y en el escritorio.','Public'=>'Público','movie'=>'pelicula','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sólo letras minúsculas, guiones bajos y guiones, 20 caracteres como máximo.','Movie'=>'Película','Singular Label'=>'Etiqueta singular','Movies'=>'Películas','Plural Label'=>'Etiqueta plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para utilizar en lugar de `WP_REST_Posts_Controller`.','Controller Class'=>'Clase de controlador','The namespace part of the REST API URL.'=>'La parte del espacio de nombres de la URL de la API REST.','Namespace Route'=>'Ruta del espacio de nombres','The base URL for the post type REST API URLs.'=>'La URL base para las URL de la REST API del tipo de contenido.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expone este tipo de contenido en la REST API. Necesario para utilizar el editor de bloques.','Show In REST API'=>'Mostrar en REST API','Customize the query variable name.'=>'Personaliza el nombre de la variable de consulta.','Query Variable'=>'Variable de consulta','No Query Variable Support'=>'No admite variables de consulta','Custom Query Variable'=>'Variable de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Se puede acceder a los elementos utilizando el enlace permanente no bonito, por ejemplo {post_type}={post_slug}.','Query Variable Support'=>'Compatibilidad con variables de consulta','URLs for an item and items can be accessed with a query string.'=>'Se puede acceder a las URL de un elemento y de los elementos mediante una cadena de consulta.','Publicly Queryable'=>'Consultable públicamente','Custom slug for the Archive URL.'=>'Slug personalizado para la URL del Archivo.','Archive Slug'=>'Slug del archivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Tiene un archivo de elementos que se puede personalizar con un archivo de plantilla de archivo en tu tema.','Archive'=>'Archivo','Pagination support for the items URLs such as the archives.'=>'Compatibilidad de paginación para las URL de los elementos, como los archivos.','Pagination'=>'Paginación','RSS feed URL for the post type items.'=>'URL del feed RSS para los elementos del tipo de contenido.','Feed URL'=>'URL del Feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la estructura de enlaces permanentes para añadir el prefijo `WP_Rewrite::$front` a las URLs.','Front URL Prefix'=>'Prefijo de las URLs','Customize the slug used in the URL.'=>'Personaliza el slug utilizado en la URL.','URL Slug'=>'Slug de la URL','Permalinks for this post type are disabled.'=>'Los enlaces permanentes para este tipo de contenido están desactivados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescribe la URL utilizando un slug personalizado definido en el campo de abajo. Tu estructura de enlace permanente será','No Permalink (prevent URL rewriting)'=>'Sin enlace permanente (evita la reescritura de URL)','Custom Permalink'=>'Enlace permanente personalizado','Post Type Key'=>'Clave de tipo de contenido','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescribe la URL utilizando la clave del tipo de entrada como slug. Tu estructura de enlace permanente será','Permalink Rewrite'=>'Reescritura de enlace permanente','Delete items by a user when that user is deleted.'=>'Borrar elementos de un usuario cuando ese usuario se borra.','Delete With User'=>'Borrar con usuario','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permite que el tipo de contenido se pueda exportar desde \'Herramientas\' > \'Exportar\'.','Can Export'=>'Se puede exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, proporciona un plural para utilizarlo en las capacidades.','Plural Capability Name'=>'Nombre de la capacidad en plural','Choose another post type to base the capabilities for this post type.'=>'Elige otro tipo de contenido para basar las capacidades de este tipo de contenido.','Singular Capability Name'=>'Nombre de la capacidad en singular','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por defecto, las capacidades del tipo de entrada heredarán los nombres de las capacidades de \'Entrada\', p. ej. edit_post, delete_posts. Actívalo para utilizar capacidades específicas del tipo de contenido, por ejemplo, edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renombrar capacidades','Exclude From Search'=>'Excluir de la búsqueda','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permite añadir elementos a los menús en la pantalla \'Apariencia\' > \'Menús\'. Debe estar activado en \'Opciones de pantalla\'.','Appearance Menus Support'=>'Compatibilidad con menús de apariencia','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como un elemento en el menú \'Nuevo\' de la barra de administración.','Show In Admin Bar'=>'Mostrar en la barra administración','Custom Meta Box Callback'=>'Llamada a función de caja meta personalizada','Menu Icon'=>'Icono de menú','The position in the sidebar menu in the admin dashboard.'=>'La posición en el menú de la barra lateral en el panel de control del escritorio.','Menu Position'=>'Posición en el menú','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por defecto, el tipo de contenido obtendrá un nuevo elemento de nivel superior en el menú de administración. Si se proporciona aquí un elemento de nivel superior existente, el tipo de entrada se añadirá como un elemento de submenú debajo de él.','Admin Menu Parent'=>'Menú de administración padre','Admin editor navigation in the sidebar menu.'=>'Navegación del editor de administración en el menú de la barra lateral.','Show In Admin Menu'=>'Mostrar en el menú de administración','Items can be edited and managed in the admin dashboard.'=>'Los elementos se pueden editar y gestionar en el panel de control del administrador.','Show In UI'=>'Mostrar en IU','A link to a post.'=>'Un enlace a una publicación.','Description for a navigation link block variation.'=>'Descripción de una variación del bloque de enlaces de navegación.','Item Link Description'=>'Descripción del enlace al elemento','A link to a %s.'=>'Un enlace a un %s.','Post Link'=>'Enlace a publicación','Title for a navigation link block variation.'=>'Título para una variación del bloque de enlaces de navegación.','Item Link'=>'Enlace a elemento','%s Link'=>'Enlace a %s','Post updated.'=>'Publicación actualizada.','In the editor notice after an item is updated.'=>'En el aviso del editor después de actualizar un elemento.','Item Updated'=>'Elemento actualizado','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Publicación programada.','In the editor notice after scheduling an item.'=>'En el aviso del editor después de programar un elemento.','Item Scheduled'=>'Elemento programado','%s scheduled.'=>'%s programados.','Post reverted to draft.'=>'Publicación devuelta a borrador.','In the editor notice after reverting an item to draft.'=>'En el aviso del editor después de devolver un elemento a borrador.','Item Reverted To Draft'=>'Elemento devuelto a borrador','%s reverted to draft.'=>'%s devuelto a borrador.','Post published privately.'=>'Publicación publicada de forma privada.','In the editor notice after publishing a private item.'=>'En el aviso del editor después de publicar un elemento privado.','Item Published Privately'=>'Elemento publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Entrada publicada.','In the editor notice after publishing an item.'=>'En el aviso del editor después de publicar un elemento.','Item Published'=>'Elemento publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de publicaciones','Used by screen readers for the items list on the post type list screen.'=>'Utilizado por los lectores de pantalla para la lista de elementos de la pantalla de lista de tipos de contenido.','Items List'=>'Lista de elementos','%s list'=>'Lista de %s','Posts list navigation'=>'Navegación por lista de publicaciones','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizado por los lectores de pantalla para la paginación de la lista de filtros en la pantalla de la lista de tipos de contenido.','Items List Navigation'=>'Navegación por la lista de elementos','%s list navigation'=>'Navegación por la lista de %s','Filter posts by date'=>'Filtrar publicaciones por fecha','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de filtrar por fecha en la pantalla de lista de tipos de contenido.','Filter Items By Date'=>'Filtrar elementos por fecha','Filter %s by date'=>'Filtrar %s por fecha','Filter posts list'=>'Filtrar la lista de publicaciones','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizado por los lectores de pantalla para el encabezado de los enlaces de filtro en la pantalla de la lista de tipos de contenido.','Filter Items List'=>'Filtrar lista de elementos','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'En la ventana emergente de medios se muestran todos los medios subidos a este elemento.','Uploaded To This Item'=>'Subido a este elemento','Uploaded to this %s'=>'Subido a este %s','Insert into post'=>'Insertar en publicación','As the button label when adding media to content.'=>'Como etiqueta del botón al añadir medios al contenido.','Insert Into Media Button'=>'Botón Insertar en medios','Insert into %s'=>'Insertar en %s','Use as featured image'=>'Usar como imagen destacada','As the button label for selecting to use an image as the featured image.'=>'Como etiqueta del botón para seleccionar el uso de una imagen como imagen destacada.','Use Featured Image'=>'Usar imagen destacada','Remove featured image'=>'Eliminar la imagen destacada','As the button label when removing the featured image.'=>'Como etiqueta del botón al eliminar la imagen destacada.','Remove Featured Image'=>'Eliminar imagen destacada','Set featured image'=>'Establecer imagen destacada','As the button label when setting the featured image.'=>'Como etiqueta del botón al establecer la imagen destacada.','Set Featured Image'=>'Establecer imagen destacada','Featured image'=>'Imagen destacada','In the editor used for the title of the featured image meta box.'=>'En el editor utilizado para el título de la caja meta de la imagen destacada.','Featured Image Meta Box'=>'Caja meta de imagen destacada','Post Attributes'=>'Atributos de publicación','In the editor used for the title of the post attributes meta box.'=>'En el editor utilizado para el título de la caja meta de atributos de la publicación.','Attributes Meta Box'=>'Caja meta de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Archivo de publicaciones','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Añade elementos \'Archivo de tipo de contenido\' con esta etiqueta a la lista de publicaciones que se muestra al añadir elementos a un menú existente en un CPT con archivos activados. Sólo aparece cuando se editan menús en modo \'Vista previa en vivo\' y se ha proporcionado un slug de archivo personalizado.','Archives Nav Menu'=>'Menú de navegación de archivos','%s Archives'=>'Archivo de %s','No posts found in Trash'=>'No hay publicaciones en la papelera','At the top of the post type list screen when there are no posts in the trash.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones en la papelera.','No Items Found in Trash'=>'No se hay elementos en la papelera','No %s found in Trash'=>'No hay %s en la papelera','No posts found'=>'No se han encontrado publicaciones','At the top of the post type list screen when there are no posts to display.'=>'En la parte superior de la pantalla de la lista de tipos de contenido cuando no hay publicaciones que mostrar.','No Items Found'=>'No se han encontrado elementos','No %s found'=>'No se han encontrado %s','Search Posts'=>'Buscar publicaciones','At the top of the items screen when searching for an item.'=>'En la parte superior de la pantalla de elementos, al buscar un elemento.','Search Items'=>'Buscar elementos','Search %s'=>'Buscar %s','Parent Page:'=>'Página superior:','For hierarchical types in the post type list screen.'=>'Para tipos jerárquicos en la pantalla de lista de tipos de contenido.','Parent Item Prefix'=>'Prefijo del artículo superior','Parent %s:'=>'%s superior:','New Post'=>'Nueva publicación','New Item'=>'Nuevo elemento','New %s'=>'Nuevo %s','Add New Post'=>'Añadir nueva publicación','At the top of the editor screen when adding a new item.'=>'En la parte superior de la pantalla del editor, al añadir un nuevo elemento.','Add New Item'=>'Añadir nuevo elemento','Add New %s'=>'Añadir nuevo %s','View Posts'=>'Ver publicaciones','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece en la barra de administración en la vista «Todas las publicaciones», siempre que el tipo de contenido admita archivos y la página de inicio no sea un archivo de ese tipo de contenido.','View Items'=>'Ver elementos','View Post'=>'Ver publicacion','In the admin bar to view item when editing it.'=>'En la barra de administración para ver el elemento al editarlo.','View Item'=>'Ver elemento','View %s'=>'Ver %s','Edit Post'=>'Editar publicación','At the top of the editor screen when editing an item.'=>'En la parte superior de la pantalla del editor, al editar un elemento.','Edit Item'=>'Editar elemento','Edit %s'=>'Editar %s','All Posts'=>'Todas las entradas','In the post type submenu in the admin dashboard.'=>'En el submenú de tipo de contenido del escritorio.','All Items'=>'Todos los elementos','All %s'=>'Todos %s','Admin menu name for the post type.'=>'Nombre del menú de administración para el tipo de contenido.','Menu Name'=>'Nombre del menú','Regenerate all labels using the Singular and Plural labels'=>'Regenera todas las etiquetas utilizando las etiquetas singular y plural','Regenerate'=>'Regenerar','Active post types are enabled and registered with WordPress.'=>'Los tipos de entrada activos están activados y registrados en WordPress.','A descriptive summary of the post type.'=>'Un resumen descriptivo del tipo de contenido.','Add Custom'=>'Añadir personalizado','Enable various features in the content editor.'=>'Activa varias funciones en el editor de contenido.','Post Formats'=>'Formatos de entrada','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecciona las taxonomías existentes para clasificar los elementos del tipo de contenido.','Browse Fields'=>'Explorar campos','Nothing to import'=>'Nada que importar','. The Custom Post Type UI plugin can be deactivated.'=>'. El plugin Custom Post Type UI se puede desactivar.','Imported %d item from Custom Post Type UI -'=>'Importado %d elemento de la interfaz de Custom Post Type UI -' . "\0" . 'Importados %d elementos de la interfaz de Custom Post Type UI -','Failed to import taxonomies.'=>'Error al importar taxonomías.','Failed to import post types.'=>'Error al importar tipos de contenido.','Nothing from Custom Post Type UI plugin selected for import.'=>'No se ha seleccionado nada del plugin Custom Post Type UI para importar.','Imported 1 item'=>'1 elementos importado' . "\0" . '%s elementos importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Al importar un tipo de contenido o taxonomía con la misma clave que uno ya existente, se sobrescribirán los ajustes del tipo de contenido o taxonomía existentes con los de la importación.','Import from Custom Post Type UI'=>'Importar desde Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'El siguiente código puede utilizarse para registrar una versión local de los elementos seleccionados. Almacenar grupos de campos, tipos de contenido o taxonomías localmente puede proporcionar muchas ventajas, como tiempos de carga más rápidos, control de 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 dentro de un archivo externo, y luego desactiva o elimina los elementos desde la administración de ACF.','Export - Generate PHP'=>'Exportar - Generar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecciona taxonomías','Select Post Types'=>'Selecciona tipos de contenido','Exported 1 item.'=>'1 elemento exportado.' . "\0" . '%s elementos exportados.','Category'=>'Categoría','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomía %s creada','%s taxonomy updated'=>'Taxonomía %s actualizada','Taxonomy draft updated.'=>'Borrador de taxonomía actualizado.','Taxonomy scheduled for.'=>'Taxonomía programada para.','Taxonomy submitted.'=>'Taxonomía enviada.','Taxonomy saved.'=>'Taxonomía guardada.','Taxonomy deleted.'=>'Taxonomía borrada.','Taxonomy updated.'=>'Taxonomía actualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Esta taxonomía no se ha podido registrar porque su clave está siendo utilizada por otra taxonomía registrada por otro plugin o tema.','Taxonomy synchronized.'=>'Taxonomía sincronizada.' . "\0" . '%s taxonomías sincronizadas.','Taxonomy duplicated.'=>'Taxonomía duplicada.' . "\0" . '%s taxonomías duplicadas.','Taxonomy deactivated.'=>'Taxonomía desactivada.' . "\0" . '%s taxonomías desactivadas.','Taxonomy activated.'=>'Taxonomía activada.' . "\0" . '%s taxonomías activadas.','Terms'=>'Términos','Post type synchronized.'=>'Tipo de contenido sincronizado.' . "\0" . '%s tipos de contenido sincronizados.','Post type duplicated.'=>'Tipo de contenido duplicado.' . "\0" . '%s tipos de contenido duplicados.','Post type deactivated.'=>'Tipo de contenido desactivado.' . "\0" . '%s tipos de contenido desactivados.','Post type activated.'=>'Tipo de contenido activado.' . "\0" . '%s tipos de contenido activados.','Post Types'=>'Tipos de contenido','Advanced Settings'=>'Ajustes avanzados','Basic Settings'=>'Ajustes básicos','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Este tipo de contenido no se ha podido registrar porque su clave está siendo utilizada por otro tipo de contenido registrado por otro plugin o tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'Enlazar grupos de campos existentes','%s post type created'=>'%s tipo de contenido creado','Add fields to %s'=>'Añadir campos a %s','%s post type updated'=>'Tipo de contenido %s actualizado','Post type draft updated.'=>'Borrador de tipo de contenido actualizado.','Post type scheduled for.'=>'Tipo de contenido programado para.','Post type submitted.'=>'Tipo de contenido enviado.','Post type saved.'=>'Tipo de contenido guardado.','Post type updated.'=>'Tipo de contenido actualizado.','Post type deleted.'=>'Tipo de contenido eliminado.','Type to search...'=>'Escribe para buscar...','PRO Only'=>'Solo en PRO','Field groups linked successfully.'=>'Grupos de campos enlazados correctamente.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa tipos de contenido y taxonomías registrados con Custom Post Type UI y gestiónalos con ACF. Empieza aquí.','ACF'=>'ACF','taxonomy'=>'taxonomía','post type'=>'tipo de contenido','Done'=>'Hecho','Field Group(s)'=>'Grupo(s) de campo(s)','Select one or many field groups...'=>'Selecciona uno o varios grupos de campos...','Please select the field groups to link.'=>'Selecciona los grupos de campos que quieras enlazar.','Field group linked successfully.'=>'Grupo de campos enlazado correctamente.' . "\0" . 'Grupos de campos enlazados correctamente.','post statusRegistration Failed'=>'Error de registro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Este elemento no se ha podido registrar porque su clave está siendo utilizada por otro elemento registrado por otro plugin o tema.','REST API'=>'REST API','Permissions'=>'Permisos','URLs'=>'URLs','Visibility'=>'Visibilidad','Labels'=>'Etiquetas','Field Settings Tabs'=>'Pestañas de ajustes de campos','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[valor del shortcode de ACF desactivado en la vista previa]','Close Modal'=>'Cerrar ventana emergente','Field moved to other group'=>'Campo movido a otro grupo','Close modal'=>'Cerrar ventana emergente','Start a new group of tabs at this tab.'=>'Empieza un nuevo grupo de pestañas en esta pestaña','New Tab Group'=>'Nuevo grupo de pestañas','Use a stylized checkbox using select2'=>'Usa una casilla de verificación estilizada utilizando select2','Save Other Choice'=>'Guardar la opción «Otro»','Allow Other Choice'=>'Permitir la opción «Otro»','Add Toggle All'=>'Añade un «Alternar todos»','Save Custom Values'=>'Guardar los valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Los valores personalizados de la casilla de verificación no pueden estar vacíos. Desmarca cualquier valor vacío.','Updates'=>'Actualizaciones','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Guardar cambios','Field Group Title'=>'Título del grupo de campos','Add title'=>'Añadir título','New to ACF? Take a look at our getting started guide.'=>'¿Nuevo en ACF? Echa un vistazo a nuestra guía para comenzar.','Add Field Group'=>'Añadir grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados juntos, y después añadir esos campos a las pantallas de edición.','Add Your First Field Group'=>'Añade tu primer grupo de campos','Options Pages'=>'Páginas de opciones','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contenido flexible','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloquea las características extra con ACF PRO','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado el %1$s a las %2$s','Group Settings'=>'Ajustes de grupo','Location Rules'=>'Reglas de ubicación','Choose from over 30 field types. Learn more.'=>'Elige de entre más de 30 tipos de campos. Aprende más.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comienza creando nuevos campos personalizados para tus entradas, páginas, tipos de contenido personalizados y otros contenidos de WordPress.','Add Your First Field'=>'Añade tu primer campo','#'=>'#','Add Field'=>'Añadir campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'General','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'¿Mover este grupo de campos a la papelera?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields y Advanced Custom Fields PRO no deberían estar activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'Actualizar a la versión Pro','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Lo siento, este grupo de campos no está disponible para la comparación diff.','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar los cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debates. Tenemos una comunidad activa y amistosa, en nuestros foros de la comunidad, que pueden ayudarte a descubrir cómo hacer todo en el mundo de ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF. Si te encuentras con alguna dificultad, hay varios lugares donde puedes encontrar ayuda:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Perfil de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Campo clon','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'N.º de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'Colocación de la instrucción','Label Placement'=>'Ubicación de la etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'Obligatorio','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa.','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona los grupos de campos que te gustaría exportar y luego elige tu método de exportación. Exporta como JSON para exportar un archivo .json que puedes importar en otra instalación de ACF. Genera PHP para exportar a código PHP que puedes incluir en tu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona el archivo JSON de Advanced Custom Fields que te gustaría importar. Cuando hagas clic en el botón importar de abajo, ACF importará los grupos de campos.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Supports','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo no se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'Ningún %s','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'Multi-Expand','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringir qué archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'Filtrar por función','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'Inicialización del retardo','Show Media Upload Buttons'=>'Mostrar botones para subir archivos multimedia','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Texto del marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'Número máximo de entradas','Minimum Posts'=>'Número mínimo de entradas','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'Tipos de archivo permitidos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir qué imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'El nombre del tipo de bloque es requerido.','Block type "%s" is already registered.'=>'El tipo de bloque " %s" ya está registrado.','Switch to Edit'=>'Cambiar a Editar','Switch to Preview'=>'Cambiar a vista previa','Change content alignment'=>'Cambiar la alineación del contenido','%s settings'=>'%s ajustes','This block contains no editable fields.'=>'Este bloque no contiene campos editables.','Assign a field group to add fields to this block.'=>'Asigna un grupo de campos para añadir campos a este bloque.','Options Updated'=>'Opciones Actualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para habilitar las actualizaciones, introduzca su clave de licencia en la página Actualizaciones. Si no tiene una clave de licencia, consulte los detalles y los precios..','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Error de activación de ACF. La clave de licencia definida ha cambiado, pero se ha producido un error al desactivar la licencia anterior','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Error de activación de ACF. La clave de licencia definida ha cambiado, pero se ha producido un error al conectarse al servidor de activación','ACF Activation Error'=>'Error de activación de ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Error. No se ha podido conectar con el servidor de actualización','Check Again'=>'Comprobar de nuevo','ACF Activation Error. Could not connect to activation server'=>'Error. No se ha podido conectar con el servidor de actualización','Publish'=>'Publicar','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'No se encontraron grupos de campos personalizados para esta página de opciones. Crear Grupo de Campos Personalizados','Error. Could not connect to update server'=>'Error. No se ha podido conectar con el servidor de actualización','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. No se pudo autenticar el paquete de actualización. Compruebe de nuevo o desactive y reactive su licencia ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Error. Su licencia para este sitio ha caducado o ha sido desactivada. Por favor, reactive su licencia ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Elige uno o más campos que quieras clonar','Display'=>'Mostrar','Specify the style used to render the clone field'=>'Especifique el estilo utilizado para procesar el campo de clonación','Group (displays selected fields in a group within this field)'=>'Grupo (muestra los campos seleccionados en un grupo dentro de este campo)','Seamless (replaces this field with selected fields)'=>'Transparente (reemplaza este campo con los campos seleccionados)','Labels will be displayed as %s'=>'Las etiquetas se mostrarán como %s','Prefix Field Labels'=>'Etiquetas del prefijo de campo','Values will be saved as %s'=>'Los valores se guardarán como %s','Prefix Field Names'=>'Nombres de prefijos de campos','Unknown field'=>'Campo desconocido','Unknown field group'=>'Grupo de campos desconocido','All fields from %s field group'=>'Todos los campos del grupo de campo %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Agregar Fila','layout'=>'diseño' . "\0" . 'esquema','layouts'=>'diseños','This field requires at least {min} {label} {identifier}'=>'Este campo requiere al menos {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Este campo tiene un límite de la etiqueta de la etiqueta de la etiqueta de la etiqueta.','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} requerido (min {min})','Flexible Content requires at least 1 layout'=>'El Contenido Flexible requiere por lo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Haz click en el botón "%s" debajo para comenzar a crear tu esquema','Add layout'=>'Agregar Esquema','Duplicate layout'=>'Duplicar Diseño','Remove layout'=>'Remover esquema','Click to toggle'=>'Clic para mostrar','Delete Layout'=>'Eliminar Esquema','Duplicate Layout'=>'Duplicar Esquema','Add New Layout'=>'Agregar Nuevo Esquema','Add Layout'=>'Agregar Esquema','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Esquemas Mínimos','Maximum Layouts'=>'Esquemas Máximos','Button Label'=>'Etiqueta del Botón','%s must be of type array or null.'=>'%s debe ser de tipo matriz o null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s debe contener al menos %2$s %3$s diseño.' . "\0" . '%1$s debe contener al menos %2$s %3$s diseños.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s debe contener como máximo %2$s %3$s diseño.' . "\0" . '%1$s debe contener como máximo %2$s %3$s diseños.','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Agregar Imagen a Galería','Maximum selection reached'=>'Selección máxima alcanzada','Length'=>'Longitud','Caption'=>'Leyenda','Alt Text'=>'Texto Alt','Add to gallery'=>'Agregar a galería','Bulk actions'=>'Acciones en lote','Sort by date uploaded'=>'Ordenar por fecha de subida','Sort by date modified'=>'Ordenar por fecha de modificación','Sort by title'=>'Ordenar por título','Reverse current order'=>'Invertir orden actual','Close'=>'Cerrar','Minimum Selection'=>'Selección Mínima','Maximum Selection'=>'Selección Máxima','Allowed file types'=>'Tipos de archivos permitidos','Insert'=>'Insertar','Specify where new attachments are added'=>'Especificar dónde se agregan nuevos adjuntos','Append to the end'=>'Añadir al final','Prepend to the beginning'=>'Adelantar hasta el principio','Minimum rows not reached ({min} rows)'=>'Mínimo de filas alcanzado ({min} rows)','Maximum rows reached ({max} rows)'=>'Máximo de filas alcanzado ({max} rows)','Error loading page'=>'Error al cargar la página','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'Útil para campos con un gran número de filas.','Rows Per Page'=>'Filas por página','Set the number of rows to be displayed on a page.'=>'Establece el número de filas que se mostrarán en una página.','Minimum Rows'=>'Mínimo de Filas','Maximum Rows'=>'Máximo de Filas','Collapsed'=>'Colapsado','Select a sub field to show when row is collapsed'=>'Elige un subcampo para indicar cuándo se colapsa la fila','Invalid field key or name.'=>'Clave de campo no válida.','There was an error retrieving the field.'=>'Ha habido un error al recuperar el campo.','Click to reorder'=>'Arrastra para reordenar','Add row'=>'Agregar fila','Duplicate row'=>'Duplicar fila','Remove row'=>'Remover fila','Current Page'=>'Página actual','First Page'=>'Primera página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Página siguiente','Last Page'=>'Última página','No block types exist'=>'No existen tipos de bloques','No options pages exist'=>'No existen páginas de opciones','Deactivate License'=>'Desactivar Licencia','Activate License'=>'Activar Licencia','License Information'=>'Información de la licencia','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Para desbloquear las actualizaciones, por favor a continuación introduce tu clave de licencia. Si no tienes una clave de licencia, consulta detalles y precios.','License Key'=>'Clave de Licencia','Your license key is defined in wp-config.php.'=>'La clave de licencia se define en wp-config.php.','Retry Activation'=>'Reintentar activación','Update Information'=>'Información de Actualización','Current Version'=>'Versión Actual','Latest Version'=>'Última Versión','Update Available'=>'Actualización Disponible','Upgrade Notice'=>'Notificación de Actualización','Check For Updates'=>'','Enter your license key to unlock updates'=>'Por favor ingresa tu clave de licencia para habilitar actualizaciones','Update Plugin'=>'Actualizar Plugin','Please reactivate your license to unlock updates'=>'Reactive su licencia para desbloquear actualizaciones'],'language'=>'es_ES','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_ES.mo b/lang/acf-es_ES.mo
index 6604a3e..2b3d5d3 100644
Binary files a/lang/acf-es_ES.mo and b/lang/acf-es_ES.mo differ
diff --git a/lang/acf-es_ES.po b/lang/acf-es_ES.po
index 6d41e53..a276b4e 100644
--- a/lang/acf-es_ES.po
+++ b/lang/acf-es_ES.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: es_ES\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,32 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Saber más"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACE no fue capaz de realizar la validación porque falló la verificación del "
+"nonce facilitado."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"CE no fue capaz de realizar la validación porque no se recibió ningún nonce "
+"del servidor."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "lo desarrollan y mantienen"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Actualizar la fuente"
@@ -68,14 +94,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF no pudo realizar la validación debido a que se proporcionó un nonce de "
-"seguridad no válido."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Permitir el acceso al valor en la interfaz del editor"
@@ -2070,21 +2088,21 @@ msgstr "Añadir campos"
msgid "This Field"
msgstr "Este campo"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Comentarios"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Soporte"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "es desarrollado y mantenido por"
@@ -4681,7 +4699,7 @@ msgstr ""
"Importa tipos de contenido y taxonomías registrados con Custom Post Type UI "
"y gestiónalos con ACF. Empieza aquí."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -5015,7 +5033,7 @@ msgstr "Activa este elemento"
msgid "Move field group to trash?"
msgstr "¿Mover este grupo de campos a la papelera?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -5028,7 +5046,7 @@ msgstr "Inactivo"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5037,7 +5055,7 @@ msgstr ""
"activos al mismo tiempo. Hemos desactivado automáticamente Advanced Custom "
"Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5490,7 +5508,7 @@ msgstr "Todo los formatos de %s"
msgid "Attachment"
msgstr "Adjunto"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "El valor de %s es obligatorio"
@@ -5985,7 +6003,7 @@ msgstr "Duplicar este elemento"
msgid "Supports"
msgstr "Supports"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentación"
@@ -6283,8 +6301,8 @@ msgstr "%d campos requieren atención"
msgid "1 field requires attention"
msgstr "1 campo requiere atención"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validación fallida"
@@ -7666,90 +7684,90 @@ msgid "Time Picker"
msgstr "Selector de hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactivo (%s)"
msgstr[1] "Inactivos (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "No se han encontrado campos en la papelera"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "No se han encontrado campos"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Buscar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nuevo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Añadir nuevo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "No se han encontrado grupos de campos en la papelera"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "No se han encontrado grupos de campos"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Buscar grupo de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nuevo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Añadir nuevo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Añadir nuevo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-es_MX.l10n.php b/lang/acf-es_MX.l10n.php
index e4406aa..44db17a 100644
--- a/lang/acf-es_MX.l10n.php
+++ b/lang/acf-es_MX.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_MX','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['%s fields'=>'%s campos','No terms'=>'No se encontraron términos','No post types'=>'No se encontraron tipos de contenidos','No posts'=>'No se encontraron entradas','No taxonomies'=>'No se encontraron taxonomías','No field groups'=>'No se encontraron grupos de campos','No fields'=>'No se encontraron campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'La clave de esta taxonomía ya está en uso por otra taxonomía registrada fuera de ACF y no puede ser usada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'La clave de esta taxonomía ya está en uso por otra taxonomía fuera de ACF y no puede ser usada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de la taxonomía debe contener solamente caracteres alfanuméricos en minúsculas, guiones y guiones bajos.','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera.','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Agregar nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar Tipos de Contenido','View Post Type'=>'Ver tipos de contenido','New Post Type'=>'Añadir nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Añadir nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'La clave de este tipo de contenido ya es usada por otro tipo de contenido registrado fuera de ACF y no puede ser usada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'La clave de este tipo de contenido ya es usada por otro tipo de contenido en ACF y no puede ser usada.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido debe contener solamente caracteres alfanuméricos en minúsculas, guiones o guiones bajos.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe contener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Despliega el editor WYSIWYG de WordPress tal aparece en entradas y páginas, permitiendo una experiencia de edición de texto enriquecedora que permite el uso de contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite la selección de uno o más usuarios, los cuales pueden ser utilizados para crear relaciones entre objetos de datos.','A dropdown list with a selection of choices that you specify.'=>'Una lista despegable con una selección de opciones que tú especificas. ','Filter by Post Status'=>'Filtrar por estado de entrada','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, tipos de contenido, o URLs de archivos, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar videos, imágenes, tweets, audio y otro contenido haciendo uso de la funcionalidad nativa de oEmbed de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Usa el selector de medios nativo de WordPress para cargar o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una manera de estructurar campos en grupos para una mejor organización de los datos y de la pantalla de edición.','Uses the native WordPress media picker to upload, or choose files.'=>'Usa el selector de medios nativo de WordPress para cargar o elegir archivos.','nounClone'=>'Clon','Original'=>'Original','Invalid post ID.'=>'El ID de la entrada no es válido.','Invalid post type selected for review.'=>'Tipo de entrada inválida seleccionada para valoración.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Selecciona Campo','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para \'%s\'','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona tipo de campo','Popular'=>'Popular','Add Taxonomy'=>'Agregar taxonomía','Add Your First Taxonomy'=>'Agrega tu primera taxonomía','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Customize the query variable name'=>'Personaliza los argumentos de la consulta.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'"%s" no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color predeterminado','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s).','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación "%s" ya está registrado.','Class "%s" does not exist.'=>'La clase "%s" no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'ID','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores "personalizados" a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se iniciará hasta que se haga clic en el campo','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'%s campos','No terms'=>'No se encontraron términos','No post types'=>'No se encontraron tipos de contenidos','No posts'=>'No se encontraron entradas','No taxonomies'=>'No se encontraron taxonomías','No field groups'=>'No se encontraron grupos de campos','No fields'=>'No se encontraron campos','No description'=>'Sin descripción','Any post status'=>'Cualquier estado de entrada','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'La clave de esta taxonomía ya está en uso por otra taxonomía registrada fuera de ACF y no puede ser usada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'La clave de esta taxonomía ya está en uso por otra taxonomía fuera de ACF y no puede ser usada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave de la taxonomía debe contener solamente caracteres alfanuméricos en minúsculas, guiones y guiones bajos.','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'No se han encontrado taxonomías en la papelera.','No Taxonomies found'=>'No se han encontrado taxonomías','Search Taxonomies'=>'Buscar taxonomías','View Taxonomy'=>'Ver taxonomía','New Taxonomy'=>'Nueva taxonomía','Edit Taxonomy'=>'Editar taxonomía','Add New Taxonomy'=>'Agregar nueva taxonomía','No Post Types found in Trash'=>'No se han encontrado tipos de contenido en la papelera','No Post Types found'=>'No se han encontrado tipos de contenido','Search Post Types'=>'Buscar Tipos de Contenido','View Post Type'=>'Ver tipos de contenido','New Post Type'=>'Añadir nuevo tipo de contenido','Edit Post Type'=>'Editar tipo de contenido','Add New Post Type'=>'Añadir nuevo tipo de contenido','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'La clave de este tipo de contenido ya es usada por otro tipo de contenido registrado fuera de ACF y no puede ser usada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'La clave de este tipo de contenido ya es usada por otro tipo de contenido en ACF y no puede ser usada.','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clave del tipo de contenido debe contener solamente caracteres alfanuméricos en minúsculas, guiones o guiones bajos.','The post type key must be under 20 characters.'=>'La clave del tipo de contenido debe contener menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'No recomendamos utilizar este campo en ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Despliega el editor WYSIWYG de WordPress tal aparece en entradas y páginas, permitiendo una experiencia de edición de texto enriquecedora que permite el uso de contenido multimedia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite la selección de uno o más usuarios, los cuales pueden ser utilizados para crear relaciones entre objetos de datos.','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'Una lista despegable con una selección de opciones que tú especificas. ','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'Filtrar por estado de entrada','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un desplegable interactivo para seleccionar una o más entradas, páginas, tipos de contenido, o URLs de archivos, con la opción de buscar.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interactivo para incrustar videos, imágenes, tweets, audio y otro contenido haciendo uso de la funcionalidad nativa de oEmbed de WordPress.','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'Usa el selector de medios nativo de WordPress para cargar o elegir imágenes.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Proporciona una manera de estructurar campos en grupos para una mejor organización de los datos y de la pantalla de edición.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'Usa el selector de medios nativo de WordPress para cargar o elegir archivos.','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Clon','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'Original','Invalid post ID.'=>'El ID de la entrada no es válido.','Invalid post type selected for review.'=>'Tipo de entrada inválida seleccionada para valoración.','More'=>'Más','Tutorial'=>'Tutorial','Select Field'=>'Selecciona Campo','Try a different search term or browse %s'=>'','Popular fields'=>'Campos populares','No search results for \'%s\''=>'No hay resultados de búsqueda para \'%s\'','Search fields...'=>'Buscar campos...','Select Field Type'=>'Selecciona tipo de campo','Popular'=>'Popular','Add Taxonomy'=>'Agregar taxonomía','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'Agrega tu primera taxonomía','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'género','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'Personaliza los argumentos de la consulta.','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'"%s" no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color predeterminado','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s).','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF.','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación "%s" ya está registrado.','Class "%s" does not exist.'=>'La clase "%s" no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'ID','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores "personalizados" a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se iniciará hasta que se haga clic en el campo','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_MX','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-es_MX.mo b/lang/acf-es_MX.mo
index 1a1688a..4efa56a 100644
Binary files a/lang/acf-es_MX.mo and b/lang/acf-es_MX.mo differ
diff --git a/lang/acf-es_MX.po b/lang/acf-es_MX.po
index e08196c..96bf49e 100644
--- a/lang/acf-es_MX.po
+++ b/lang/acf-es_MX.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: es_MX\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4391,7 +4407,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr ""
@@ -4710,7 +4726,7 @@ msgstr ""
msgid "Move field group to trash?"
msgstr ""
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4723,13 +4739,13 @@ msgstr ""
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
msgstr ""
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5174,7 +5190,7 @@ msgstr "Todo los formatos de %s"
msgid "Attachment"
msgstr "Adjunto"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "El valor de %s es obligatorio"
@@ -5662,7 +5678,7 @@ msgstr "Duplicar este elemento"
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentación"
@@ -5960,8 +5976,8 @@ msgstr "%d campos requieren atención"
msgid "1 field requires attention"
msgstr "1 campo requiere atención"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validación fallida"
@@ -7343,90 +7359,90 @@ msgid "Time Picker"
msgstr "Selector de hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] ""
msgstr[1] ""
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "No se han encontrado campos en la papelera"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "No se han encontrado campos"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Buscar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nuevo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Añadir nuevo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "No se han encontrado grupos de campos en la papelera"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "No se han encontrado grupos de campos"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Buscar grupo de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nuevo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Añadir nuevo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Añadir nuevo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-es_VE.l10n.php b/lang/acf-es_VE.l10n.php
index f1a7425..4adc05f 100644
--- a/lang/acf-es_VE.l10n.php
+++ b/lang/acf-es_VE.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'es_VE','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-06-27T14:24:00+00:00','x-generator'=>'gettext','messages'=>['%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Sorry, you don\'t have permission to do that.'=>'','Invalid request args.'=>'','Sorry, you are not allowed to do that.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes icon'=>'','Wordpress-alt icon'=>'','Wordpress icon'=>'','Welcome write-blog icon'=>'','Welcome widgets-menus icon'=>'','Welcome view-site icon'=>'','Welcome learn-more icon'=>'','Welcome comments icon'=>'','Welcome add-page icon'=>'','Warning icon'=>'','Visibility icon'=>'','Video-alt3 icon'=>'','Video-alt2 icon'=>'','Video-alt icon'=>'','Vault icon'=>'','Upload icon'=>'','Update icon'=>'','Unlock icon'=>'','Universal access alternative icon'=>'','Universal access icon'=>'','Undo icon'=>'','Twitter icon'=>'','Trash icon'=>'','Translation icon'=>'','Tickets alternative icon'=>'','Tickets icon'=>'','Thumbs-up icon'=>'','Thumbs-down icon'=>'','Text icon'=>'','Testimonial icon'=>'','Tagcloud icon'=>'','Tag icon'=>'','Tablet icon'=>'','Store icon'=>'','Sticky icon'=>'','Star-half icon'=>'','Star-filled icon'=>'','Star-empty icon'=>'','Sos icon'=>'','Sort icon'=>'','Smiley icon'=>'','Smartphone icon'=>'','Slides icon'=>'','Shield-alt icon'=>'','Shield icon'=>'','Share-alt2 icon'=>'','Share-alt icon'=>'','Share icon'=>'','Search icon'=>'','Screenoptions icon'=>'','Schedule icon'=>'','Rss icon'=>'','Redo icon'=>'','Randomize icon'=>'','Products icon'=>'','Pressthis icon'=>'','Post-status icon'=>'','Portfolio icon'=>'','Plus-alt icon'=>'','Plus icon'=>'','Playlist-video icon'=>'','Playlist-audio icon'=>'','Phone icon'=>'','Performance icon'=>'','Paperclip icon'=>'','Palmtree icon'=>'','No alternative icon'=>'','No icon'=>'','Networking icon'=>'','Nametag icon'=>'','Move icon'=>'','Money icon'=>'','Minus icon'=>'','Migrate icon'=>'','Microphone icon'=>'','Menu icon'=>'','Megaphone icon'=>'','Media video icon'=>'','Media text icon'=>'','Media spreadsheet icon'=>'','Media interactive icon'=>'','Media document icon'=>'','Media default icon'=>'','Media code icon'=>'','Media audio icon'=>'','Media archive icon'=>'','Marker icon'=>'','Lock icon'=>'','Location-alt icon'=>'','Location icon'=>'','List-view icon'=>'','Lightbulb icon'=>'','Leftright icon'=>'','Layout icon'=>'','Laptop icon'=>'','Info icon'=>'','Index-card icon'=>'','Images-alt2 icon'=>'','Images-alt icon'=>'','Image rotate-right icon'=>'','Image rotate-left icon'=>'','Image rotate icon'=>'','Image flip-vertical icon'=>'','Image flip-horizontal icon'=>'','Image filter icon'=>'','Image crop icon'=>'','Id-alt icon'=>'','Id icon'=>'','Hidden icon'=>'','Heart icon'=>'','Hammer icon'=>'','Groups icon'=>'','Grid-view icon'=>'','Googleplus icon'=>'','Forms icon'=>'','Format video icon'=>'','Format status icon'=>'','Format quote icon'=>'','Format image icon'=>'','Format gallery icon'=>'','Format chat icon'=>'','Format audio icon'=>'','Format aside icon'=>'','Flag icon'=>'','Filter icon'=>'','Feedback icon'=>'','Facebook alt icon'=>'','Facebook icon'=>'','External icon'=>'','Exerpt-view icon'=>'','Email alt icon'=>'','Email icon'=>'','Video icon'=>'','Unlink icon'=>'','Underline icon'=>'','Ul icon'=>'','Textcolor icon'=>'','Table icon'=>'','Strikethrough icon'=>'','Spellcheck icon'=>'','Rtl icon'=>'','Removeformatting icon'=>'','Quote icon'=>'','Paste word icon'=>'','Paste text icon'=>'','Paragraph icon'=>'','Outdent icon'=>'','Ol icon'=>'','Kitchensink icon'=>'','Justify icon'=>'','Italic icon'=>'','Insertmore icon'=>'','Indent icon'=>'','Help icon'=>'','Expand icon'=>'','Customchar icon'=>'','Contract icon'=>'','Code icon'=>'','Break icon'=>'','Bold icon'=>'','alignright icon'=>'','alignleft icon'=>'','aligncenter icon'=>'','Edit icon'=>'','Download icon'=>'','Dismiss icon'=>'','Desktop icon'=>'','Dashboard icon'=>'','Controls volumeon icon'=>'','Controls volumeoff icon'=>'','Controls skipforward icon'=>'','Controls skipback icon'=>'','Controls repeat icon'=>'','Controls play icon'=>'','Controls pause icon'=>'','Controls forward icon'=>'','Controls back icon'=>'','Cloud icon'=>'','Clock icon'=>'','Clipboard icon'=>'','Chart pie icon'=>'','Chart line icon'=>'','Chart bar icon'=>'','Chart area icon'=>'','Category icon'=>'','Cart icon'=>'','Carrot icon'=>'','Camera icon'=>'','Calendar alt icon'=>'','Calendar icon'=>'','Businessman icon'=>'','Building icon'=>'','Book alt icon'=>'','Book icon'=>'','Backup icon'=>'','Awards icon'=>'','Art icon'=>'','Arrow up-alt2 icon'=>'','Arrow up-alt icon'=>'','Arrow up icon'=>'','Arrow right-alt2 icon'=>'','Arrow right-alt icon'=>'','Arrow right icon'=>'','Arrow left-alt2 icon'=>'','Arrow left-alt icon'=>'','Arrow left icon'=>'','Arrow down-alt2 icon'=>'','Arrow down-alt icon'=>'','Arrow down icon'=>'','Archive icon'=>'','Analytics icon'=>'','Align-right icon'=>'','Align-none icon'=>'','Align-left icon'=>'','Align-center icon'=>'','Album icon'=>'','Users icon'=>'','Tools icon'=>'','Site icon'=>'','Settings icon'=>'','Post icon'=>'','Plugins icon'=>'','Page icon'=>'','Network icon'=>'','Multisite icon'=>'','Media icon'=>'','Links icon'=>'','Home icon'=>'','Customizer icon'=>'','Comments icon'=>'','Collapse icon'=>'','Appearance icon'=>'','Generic icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Hemos detectado una o más llamadas para obtener valores de campo de ACF antes de que ACF se haya iniciado. Esto no es compatible y puede ocasionar datos mal formados o faltantes. Aprende cómo corregirlo.','%1$s must have a user with the %2$s role.'=>'%1$s debe tener un usuario con el perfil %2$s.' . "\0" . '%1$s debe tener un usuario con uno de los siguientes perfiles: %2$s','%1$s must have a valid user ID.'=>'%1$s debe tener un ID de usuario válido.','Invalid request.'=>'Petición no válida.','%1$s is not one of %2$s'=>'%1$s no es ninguna de las siguientes %2$s','%1$s must have term %2$s.'=>'%1$s debe tener un término %2$s.' . "\0" . '%1$s debe tener uno de los siguientes términos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser del tipo de contenido %2$s.' . "\0" . '%1$s debe ser de uno de los siguientes tipos de contenido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe tener un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adjunto válido.','Show in REST API'=>'Mostrar en la API REST','Enable Transparency'=>'Activar la transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadena RGBA','Hex String'=>'Cadena hexadecimal','Upgrade to PRO'=>'','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» no es una dirección de correo electrónico válida','Color value'=>'Valor del color','Select default color'=>'Seleccionar el color por defecto','Clear color'=>'Vaciar el color','Blocks'=>'Bloques','Options'=>'Opciones','Users'=>'Usuarios','Menu items'=>'Elementos del menú','Widgets'=>'Widgets','Attachments'=>'Adjuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Parámetro(s) de grupo de campos no válido(s)','Awaiting save'=>'Esperando el guardado','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado en el plugin: %s','Located in theme: %s'=>'Localizado en el tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios de JSON local','Visit website'=>'Visitar web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de ayuda. Los profesionales de soporte de nuestro centro de ayuda te ayudarán más en profundidad con los retos técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. Nuestra amplia documentación contiene referencias y guías para la mayoría de situaciones en las que puedas encontrarte.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos del soporte, y queremos que consigas el máximo en tu web con ACF:','Help & Support'=>'Ayuda y soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa la pestaña de ayuda y soporte para contactar si descubres que necesitas ayuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear tu primer grupo de campos te recomendamos que primero leas nuestra guía de primeros pasos para familiarizarte con la filosofía y buenas prácticas del plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'El plugin Advanced Custom Fields ofrece un constructor visual con el que personalizar las pantallas de WordPress con campos adicionales, y una API intuitiva parra mostrar valores de campos personalizados en cualquier archivo de plantilla de cualquier tema.','Overview'=>'Resumen','Location type "%s" is already registered.'=>'El tipo de ubicación «%s» ya está registrado.','Class "%s" does not exist.'=>'La clase «%s» no existe.','Invalid nonce.'=>'Nonce no válido.','Error loading field.'=>'Error al cargar el campo.','Location not found: %s'=>'Ubicación no encontrada: %s','Error: %s'=>'Error: %s','Widget'=>'Widget','User Role'=>'Rol de usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento de menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicaciones de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía de entrada','Child Page (has parent)'=>'Página hija (tiene superior)','Parent Page (has children)'=>'Página superior (con hijos)','Top Level Page (no parent)'=>'Página de nivel superior (sin padres)','Posts Page'=>'Página de entradas','Front Page'=>'Página de inicio','Page Type'=>'Tipo de página','Viewing back end'=>'Viendo el escritorio','Viewing front end'=>'Viendo la web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Plantilla de página','Register'=>'Registro','Add / Edit'=>'Añadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Página superior','Super Admin'=>'Super administrador','Current User Role'=>'Rol del usuario actual','Default Template'=>'Plantilla predeterminada','Post Template'=>'Plantilla de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo los formatos de %s','Attachment'=>'Adjunto','%s value is required'=>'El valor de %s es obligatorio','Show this field if'=>'Mostrar este campo si','Conditional Logic'=>'Lógica condicional','and'=>'y','Local JSON'=>'JSON Local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comprueba también que todas las extensiones premium (%s) estén actualizados a la última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contiene mejoras en su base de datos y requiere una actualización.','Thank you for updating to %1$s v%2$s!'=>'¡Gracias por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'Es necesario actualizar la base de datos','Options Page'=>'Página de opciones','Gallery'=>'Galería','Flexible Content'=>'Contenido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas las herramientas','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)'=>'Si aparecen múltiples grupos de campos en una pantalla de edición, se utilizarán las opciones del primer grupo (el que tenga el número de orden menor)','Select items to hide them from the edit screen.'=>'Selecciona los elementos que ocultar de la pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos de página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisiones','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contenido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Los grupos de campos con menor orden aparecerán primero','Order No.'=>'Número de orden','Below fields'=>'Debajo de los campos','Below labels'=>'Debajo de las etiquetas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (después del contenido)','High (after title)'=>'Alta (después del título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sin caja meta)','Standard (WP metabox)'=>'Estándar (caja meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orden','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos del contenedor','Required'=>'','Instructions'=>'Instrucciones','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Una sola palabra, sin espacios. Se permiten guiones y guiones bajos','Field Name'=>'Nombre del campo','This is the name which will appear on the EDIT page'=>'Este es el nombre que aparecerá en la página EDITAR','Field Label'=>'Etiqueta del campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a otro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Mostrar este grupo de campos si','No updates available.'=>'No hay actualizaciones disponibles.','Database upgrade complete. See what\'s new'=>'Actualización de la base de datos completa. Ver las novedades','Reading upgrade tasks...'=>'Leyendo tareas de actualización...','Upgrade failed.'=>'Fallo al actualizar.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos a la versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Es muy recomendable que hagas una copia de seguridad de tu base de datos antes de continuar. ¿Estás seguro que quieres ejecutar ya la actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona al menos un sitio para actualizarlo.','Database Upgrade complete. Return to network dashboard'=>'Actualización de base de datos completa. Volver al escritorio de red','Site is up to date'=>'El sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'El sitio necesita actualizar la base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar los sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Es necesario actualizar la base de datos de los siguientes sitios. Marca los que quieras actualizar y haz clic en %s.','Add rule group'=>'Añadir grupo de reglas','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizados','Rules'=>'Reglas','Copied'=>'Copiado','Copy to clipboard'=>'Copiar al portapapeles','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Generar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Archivo de imporación vacío','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Error al subir el archivo. Por favor, inténtalo de nuevo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'','Documentation'=>'Documentación','Description'=>'Descripción','Sync available'=>'Sincronización disponible','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios y actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona el destino para este campo','The %1$s field can now be found in the %2$s field group'=>'El campo %1$s ahora se puede encontrar en el grupo de campos %2$s','Move Complete.'=>'Movimiento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Ajustes','Location'=>'Ubicación','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'No hay campos de conmutación disponibles','Field group title is required'=>'El título del grupo de campos es obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo se puede mover hasta que sus cambios se hayan guardado','The string "field_" may not be used at the start of a field name'=>'La cadena "field_" no se debe utilizar al comienzo de un nombre de campo','Field group draft updated.'=>'Borrador del grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Herramientas','is not equal to'=>'no es igual a','is equal to'=>'es igual a','Forms'=>'Formularios','Page'=>'Página','Post'=>'Entrada','Relational'=>'Relación','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Desconocido','Field type does not exist'=>'El tipo de campo no existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contenido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'La selección es menor que','Selection is greater than'=>'La selección es mayor que','Value is less than'=>'El valor es menor que','Value is greater than'=>'El valor es mayor que','Value contains'=>'El valor contiene','Value matches pattern'=>'El valor coincide con el patrón','Value is not equal to'=>'El valor no es igual a','Value is equal to'=>'El valor es igual a','Has no value'=>'No tiene ningún valor','Has any value'=>'No tiene algún valor','Cancel'=>'Cancelar','Are you sure?'=>'¿Estás seguro?','%d fields require attention'=>'%d campos requieren atención','1 field requires attention'=>'1 campo requiere atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restringido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Los cambios que has realizado se perderán si navegas hacia otra página','File type must be %s.'=>'El tipo de archivo debe ser %s.','or'=>'o','File size must not exceed %s.'=>'El tamaño del archivo no debe ser mayor de %s.','File size must be at least %s.'=>'El tamaño de archivo debe ser al menos %s.','Image height must not exceed %dpx.'=>'La altura de la imagen no debe exceder %dpx.','Image height must be at least %dpx.'=>'La altura de la imagen debe ser al menos %dpx.','Image width must not exceed %dpx.'=>'El ancho de la imagen no debe exceder %dpx.','Image width must be at least %dpx.'=>'El ancho de la imagen debe ser al menos %dpx.','(no title)'=>'(sin título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sin etiqueta)','Sets the textarea height'=>'Establece la altura del área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anteponer una casilla de verificación extra para cambiar todas las opciones','Save \'custom\' values to the field\'s choices'=>'Guardar los valores «personalizados» a las opciones del campo','Allow \'custom\' values to be added'=>'Permite añadir valores personalizados','Add new choice'=>'Añadir nueva opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir las URLs de los archivos','Archives'=>'Archivo','Page Link'=>'Enlace a página','Add'=>'Añadir','Name'=>'Nombre','%s added'=>'%s añadido/s','%s already exists'=>'%s ya existe','User unable to add new %s'=>'El usuario no puede añadir nuevos %s','Term ID'=>'ID de término','Term Object'=>'Objeto de término','Load value from posts terms'=>'Cargar el valor de los términos de la publicación','Load Terms'=>'Cargar términos','Connect selected terms to the post'=>'Conectar los términos seleccionados con la publicación','Save Terms'=>'Guardar términos','Allow new terms to be created whilst editing'=>'Permitir la creación de nuevos términos mientras se edita','Create Terms'=>'Crear términos','Radio Buttons'=>'Botones de radio','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Casilla de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona la apariencia de este campo','Appearance'=>'Apariencia','Select the taxonomy to be displayed'=>'Selecciona la taxonomía a mostrar','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'El valor debe ser menor o igual a %d','Value must be equal to or higher than %d'=>'El valor debe ser mayor o igual a %d','Value must be a number'=>'El valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar los valores de \'otros\' en las opciones del campo','Add \'other\' choice to allow for custom values'=>'Añade la opción \'otros\' para permitir valores personalizados','Other'=>'Otros','Radio Button'=>'Botón de radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que el acordeón anterior se detenga. Este acordeón no será visible.','Allow this accordion to open without closing others.'=>'Permita que este acordeón se abra sin cerrar otros.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Muestra este acordeón como abierto en la carga de la página.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restringen los archivos que se pueden subir','File ID'=>'ID del archivo','File URL'=>'URL del archivo','File Array'=>'Array del archivo','Add File'=>'Añadir archivo','No file selected'=>'Ningún archivo seleccionado','File name'=>'Nombre del archivo','Update File'=>'Actualizar archivo','Edit File'=>'Editar archivo','Select File'=>'Seleccionar archivo','File'=>'Archivo','Password'=>'Contraseña','Specify the value returned'=>'Especifica el valor devuelto','Use AJAX to lazy load choices?'=>'¿Usar AJAX para hacer cargar las opciones de forma asíncrona?','Enter each default value on a new line'=>'Añade cada valor en una nueva línea','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Error al cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando más resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Solo puedes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Solo puedes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, introduce %d o más caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, introduce 1 o más caracteres','Select2 JS matches_0No matches found'=>'No se han encontrado coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponibles, utiliza las flechas arriba y abajo para navegar por los resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hay un resultado disponible, pulsa enter para seleccionarlo.','nounSelect'=>'Selección','User ID'=>'ID del usuario','User Object'=>'Grupo de objetos','User Array'=>'Grupo de usuarios','All user roles'=>'Todos los roles de usuario','Filter by Role'=>'','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar color','Default'=>'Por defecto','Clear'=>'Vaciar','Color Picker'=>'Selector de color','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Hecho','Date Time Picker JS currentTextNow'=>'Ahora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elegir hora','Date Time Picker'=>'Selector de fecha y hora','Endpoint'=>'Variable','Left aligned'=>'Alineada a la izquierda','Top aligned'=>'Alineada arriba','Placement'=>'Ubicación','Tab'=>'Pestaña','Value must be a valid URL'=>'El valor debe ser una URL válida','Link URL'=>'URL del enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir en una nueva ventana/pestaña','Select Link'=>'Elige el enlace','Link'=>'Enlace','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rojo : Rojo','For more control, you may specify both a value and label like this:'=>'Para más control, puedes especificar tanto un valor como una etiqueta, así:','Enter each choice on a new line.'=>'Añade cada opción en una nueva línea.','Choices'=>'Opciones','Button Group'=>'Grupo de botones','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE no se inicializará hasta que se haga clic en el campo','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de herramientas','Text Only'=>'Sólo texto','Visual Only'=>'Sólo visual','Visual & Text'=>'Visual y Texto','Tabs'=>'Pestañas','Click to initialize TinyMCE'=>'Haz clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'El valor no debe exceder los %d caracteres','Leave blank for no limit'=>'Déjalo en blanco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece después del campo','Append'=>'Anexar','Appears before the input'=>'Aparece antes del campo','Prepend'=>'Anteponer','Appears within the input'=>'Aparece en el campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cuando se está creando una nueva entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita al menos %2$s selección' . "\0" . '%1$s necesita al menos %2$s selecciones','Post ID'=>'ID de publicación','Post Object'=>'Objeto de publicación','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagen destacada','Selected elements will be displayed in each result'=>'Los elementos seleccionados se mostrarán en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contenido','Filters'=>'Filtros','All taxonomies'=>'Todas las taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos los tipos de contenido','Filter by Post Type'=>'Filtrar por tipo de contenido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contenido','No matches found'=>'No se han encontrado coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déjalo en blanco para todos los tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamaño del archivo','Restrict which images can be uploaded'=>'Restringir que las imágenes se pueden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos al contenido','All'=>'Todos','Limit the media library choice'=>'Limitar las opciones de la biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID de imagen','Image URL'=>'URL de imagen','Image Array'=>'Array de imágenes','Specify the returned value on front end'=>'Especificar el valor devuelto en la web','Return Value'=>'Valor de retorno','Add Image'=>'Añadir imagen','No image selected'=>'No hay ninguna imagen seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas las imágenes','Update Image'=>'Actualizar imagen','Edit Image'=>'Editar imagen','Select Image'=>'Seleccionar imagen','Image'=>'Imagen','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que el maquetado HTML se muestre como texto visible en vez de interpretarlo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sin formato','Automatically add <br>'=>'Añadir <br> automáticamente','Automatically add paragraphs'=>'Añadir párrafos automáticamente','Controls how new lines are rendered'=>'Controla cómo se muestran los saltos de línea','New Lines'=>'Nuevas líneas','Week Starts On'=>'La semana comienza el','The format used when saving a value'=>'El formato utilizado cuando se guarda un valor','Save Format'=>'Guardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Siguiente','Date Picker JS currentTextToday'=>'Hoy','Date Picker JS closeTextDone'=>'Listo','Date Picker'=>'Selector de fecha','Width'=>'Ancho','Embed Size'=>'Tamaño de incrustación','Enter URL'=>'Introduce la URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cuando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cuando está activo','On Text'=>'Texto activado','Stylized UI'=>'','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Muestra el texto junto a la casilla de verificación','Message'=>'Mensaje','No'=>'No','Yes'=>'Sí','True / False'=>'Verdadero / Falso','Row'=>'Fila','Table'=>'Tabla','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica el estilo utilizado para representar los campos seleccionados','Layout'=>'Estructura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar la altura del mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer el nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente el mapa','Center'=>'Centro','Search for address...'=>'Buscar dirección...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Lo siento, este navegador no es compatible con la geolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'El formato devuelto por de las funciones del tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'El formato mostrado cuando se edita una publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'No se han encontrado campos en la papelera','No Fields found'=>'No se han encontrado campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Nuevo campo','Edit Field'=>'Editar campo','Add New Field'=>'Añadir nuevo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'No se han encontrado grupos de campos en la papelera','No Field Groups found'=>'No se han encontrado grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Nuevo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Añadir nuevo grupo de campos','Add New'=>'Añadir nuevo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionales e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'es_VE','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fa_AF.l10n.php b/lang/acf-fa_AF.l10n.php
index d5f7776..dfcb964 100644
--- a/lang/acf-fa_AF.l10n.php
+++ b/lang/acf-fa_AF.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'fa_AF','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'کلید طبقه بندی موجود است و خارج از ACF درحال استفاده است و نمیتوان از این کلید استفاده کرد.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'این کلید طبقه بندی موجود است و توسط یکی از طبقه بندی های ACF درحال استفاده می باشد و نمیتوان از این کلید استفاده کرد.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید طبقه بندی فقط باید شامل حروف کوچک انگلیسی و اعداد و زیر خط (_) یا خط تیره (-) باشد.','No Taxonomies found in Trash'=>'هیچ طبقه بندی در زباله دان نیست','No Taxonomies found'=>'هیچ طبقه بندی یافت نشد','Search Taxonomies'=>'جستجوی طبقه بندی ها','View Taxonomy'=>'مشاهده طبقه بندی ها','New Taxonomy'=>'افزودن طبقه بندی جدید','Edit Taxonomy'=>'ویرایش طبقه بندی ها','Add New Taxonomy'=>'افزودن طبقه بندی جدید','No Post Types found in Trash'=>'هیچ نوع نوشتهای در زبالهدان یافت نشد.','No Post Types found'=>'هیچ نوع پستی پیدا نشد','Search Post Types'=>'جستجوی در انواع پست ها','View Post Type'=>'مشاهده نوع پست ها','New Post Type'=>'نوع پست جدید','Edit Post Type'=>'ویرایش نوع پست','Add New Post Type'=>'افزودن نوع پست جدید','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'کلید نوع پست در حال حاضر خارج از ACF ثبت شده است و نمی توان از آن استفاده کرد.','This post type key is already in use by another post type in ACF and cannot be used.'=>'کلید نوع پست در حال حاضر در ACF ثبت شده است و نمی توان از آن استفاده کرد.','This field must not be a WordPress reserved term.'=>'این زمینه نباید یک مورد رزرو شدهدر وردپرس باشد.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید نوع پست فقط باید شامل حذوف کوچک انگلیسی و اعداد و زیر خط (_) و یا خط تیره (-) باشد.','The post type key must be under 20 characters.'=>'کلید نوع پست حداکثر باید 20 حرفی باشد.','We do not recommend using this field in ACF Blocks.'=>'توصیه نمیکنیم از این زمینه در بلوک های ACF استفاده کنید.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'ویرایشگر WYSIWYG وردپرس را همانطور که در پستها و صفحات دیده میشود نمایش میدهد و امکان ویرایش متن غنی را فراهم میکند و محتوای چندرسانهای را نیز امکانپذیر میکند.','WYSIWYG Editor'=>'ویرایشگر WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'اجازه میدهد که یک یا چند کاربر را انتخاب کنید که می تواند برای ایجاد رابطه بین داده های آبجکت ها مورد استفاده قرار گیرد.','A text input specifically designed for storing web addresses.'=>'یک ورودی متنی که به طور خاص برای ذخیره آدرس های وب طراحی شده است.','URL'=>'نشانی وب','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'کلیدی که به شما امکان می دهد مقدار 1 یا 0 را انتخاب کنید (روشن یا خاموش، درست یا نادرست و غیره). میتواند بهعنوان یک سوئیچ یا چک باکس تلطیف شده ارائه شود.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب زمان. قالب زمان را می توان با استفاده از تنظیمات فیلد سفارشی کرد.','Filter by Post Status'=>'فیلتر بر اساس وضعیت پست','nounClone'=>'کپی (هیچ)','Add Post Type'=>'افزودن نوع پست','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'قابلیتهای وردپرس را فراتر از نوشتهها و برگههای استاندارد با انواع پست سفارشی توسعه دهید.','Add Your First Post Type'=>'اولین نوع پست سفارشی خود را اضافه کنید','Advanced Configuration'=>'پیکربندی پیشرفته','Hierarchical'=>'سلسلهمراتبی','Public'=>'عمومی','movie'=>'movie','Movie'=>'فیلم','Singular Label'=>'برچسب مفرد','Movies'=>'فیلمها','Plural Label'=>'برچسب جمع','Post Type Key'=>'کلید نوع پست','Regenerate all labels using the Singular and Plural labels'=>'تولید دوباره تمامی برچسبهای مفرد و جمعی','Select existing taxonomies to classify items of the post type.'=>'طبقهبندیهای موجود را برای دستهبندی کردن آیتمهای نوع پست انتخاب نمایید.','Category'=>'دسته','Tag'=>'برچسب','Terms'=>'شرایط','Post Types'=>'انواع پست','Advanced Settings'=>'تنظیمات پیشرفته','Basic Settings'=>'تنظیمات پایه','Pages'=>'صفحات','Post type submitted.'=>'نوع پست ارسال شد','Post type saved.'=>'نوع پست ذخیره شد','Post type updated.'=>'نوع پست به روز شد','Post type deleted.'=>'نوع پست حذف شد','Type to search...'=>'برای جستجو تایپ کنید....','PRO Only'=>'فقط نسخه حرفه ای','ACF'=>'ACF','taxonomy'=>'طبقهبندی','post type'=>'نوع نوشته','Done'=>'پایان','post statusRegistration Failed'=>'ثبت نام انجام نشد','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'این مورد ثبت نشد زیرا کلید آن توسط مورد دیگری که توسط افزونه یا طرح زمینه دیگری ثبت شده است استفاده می شود.','REST API'=>'REST API','Permissions'=>'دسترسیها','URLs'=>'پیوندها','Visibility'=>'نمایش','Labels'=>'برچسبها','Field Settings Tabs'=>'زبانه تنظیمات زمینه','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[مقدار کد کوتاه ACF برای پیش نمایش غیرفعال است]','Close Modal'=>'بستن صفحه','Field moved to other group'=>'زمینه به یک گروه دیگر منتقل شد','Close modal'=>'بستن صفحه','Start a new group of tabs at this tab.'=>'شروع گروه جدید زبانهها در این زبانه','New Tab Group'=>'گروه زبانه جدید','Use a stylized checkbox using select2'=>'بهکارگیری کادر انتخاب سبک وار با select2','Save Other Choice'=>'ذخیره انتخاب دیگر','Allow Other Choice'=>'اجازه دادن انتخاب دیگر','Add Toggle All'=>'افزودن تغییر وضعیت همه','Save Custom Values'=>'ذخیره مقادیر سفارشی','Allow Custom Values'=>'اجازه دادن مقادیر سفارشی','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'مقادیر سفارشی کادر انتخاب نمیتواند خالی باشد. انتخاب مقادیر خالی را بردارید.','Updates'=>'بروزرسانی ها','Advanced Custom Fields logo'=>'لوگوی زمینههای سفارشی پیشرفته','Save Changes'=>'ذخیره تغییرات','Field Group Title'=>'عنوان گروه زمینه','Add title'=>'افزودن عنوان','New to ACF? Take a look at our getting started guide.'=>'تازه با ACF آشنا شدهاید؟ به راهنمای شروع ما نگاهی بیندازید.','Add Field Group'=>'افزودن گروه زمینه','Add Your First Field Group'=>'اولین گروه فیلد خود را اضافه نمایید','Options Pages'=>'برگههای گزینهها','ACF Blocks'=>'بلوکهای ACF','Gallery Field'=>'زمینه گالری','Flexible Content Field'=>'زمینه محتوای انعطاف پذیر','Repeater Field'=>'زمینه تکرارشونده','Delete Field Group'=>'حذف گروه زمینه','Group Settings'=>'تنظیمات گروه','#'=>'#','Add Field'=>'افزودن زمینه','Presentation'=>'نمایش','Validation'=>'اعتبارسنجی','General'=>'عمومی','Import JSON'=>'درون ریزی JSON','Export As JSON'=>'برون بری با JSON','Deactivate'=>'غیرفعال کردن','Deactivate this item'=>'غیرفعال کردن این مورد','Activate'=>'فعال کردن','Activate this item'=>'فعال کردن این مورد','Move field group to trash?'=>'انتقال گروه زمینه به زبالهدان؟','post statusInactive'=>'غیرفعال','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'افزونه زمینه های سفارشی و افزونه زمینه های سفارشی پیشرفته نباید همزمان فعال باشند. ما به طور خودکار افزونه زمینه های سفارشی پیشرفته را غیرفعال کردیم.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'افزونه زمینه های سفارشی و افزونه زمینه های سفارشی پیشرفته نباید همزمان فعال باشند. ما به طور خودکار فیلدهای سفارشی پیشرفته را غیرفعال کرده ایم.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - قبل از شروع اولیه ACF، یک یا چند تماس را برای بازیابی مقادیر فیلد ACF شناسایی کردهایم. این مورد پشتیبانی نمیشود و میتواند منجر به دادههای ناقص یا از دست رفته شود. با نحوه رفع این مشکل آشنا شوید.','Invalid request.'=>'درخواست نامعتبر.','Show in REST API'=>'نمایش در REST API','Enable Transparency'=>'فعال کردن شفافیت','Upgrade to PRO'=>'ارتقا به نسخه حرفه ای','post statusActive'=>'فعال','\'%s\' is not a valid email address'=>'نشانی ایمیل %s معتبر نیست','Color value'=>'مقدار رنگ','Select default color'=>'انتخاب رنگ پیشفرض','Clear color'=>'پاک کردن رنگ','Blocks'=>'بلوکها','Options'=>'تنظیمات','Users'=>'کاربران','Menu items'=>'آیتمهای منو','Widgets'=>'ابزارکها','Attachments'=>'پیوستها','Taxonomies'=>'طبقهبندیها','Posts'=>'نوشته ها','Last updated: %s'=>'آخرین بهروزرسانی: %s','Invalid field group parameter(s).'=>'پارامتر(ها) گروه فیلد نامعتبر است','Awaiting save'=>'در انتظار ذخیره','Saved'=>'ذخیره شده','Import'=>'درونریزی','Review changes'=>'تغییرات مرور شد','Located in: %s'=>'قرار گرفته در: %s','Located in plugin: %s'=>'قرار گرفته در پلاگین: %s','Located in theme: %s'=>'قرار گرفته در قالب: %s','Various'=>'مختلف','Sync changes'=>'همگامسازی تغییرات','Loading diff'=>'بارگذاری تفاوت','Review local JSON changes'=>'بررسی تغییرات JSON محلی','Visit website'=>'بازدید وب سایت','View details'=>'نمایش جزییات','Version %s'=>'نگارش %s','Information'=>'اطلاعات','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'کمک ميز. حرفه ای پشتیبانی در میز کمک ما با بیشتر خود را در عمق کمک, چالش های فنی.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'بحث ها. ما یک جامعه فعال و دوستانه در انجمن های جامعه ما که ممکن است قادر به کمک به شما کشف کردن \'چگونه بازی یا بازی\' از جهان ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'مستندات . مستندات گسترده ما شامل مراجع و راهنماهایی برای اکثر موقعیت هایی است که ممکن است با آن مواجه شوند.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'ما در المنتور فارسی در مورد پشتیبانی متعصب هستیم و می خواهیم شما با ACF بهترین بهره را از وب سایت خود ببرید. اگر به مشکلی برخوردید ، چندین مکان وجود دارد که می توانید کمک کنید:','Help & Support'=>'کمک و پشتیبانی','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'لطفا از زبانه پشتیبانی برای تماس استفاده کنید باید خودتان را پیدا کنید که نیاز به کمک دارد.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'قبل از ایجاد اولین گروه زمینه خود را، ما توصیه می کنیم برای اولین بار خواندن راهنمای شروع به کار ما برای آشنایی با فلسفه پلاگین و بهترین تمرین.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'افزونه پیشرفته زمینه های سفارشی فراهم می کند یک سازنده فرم بصری برای سفارشی کردن وردپرس ویرایش صفحه نمایش با زمینه های اضافی، و API بصری برای نمایش ارزش های زمینه سفارشی در هر فایل قالب تم.','Overview'=>'مرور کلی','Location type "%s" is already registered.'=>'نوع مکان "%s" در حال حاضر ثبت شده است.','Class "%s" does not exist.'=>'کلاس "%s" وجود ندارد.','Invalid nonce.'=>'کلید نامعتبر است','Error loading field.'=>'خطا در بارگزاری زمینه','Widget'=>'ابزارک','User Role'=>'نقش کاربر','Comment'=>'دیدگاه','Post Format'=>'فرمت نوشته','Menu Item'=>'آیتم منو','Post Status'=>'وضعیت نوشته','Menus'=>'منوها','Menu Locations'=>'محل منو','Menu'=>'منو','Post Taxonomy'=>'طبقه بندی نوشته','Child Page (has parent)'=>'برگه زیر مجموعه (دارای مادر)','Parent Page (has children)'=>'برگه مادر (دارای زیر مجموعه)','Top Level Page (no parent)'=>'بالاترین سطح برگه(بدون والد)','Posts Page'=>'برگه ی نوشته ها','Front Page'=>'برگه نخست','Page Type'=>'نوع برگه','Viewing back end'=>'درحال نمایش back end','Viewing front end'=>'درحال نمایش سمت کاربر','Logged in'=>'وارده شده','Current User'=>'کاربر فعلی','Page Template'=>'قالب برگه','Register'=>'ثبت نام','Add / Edit'=>'اضافه کردن/ویرایش','User Form'=>'فرم کاربر','Page Parent'=>'برگه مادر','Super Admin'=>'مدیرکل','Current User Role'=>'نقش کاربرفعلی','Default Template'=>'پوسته پیش فرض','Post Template'=>'قالب نوشته','Post Category'=>'دسته بندی نوشته','All %s formats'=>'همهی فرمتهای %s','Attachment'=>'پیوست','%s value is required'=>'مقدار %s لازم است','Show this field if'=>'نمایش این گروه فیلد اگر','Conditional Logic'=>'منطق شرطی','and'=>'و','Local JSON'=>'JSON های لوکال','Clone Field'=>'فیلد کپی','Please also check all premium add-ons (%s) are updated to the latest version.'=>'همچنین لطفا همه افزونههای پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند.','This version contains improvements to your database and requires an upgrade.'=>'این نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد.','Database Upgrade Required'=>'به روزرسانی دیتابیس لازم است','Options Page'=>'برگه تنظیمات','Gallery'=>'گالری','Flexible Content'=>'محتوای انعطاف پذیر','Repeater'=>'زمینه تکرار کننده','Back to all tools'=>'بازگشت به همه ابزارها','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)'=>'اگر چندین گروه فیلد در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه فیلد استفاده خواهد شد. (یکی با کمترین شماره)','Select items to hide them from the edit screen.'=>'انتخاب آیتم ها برای پنهان کردن آن ها از صفحه ویرایش.','Hide on screen'=>'مخفی کردن در صفحه','Send Trackbacks'=>'ارسال بازتاب ها','Tags'=>'برچسب ها','Categories'=>'دسته ها','Page Attributes'=>'صفات برگه','Format'=>'فرمت','Author'=>'نویسنده','Slug'=>'نامک','Revisions'=>'بازنگری ها','Comments'=>'دیدگاه ها','Discussion'=>'گفتگو','Excerpt'=>'چکیده','Content Editor'=>'ویرایش گر محتوا(ادیتور اصلی)','Permalink'=>'پیوند یکتا','Field groups with a lower order will appear first'=>'گروه ها با شماره ترتیب کمتر اول دیده می شوند','Order No.'=>'شماره ترتیب.','Below fields'=>'زیر فیلد ها','Below labels'=>'برچسبهای زیر','Side'=>'کنار','Normal (after content)'=>'معمولی (بعد از ادیتور متن)','High (after title)'=>'بالا (بعد از عنوان)','Position'=>'موقعیت','Seamless (no metabox)'=>'بدون متاباکس','Standard (WP metabox)'=>'استاندارد (دارای متاباکس)','Style'=>'شیوه نمایش','Key'=>'کلید','Order'=>'ترتیب','id'=>'شناسه','class'=>'کلاس','width'=>'عرض','Wrapper Attributes'=>'مشخصات پوشش فیلد','Instructions'=>'دستورالعمل ها','Single word, no spaces. Underscores and dashes allowed'=>'تک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاند','This is the name which will appear on the EDIT page'=>'این نامی است که در صفحه "ویرایش" نمایش داده خواهد شد','Delete'=>'حذف','Delete field'=>'حذف زمینه','Move'=>'انتقال','Move field to another group'=>'انتقال زمینه ها به گروه دیگر','Duplicate field'=>'تکثیر زمینه','Edit field'=>'ویرایش زمینه','Drag to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Show this field group if'=>'نمایش این گروه زمینه اگر','No updates available.'=>'بهروزرسانی موجود نیست.','Database upgrade complete. See what\'s new'=>'ارتقای پایگاه داده کامل شد. تغییرات جدید را ببینید','Reading upgrade tasks...'=>'در حال خواندن مراحل به روزرسانی...','Upgrade failed.'=>'ارتقا با خطا مواجه شد.','Upgrade complete.'=>'ارتقا کامل شد.','Upgrading data to version %s'=>'به روز رسانی داده ها به نسحه %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟','Please select at least one site to upgrade.'=>'لطفا حداقل یک سایت برای ارتقا انتخاب کنید.','Database Upgrade complete. Return to network dashboard'=>'به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه','Site is up to date'=>'سایت به روز است','Site'=>'سایت','Upgrade Sites'=>'ارتقاء سایت','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید.','Add rule group'=>'افزودن گروه قانون','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینههای سفارشی سفارشی نمایش داده شوند','Rules'=>'قوانین','Copied'=>'کپی شد','Copy to clipboard'=>'درج در حافظه موقت','Select Field Groups'=>'انتخاب گروه های زمینه','No field groups selected'=>'گروه زمینه ای انتخاب نشده است','Generate PHP'=>'تولید کد PHP','Export Field Groups'=>'برون بری گروه های زمینه','Import file empty'=>'فایل وارد شده خالی است','Incorrect file type'=>'نوع فایل صحیح نیست','Error uploading file. Please try again'=>'خطا در آپلود فایل. لطفا مجدد بررسی کنید','Import Field Groups'=>'وارد کردن گروه های زمینه','Sync'=>'هماهنگ','Select %s'=>'انتخاب %s','Duplicate'=>'تکثیر','Duplicate this item'=>'تکثیر این زمینه','Documentation'=>'مستندات','Description'=>'توضیحات','Sync available'=>'هماهنگ سازی موجود است','Field group duplicated.'=>'%s گروه زمینه تکثیر شدند.','Active (%s)'=>'فعال (%s)','Review sites & upgrade'=>'بازبینی و بهروزرسانی سایتها','Upgrade Database'=>'بهروزرسانی پایگاه داده','Custom Fields'=>'زمینههای سفارشی','Move Field'=>'جابجایی زمینه','Please select the destination for this field'=>'مقصد انتقال این زمینه را مشخص کنید','Move Complete.'=>'انتقال کامل شد.','Active'=>'فعال','Field Keys'=>'کلیدهای زمینه','Settings'=>'تنظیمات','Location'=>'مکان','Null'=>'خالی (null)','copy'=>'کپی','(this field)'=>'(این گزینه)','Checked'=>'انتخاب شده','Move Custom Field'=>'جابجایی زمینه دلخواه','No toggle fields available'=>'هیچ زمینه شرط پذیری موجود نیست','Field group title is required'=>'عنوان گروه زمینه ضروری است','This field cannot be moved until its changes have been saved'=>'این زمینه قبل از اینکه ذخیره شود نمی تواند جابجا شود','The string "field_" may not be used at the start of a field name'=>'کلمه متنی "field_" نباید در ابتدای نام فیلد استفاده شود','Field group draft updated.'=>'پیش نویش گروه زمینه بروز شد.','Field group scheduled for.'=>'گروه زمینه برنامه ریزی انتشار پیدا کرده برای.','Field group submitted.'=>'گروه زمینه ارسال شد.','Field group saved.'=>'گروه زمینه ذخیره شد.','Field group published.'=>'گروه زمینه انتشار یافت.','Field group deleted.'=>'گروه زمینه حذف شد.','Field group updated.'=>'گروه زمینه بروز شد.','Tools'=>'ابزارها','is not equal to'=>'برابر نشود با','is equal to'=>'برابر شود با','Forms'=>'فرم ها','Page'=>'برگه','Post'=>'نوشته','Relational'=>'رابطه','Choice'=>'انتخاب','Basic'=>'پایه','Unknown'=>'ناشناخته','Field type does not exist'=>'نوع زمینه وجود ندارد','Spam Detected'=>'اسپم تشخیص داده شد','Post updated'=>'نوشته بروز شد','Update'=>'بروزرسانی','Validate Email'=>'اعتبار سنجی ایمیل','Content'=>'محتوا','Title'=>'عنوان','Edit field group'=>'ویرایش گروه زمینه','Selection is less than'=>'انتخاب کمتر از','Selection is greater than'=>'انتخاب بیشتر از','Value is less than'=>'مقدار کمتر از','Value is greater than'=>'مقدار بیشتر از','Value contains'=>'شامل می شود','Value matches pattern'=>'مقدار الگوی','Value is not equal to'=>'مقدار برابر نیست با','Value is equal to'=>'مقدار برابر است با','Has no value'=>'بدون مقدار','Has any value'=>'هر نوع مقدار','Cancel'=>'لغو','Are you sure?'=>'اطمینان دارید؟','%d fields require attention'=>'%d گزینه نیاز به بررسی دارد','1 field requires attention'=>'یکی از گزینه ها نیاز به بررسی دارد','Validation failed'=>'مشکل در اعتبار سنجی','Validation successful'=>'اعتبار سنجی موفق بود','Restricted'=>'ممنوع','Collapse Details'=>'عدم نمایش جزئیات','Expand Details'=>'نمایش جزئیات','Uploaded to this post'=>'بارگذاری شده در این نوشته','verbUpdate'=>'بروزرسانی','verbEdit'=>'ویرایش','The changes you made will be lost if you navigate away from this page'=>'اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شد','File type must be %s.'=>'نوع فایل باید %s باشد.','or'=>'یا','File size must not exceed %s.'=>'حجم فایل ها نباید از %s بیشتر باشد.','File size must be at least %s.'=>'حجم فایل باید حداقل %s باشد.','Image height must not exceed %dpx.'=>'ارتفاع تصویر نباید از %d پیکسل بیشتر باشد.','Image height must be at least %dpx.'=>'ارتفاع فایل باید حداقل %d پیکسل باشد.','Image width must not exceed %dpx.'=>'عرض تصویر نباید از %d پیکسل بیشتر باشد.','Image width must be at least %dpx.'=>'عرض تصویر باید حداقل %d پیکسل باشد.','(no title)'=>'(بدون عنوان)','Full Size'=>'اندازه کامل','Large'=>'بزرگ','Medium'=>'متوسط','Thumbnail'=>'تصویر بندانگشتی','(no label)'=>'(بدون برچسب)','Sets the textarea height'=>'تعیین ارتفاع باکس متن','Rows'=>'سطرها','Text Area'=>'جعبه متن (متن چند خطی)','Prepend an extra checkbox to toggle all choices'=>'اضافه کردن چک باکس اضافی برای انتخاب همه','Save \'custom\' values to the field\'s choices'=>'ذخیره مقادیر دلخواه در انتخاب های زمینه','Allow \'custom\' values to be added'=>'اجازه درج مقادیر دلخواه','Add new choice'=>'درج انتخاب جدید','Toggle All'=>'انتخاب همه','Allow Archives URLs'=>'اجازه آدرس های آرشیو','Archives'=>'بایگانی ها','Page Link'=>'پیوند (لینک) برگه/نوشته','Add'=>'افزودن','Name'=>'نام','%s added'=>'%s اضافه شد','%s already exists'=>'%s هم اکنون موجود است','User unable to add new %s'=>'کاربر قادر به اضافه کردن%s جدید نیست','Term ID'=>'شناسه مورد','Term Object'=>'به صورت آبجکت','Load value from posts terms'=>'خواندن مقادیر از ترم های نوشته','Load Terms'=>'خواندن ترم ها','Connect selected terms to the post'=>'الصاق آیتم های انتخابی به نوشته','Save Terms'=>'ذخیره ترم ها','Allow new terms to be created whilst editing'=>'اجازه به ساخت آیتمها(ترمها) جدید در زمان ویرایش','Create Terms'=>'ساخت آیتم (ترم)','Radio Buttons'=>'دکمههای رادیویی','Single Value'=>'تک مقدار','Multi Select'=>'چندین انتخاب','Checkbox'=>'چک باکس','Multiple Values'=>'چندین مقدار','Select the appearance of this field'=>'ظاهر این زمینه را مشخص کنید','Appearance'=>'ظاهر','Select the taxonomy to be displayed'=>'طبقهبندی را برای برون بری انتخاب کنید','Value must be equal to or lower than %d'=>'مقدار باید کوچکتر یا مساوی %d باشد','Value must be equal to or higher than %d'=>'مقدار باید مساوی یا بیشتر از %d باشد','Value must be a number'=>'مقدار باید عددی باشد','Number'=>'عدد','Save \'other\' values to the field\'s choices'=>'ذخیره مقادیر دیگر در انتخاب های زمینه','Add \'other\' choice to allow for custom values'=>'افزودن گزینه \'دیگر\' برای ثبت مقادیر دلخواه','Other'=>'دیگر','Radio Button'=>'دکمه رادیویی','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود.','Allow this accordion to open without closing others.'=>'اجازه دهید این آکوردئون بدون بستن دیگر آکاردئونها باز شود.','Display this accordion as open on page load.'=>'نمایش آکوردئون این به عنوان باز در بارگذاری صفحات.','Open'=>'باز','Accordion'=>'آکاردئونی','Restrict which files can be uploaded'=>'محدودیت در آپلود فایل ها','File ID'=>'شناسه پرونده','File URL'=>'آدرس پرونده','File Array'=>'آرایه فایل','Add File'=>'افزودن پرونده','No file selected'=>'هیچ پرونده ای انتخاب نشده','File name'=>'نام فایل','Update File'=>'بروزرسانی پرونده','Edit File'=>'ویرایش پرونده','Select File'=>'انتخاب پرونده','File'=>'پرونده','Password'=>'رمزعبور','Specify the value returned'=>'مقدار بازگشتی را انتخاب کنید','Use AJAX to lazy load choices?'=>'از ایجکس برای خواندن گزینه های استفاده شود؟','Enter each default value on a new line'=>'هر مقدار پیش فرض را در یک خط جدید وارد کنید','verbSelect'=>'انتخاب','Select2 JS load_failLoading failed'=>'خطا در فراخوانی داده ها','Select2 JS searchingSearching…'=>'جستجو …','Select2 JS load_moreLoading more results…'=>'بارگذاری نتایج بیشتر…','Select2 JS selection_too_long_nYou can only select %d items'=>'شما فقط می توانید %d مورد را انتخاب کنید','Select2 JS selection_too_long_1You can only select 1 item'=>'فقط می توانید یک آیتم را انتخاب کنید','Select2 JS input_too_long_nPlease delete %d characters'=>'لطفا %d کاراکتر را حذف کنید','Select2 JS input_too_long_1Please delete 1 character'=>'یک حرف را حذف کنید','Select2 JS input_too_short_nPlease enter %d or more characters'=>'لطفا %d یا چند کاراکتر دیگر وارد کنید','Select2 JS input_too_short_1Please enter 1 or more characters'=>'یک یا چند حرف وارد کنید','Select2 JS matches_0No matches found'=>'مشابهی یافت نشد','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید.','Select2 JS matches_1One result is available, press enter to select it.'=>'یک نتیجه موجود است برای انتخاب اینتر را فشار دهید.','nounSelect'=>'انتخاب','User ID'=>'شناسه کاربر','User Object'=>'آبجکت کاربر','User Array'=>'آرایه کاربر','All user roles'=>'تمام نقش های کاربر','User'=>'کاربر','Separator'=>'جداکننده','Select Color'=>'رنگ را انتخاب کنید','Default'=>'پیش فرض','Clear'=>'پاکسازی','Color Picker'=>'انتخاب کننده رنگ','Date Time Picker JS pmTextShortP'=>'عصر','Date Time Picker JS pmTextPM'=>'عصر','Date Time Picker JS amTextShortA'=>'صبح','Date Time Picker JS amTextAM'=>'صبح','Date Time Picker JS selectTextSelect'=>'انتخاب','Date Time Picker JS closeTextDone'=>'انجام شد','Date Time Picker JS currentTextNow'=>'اکنون','Date Time Picker JS timezoneTextTime Zone'=>'منطقه زمانی','Date Time Picker JS microsecTextMicrosecond'=>'میکرو ثانیه','Date Time Picker JS millisecTextMillisecond'=>'میلی ثانیه','Date Time Picker JS secondTextSecond'=>'ثانیه','Date Time Picker JS minuteTextMinute'=>'دقیقه','Date Time Picker JS hourTextHour'=>'ساعت','Date Time Picker JS timeTextTime'=>'زمان','Date Time Picker JS timeOnlyTitleChoose Time'=>'انتخاب زمان','Date Time Picker'=>'انتخاب کننده زمان و تاریخ','Endpoint'=>'نقطه پایانی','Left aligned'=>'سمت چپ','Top aligned'=>'سمت بالا','Placement'=>'جانمایی','Tab'=>'تب','Value must be a valid URL'=>'مقدار باید یک آدرس صحیح باشد','Link URL'=>'آدرس لینک','Link Array'=>'آرایه لینک','Opens in a new window/tab'=>'در پنجره جدید باز شود','Select Link'=>'انتخاب لینک','Link'=>'لینک','Email'=>'پست الکترونیکی','Step Size'=>'اندازه مرحله','Maximum Value'=>'حداکثر مقدار','Minimum Value'=>'حداقل مقدار','Range'=>'محدوده','Both (Array)'=>'هر دو (آرایه)','Label'=>'برچسب زمینه','Value'=>'مقدار','Vertical'=>'عمودی','Horizontal'=>'افقی','red : Red'=>'red : قرمز','For more control, you may specify both a value and label like this:'=>'برای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:','Enter each choice on a new line.'=>'هر انتخاب را در یک خط جدید وارد کنید.','Choices'=>'انتخاب ها','Button Group'=>'گروه دکمهها','Parent'=>'مادر','TinyMCE will not be initialized until field is clicked'=>'تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد','Toolbar'=>'نوار ابزار','Text Only'=>'فقط متن','Visual Only'=>'فقط بصری','Visual & Text'=>'بصری و متنی','Tabs'=>'تب ها','Click to initialize TinyMCE'=>'برای اجرای TinyMCE کلیک کنید','Name for the Text editor tab (formerly HTML)Text'=>'متن','Visual'=>'بصری','Value must not exceed %d characters'=>'مقدار نباید از %d کاراکتر بیشتر شود','Leave blank for no limit'=>'برای نامحدود بودن این بخش را خالی بگذارید','Character Limit'=>'محدودیت کاراکتر','Appears after the input'=>'بعد از ورودی نمایش داده می شود','Append'=>'پسوند','Appears before the input'=>'قبل از ورودی نمایش داده می شود','Prepend'=>'پیشوند','Appears within the input'=>'در داخل ورودی نمایش داده می شود','Placeholder Text'=>'نگهدارنده مکان متن','Appears when creating a new post'=>'هنگام ایجاد یک نوشته جدید نمایش داده می شود','Text'=>'متن','Post ID'=>'شناسه نوشته','Post Object'=>'آبجکت یک نوشته','Featured Image'=>'تصویر شاخص','Selected elements will be displayed in each result'=>'عناصر انتخاب شده در هر نتیجه نمایش داده خواهند شد','Elements'=>'عناصر','Taxonomy'=>'طبقه بندی','Post Type'=>'نوع نوشته','Filters'=>'فیلترها','All taxonomies'=>'تمام طبقه بندی ها','Filter by Taxonomy'=>'فیلتر با طبقه بندی','All post types'=>'تمام انواع نوشته','Filter by Post Type'=>'فیلتر با نوع نوشته','Search...'=>'جستجو . . .','Select taxonomy'=>'انتخاب طبقه بندی','Select post type'=>'انتحاب نوع نوشته','No matches found'=>'مطابقتی یافت نشد','Loading'=>'درحال خواندن','Maximum values reached ( {max} values )'=>'مقادیر به حداکثر رسیده اند ( {max} آیتم )','Relationship'=>'ارتباط','Comma separated list. Leave blank for all types'=>'با کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذارید','Maximum'=>'بیشترین','File size'=>'اندازه فایل','Restrict which images can be uploaded'=>'محدودیت در آپلود تصاویر','Minimum'=>'کمترین','Uploaded to post'=>'بارگذاری شده در نوشته','All'=>'همه','Limit the media library choice'=>'محدود کردن انتخاب کتابخانه چندرسانه ای','Library'=>'کتابخانه','Preview Size'=>'اندازه پیش نمایش','Image ID'=>'شناسه تصویر','Image URL'=>'آدرس تصویر','Image Array'=>'آرایه تصاویر','Specify the returned value on front end'=>'مقدار برگشتی در نمایش نهایی را تعیین کنید','Return Value'=>'مقدار بازگشت','Add Image'=>'افزودن تصویر','No image selected'=>'هیچ تصویری انتخاب نشده','Remove'=>'حذف','Edit'=>'ویرایش','All images'=>'تمام تصاویر','Update Image'=>'بروزرسانی تصویر','Edit Image'=>'ویرایش تصویر','Select Image'=>'انتخاب تصویر','Image'=>'تصویر','Allow HTML markup to display as visible text instead of rendering'=>'اجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنها','Escape HTML'=>'حذف HTML','No Formatting'=>'بدون قالب بندی','Automatically add <br>'=>'اضافه کردن خودکار <br>','Automatically add paragraphs'=>'پاراگراف ها خودکار اضافه شوند','Controls how new lines are rendered'=>'تنظیم کنید که خطوط جدید چگونه نمایش داده شوند','New Lines'=>'خطوط جدید','Week Starts On'=>'اولین روز هفته','The format used when saving a value'=>'قالب استفاده در زمان ذخیره مقدار','Save Format'=>'ذخیره قالب','Date Picker JS weekHeaderWk'=>'هفته','Date Picker JS prevTextPrev'=>'قبلی','Date Picker JS nextTextNext'=>'بعدی','Date Picker JS currentTextToday'=>'امروز','Date Picker JS closeTextDone'=>'انجام شد','Date Picker'=>'تاریخ','Width'=>'عرض','Embed Size'=>'اندازه جانمایی','Enter URL'=>'آدرس را وارد کنید','oEmbed'=>'oEmbed','Text shown when inactive'=>'نمایش متن در زمان غیر فعال بودن','Off Text'=>'بدون متن','Text shown when active'=>'نمایش متن در زمان فعال بودن','On Text'=>'با متن','Default Value'=>'مقدار پیش فرض','Displays text alongside the checkbox'=>'نمایش متن همراه انتخاب','Message'=>'پیام','No'=>'خیر','Yes'=>'بله','True / False'=>'صحیح / غلط','Row'=>'سطر','Table'=>'جدول','Block'=>'بلوک','Specify the style used to render the selected fields'=>'استایل جهت نمایش فیلد انتخابی','Layout'=>'چیدمان','Sub Fields'=>'زمینههای زیرمجموعه','Group'=>'گروه','Customize the map height'=>'سفارشی سازی ارتفاع نقشه','Height'=>'ارتفاع','Set the initial zoom level'=>'تعین مقدار بزرگنمایی اولیه','Zoom'=>'بزرگنمایی','Center the initial map'=>'نقشه اولیه را وسط قرار بده','Center'=>'مرکز','Search for address...'=>'جستجو برای آدرس . . .','Find current location'=>'پیدا کردن مکان فعلی','Clear location'=>'حذف مکان','Search'=>'جستجو','Sorry, this browser does not support geolocation'=>'با عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کند','Google Map'=>'نقشه گوگل','The format returned via template functions'=>'قالب توسط توابع پوسته نمایش داده خواهد شد','Return Format'=>'فرمت بازگشت','Custom:'=>'دلخواه:','The format displayed when editing a post'=>'قالب در زمان نمایش نوشته دیده خواهد شد','Display Format'=>'فرمت نمایش','Time Picker'=>'انتخاب زمان','No Fields found in Trash'=>'گروه زمینه ای در زباله دان یافت نشد','No Fields found'=>'گروه زمینه ای یافت نشد','Search Fields'=>'جستجوی گروه های زمینه','View Field'=>'نمایش زمینه','New Field'=>'زمینه جدید','Edit Field'=>'ویرایش زمینه','Add New Field'=>'زمینه جدید','Field'=>'زمینه','Fields'=>'زمینه ها','No Field Groups found in Trash'=>'گروه زمینه ای در زباله دان یافت نشد','No Field Groups found'=>'گروه زمینه ای یافت نشد','Search Field Groups'=>'جستجوی گروه های زمینه','View Field Group'=>'مشاهده گروه زمینه','New Field Group'=>'گروه زمینه جدید','Edit Field Group'=>'ویرایش گروه زمینه','Add New Field Group'=>'افزودن گروه زمینه جدید','Add New'=>'افزودن','Field Group'=>'گروه زمینه','Field Groups'=>'گروههای زمینه','Customize WordPress with powerful, professional and intuitive fields.'=>'وردپرس را با زمینههای حرفهای و قدرتمند سفارشی کنید.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'زمینههای سفارشی پیشرفته']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'کلید طبقه بندی موجود است و خارج از ACF درحال استفاده است و نمیتوان از این کلید استفاده کرد.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'این کلید طبقه بندی موجود است و توسط یکی از طبقه بندی های ACF درحال استفاده می باشد و نمیتوان از این کلید استفاده کرد.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید طبقه بندی فقط باید شامل حروف کوچک انگلیسی و اعداد و زیر خط (_) یا خط تیره (-) باشد.','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'هیچ طبقه بندی در زباله دان نیست','No Taxonomies found'=>'هیچ طبقه بندی یافت نشد','Search Taxonomies'=>'جستجوی طبقه بندی ها','View Taxonomy'=>'مشاهده طبقه بندی ها','New Taxonomy'=>'افزودن طبقه بندی جدید','Edit Taxonomy'=>'ویرایش طبقه بندی ها','Add New Taxonomy'=>'افزودن طبقه بندی جدید','No Post Types found in Trash'=>'هیچ نوع نوشتهای در زبالهدان یافت نشد.','No Post Types found'=>'هیچ نوع پستی پیدا نشد','Search Post Types'=>'جستجوی در انواع پست ها','View Post Type'=>'مشاهده نوع پست ها','New Post Type'=>'نوع پست جدید','Edit Post Type'=>'ویرایش نوع پست','Add New Post Type'=>'افزودن نوع پست جدید','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'کلید نوع پست در حال حاضر خارج از ACF ثبت شده است و نمی توان از آن استفاده کرد.','This post type key is already in use by another post type in ACF and cannot be used.'=>'کلید نوع پست در حال حاضر در ACF ثبت شده است و نمی توان از آن استفاده کرد.','This field must not be a WordPress reserved term.'=>'این زمینه نباید یک مورد رزرو شدهدر وردپرس باشد.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید نوع پست فقط باید شامل حذوف کوچک انگلیسی و اعداد و زیر خط (_) و یا خط تیره (-) باشد.','The post type key must be under 20 characters.'=>'کلید نوع پست حداکثر باید 20 حرفی باشد.','We do not recommend using this field in ACF Blocks.'=>'توصیه نمیکنیم از این زمینه در بلوک های ACF استفاده کنید.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'ویرایشگر WYSIWYG وردپرس را همانطور که در پستها و صفحات دیده میشود نمایش میدهد و امکان ویرایش متن غنی را فراهم میکند و محتوای چندرسانهای را نیز امکانپذیر میکند.','WYSIWYG Editor'=>'ویرایشگر WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'اجازه میدهد که یک یا چند کاربر را انتخاب کنید که می تواند برای ایجاد رابطه بین داده های آبجکت ها مورد استفاده قرار گیرد.','A text input specifically designed for storing web addresses.'=>'یک ورودی متنی که به طور خاص برای ذخیره آدرس های وب طراحی شده است.','URL'=>'نشانی وب','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'کلیدی که به شما امکان می دهد مقدار 1 یا 0 را انتخاب کنید (روشن یا خاموش، درست یا نادرست و غیره). میتواند بهعنوان یک سوئیچ یا چک باکس تلطیف شده ارائه شود.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب زمان. قالب زمان را می توان با استفاده از تنظیمات فیلد سفارشی کرد.','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'فیلتر بر اساس وضعیت پست','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'کپی (هیچ)','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'افزودن نوع پست','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'قابلیتهای وردپرس را فراتر از نوشتهها و برگههای استاندارد با انواع پست سفارشی توسعه دهید.','Add Your First Post Type'=>'اولین نوع پست سفارشی خود را اضافه کنید','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'پیکربندی پیشرفته','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'سلسلهمراتبی','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'عمومی','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'فیلم','Singular Label'=>'برچسب مفرد','Movies'=>'فیلمها','Plural Label'=>'برچسب جمع','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'کلید نوع پست','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'تولید دوباره تمامی برچسبهای مفرد و جمعی','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'طبقهبندیهای موجود را برای دستهبندی کردن آیتمهای نوع پست انتخاب نمایید.','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'','Category'=>'دسته','Tag'=>'برچسب','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'','Taxonomy duplicated.'=>'','Taxonomy deactivated.'=>'','Taxonomy activated.'=>'','Terms'=>'شرایط','Post type synchronized.'=>'','Post type duplicated.'=>'','Post type deactivated.'=>'','Post type activated.'=>'','Post Types'=>'انواع پست','Advanced Settings'=>'تنظیمات پیشرفته','Basic Settings'=>'تنظیمات پایه','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'صفحات','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'نوع پست ارسال شد','Post type saved.'=>'نوع پست ذخیره شد','Post type updated.'=>'نوع پست به روز شد','Post type deleted.'=>'نوع پست حذف شد','Type to search...'=>'برای جستجو تایپ کنید....','PRO Only'=>'فقط نسخه حرفه ای','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'طبقهبندی','post type'=>'نوع نوشته','Done'=>'پایان','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'','post statusRegistration Failed'=>'ثبت نام انجام نشد','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'این مورد ثبت نشد زیرا کلید آن توسط مورد دیگری که توسط افزونه یا طرح زمینه دیگری ثبت شده است استفاده می شود.','REST API'=>'REST API','Permissions'=>'دسترسیها','URLs'=>'پیوندها','Visibility'=>'نمایش','Labels'=>'برچسبها','Field Settings Tabs'=>'زبانه تنظیمات زمینه','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[مقدار کد کوتاه ACF برای پیش نمایش غیرفعال است]','Close Modal'=>'بستن صفحه','Field moved to other group'=>'زمینه به یک گروه دیگر منتقل شد','Close modal'=>'بستن صفحه','Start a new group of tabs at this tab.'=>'شروع گروه جدید زبانهها در این زبانه','New Tab Group'=>'گروه زبانه جدید','Use a stylized checkbox using select2'=>'بهکارگیری کادر انتخاب سبک وار با select2','Save Other Choice'=>'ذخیره انتخاب دیگر','Allow Other Choice'=>'اجازه دادن انتخاب دیگر','Add Toggle All'=>'افزودن تغییر وضعیت همه','Save Custom Values'=>'ذخیره مقادیر سفارشی','Allow Custom Values'=>'اجازه دادن مقادیر سفارشی','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'مقادیر سفارشی کادر انتخاب نمیتواند خالی باشد. انتخاب مقادیر خالی را بردارید.','Updates'=>'بروزرسانی ها','Advanced Custom Fields logo'=>'لوگوی زمینههای سفارشی پیشرفته','Save Changes'=>'ذخیره تغییرات','Field Group Title'=>'عنوان گروه زمینه','Add title'=>'افزودن عنوان','New to ACF? Take a look at our getting started guide.'=>'تازه با ACF آشنا شدهاید؟ به راهنمای شروع ما نگاهی بیندازید.','Add Field Group'=>'افزودن گروه زمینه','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'اولین گروه فیلد خود را اضافه نمایید','Options Pages'=>'برگههای گزینهها','ACF Blocks'=>'بلوکهای ACF','Gallery Field'=>'زمینه گالری','Flexible Content Field'=>'زمینه محتوای انعطاف پذیر','Repeater Field'=>'زمینه تکرارشونده','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'حذف گروه زمینه','Created on %1$s at %2$s'=>'','Group Settings'=>'تنظیمات گروه','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'#','Add Field'=>'افزودن زمینه','Presentation'=>'نمایش','Validation'=>'اعتبارسنجی','General'=>'عمومی','Import JSON'=>'درون ریزی JSON','Export As JSON'=>'برون بری با JSON','Field group deactivated.'=>'','Field group activated.'=>'','Deactivate'=>'غیرفعال کردن','Deactivate this item'=>'غیرفعال کردن این مورد','Activate'=>'فعال کردن','Activate this item'=>'فعال کردن این مورد','Move field group to trash?'=>'انتقال گروه زمینه به زبالهدان؟','post statusInactive'=>'غیرفعال','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'افزونه زمینه های سفارشی و افزونه زمینه های سفارشی پیشرفته نباید همزمان فعال باشند. ما به طور خودکار افزونه زمینه های سفارشی پیشرفته را غیرفعال کردیم.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'افزونه زمینه های سفارشی و افزونه زمینه های سفارشی پیشرفته نباید همزمان فعال باشند. ما به طور خودکار فیلدهای سفارشی پیشرفته را غیرفعال کرده ایم.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - قبل از شروع اولیه ACF، یک یا چند تماس را برای بازیابی مقادیر فیلد ACF شناسایی کردهایم. این مورد پشتیبانی نمیشود و میتواند منجر به دادههای ناقص یا از دست رفته شود. با نحوه رفع این مشکل آشنا شوید.','%1$s must have a user with the %2$s role.'=>'','%1$s must have a valid user ID.'=>'','Invalid request.'=>'درخواست نامعتبر.','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'','%1$s must be of post type %2$s.'=>'','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'نمایش در REST API','Enable Transparency'=>'فعال کردن شفافیت','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'ارتقا به نسخه حرفه ای','post statusActive'=>'فعال','\'%s\' is not a valid email address'=>'نشانی ایمیل %s معتبر نیست','Color value'=>'مقدار رنگ','Select default color'=>'انتخاب رنگ پیشفرض','Clear color'=>'پاک کردن رنگ','Blocks'=>'بلوکها','Options'=>'تنظیمات','Users'=>'کاربران','Menu items'=>'آیتمهای منو','Widgets'=>'ابزارکها','Attachments'=>'پیوستها','Taxonomies'=>'طبقهبندیها','Posts'=>'نوشته ها','Last updated: %s'=>'آخرین بهروزرسانی: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'پارامتر(ها) گروه فیلد نامعتبر است','Awaiting save'=>'در انتظار ذخیره','Saved'=>'ذخیره شده','Import'=>'درونریزی','Review changes'=>'تغییرات مرور شد','Located in: %s'=>'قرار گرفته در: %s','Located in plugin: %s'=>'قرار گرفته در پلاگین: %s','Located in theme: %s'=>'قرار گرفته در قالب: %s','Various'=>'مختلف','Sync changes'=>'همگامسازی تغییرات','Loading diff'=>'بارگذاری تفاوت','Review local JSON changes'=>'بررسی تغییرات JSON محلی','Visit website'=>'بازدید وب سایت','View details'=>'نمایش جزییات','Version %s'=>'نگارش %s','Information'=>'اطلاعات','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'کمک ميز. حرفه ای پشتیبانی در میز کمک ما با بیشتر خود را در عمق کمک, چالش های فنی.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'بحث ها. ما یک جامعه فعال و دوستانه در انجمن های جامعه ما که ممکن است قادر به کمک به شما کشف کردن \'چگونه بازی یا بازی\' از جهان ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'مستندات . مستندات گسترده ما شامل مراجع و راهنماهایی برای اکثر موقعیت هایی است که ممکن است با آن مواجه شوند.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'ما در المنتور فارسی در مورد پشتیبانی متعصب هستیم و می خواهیم شما با ACF بهترین بهره را از وب سایت خود ببرید. اگر به مشکلی برخوردید ، چندین مکان وجود دارد که می توانید کمک کنید:','Help & Support'=>'کمک و پشتیبانی','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'لطفا از زبانه پشتیبانی برای تماس استفاده کنید باید خودتان را پیدا کنید که نیاز به کمک دارد.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'قبل از ایجاد اولین گروه زمینه خود را، ما توصیه می کنیم برای اولین بار خواندن راهنمای شروع به کار ما برای آشنایی با فلسفه پلاگین و بهترین تمرین.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'افزونه پیشرفته زمینه های سفارشی فراهم می کند یک سازنده فرم بصری برای سفارشی کردن وردپرس ویرایش صفحه نمایش با زمینه های اضافی، و API بصری برای نمایش ارزش های زمینه سفارشی در هر فایل قالب تم.','Overview'=>'مرور کلی','Location type "%s" is already registered.'=>'نوع مکان "%s" در حال حاضر ثبت شده است.','Class "%s" does not exist.'=>'کلاس "%s" وجود ندارد.','Invalid nonce.'=>'کلید نامعتبر است','Error loading field.'=>'خطا در بارگزاری زمینه','Error: %s'=>'','Widget'=>'ابزارک','User Role'=>'نقش کاربر','Comment'=>'دیدگاه','Post Format'=>'فرمت نوشته','Menu Item'=>'آیتم منو','Post Status'=>'وضعیت نوشته','Menus'=>'منوها','Menu Locations'=>'محل منو','Menu'=>'منو','Post Taxonomy'=>'طبقه بندی نوشته','Child Page (has parent)'=>'برگه زیر مجموعه (دارای مادر)','Parent Page (has children)'=>'برگه مادر (دارای زیر مجموعه)','Top Level Page (no parent)'=>'بالاترین سطح برگه(بدون والد)','Posts Page'=>'برگه ی نوشته ها','Front Page'=>'برگه نخست','Page Type'=>'نوع برگه','Viewing back end'=>'درحال نمایش back end','Viewing front end'=>'درحال نمایش سمت کاربر','Logged in'=>'وارده شده','Current User'=>'کاربر فعلی','Page Template'=>'قالب برگه','Register'=>'ثبت نام','Add / Edit'=>'اضافه کردن/ویرایش','User Form'=>'فرم کاربر','Page Parent'=>'برگه مادر','Super Admin'=>'مدیرکل','Current User Role'=>'نقش کاربرفعلی','Default Template'=>'پوسته پیش فرض','Post Template'=>'قالب نوشته','Post Category'=>'دسته بندی نوشته','All %s formats'=>'همهی فرمتهای %s','Attachment'=>'پیوست','%s value is required'=>'مقدار %s لازم است','Show this field if'=>'نمایش این گروه فیلد اگر','Conditional Logic'=>'منطق شرطی','and'=>'و','Local JSON'=>'JSON های لوکال','Clone Field'=>'فیلد کپی','Please also check all premium add-ons (%s) are updated to the latest version.'=>'همچنین لطفا همه افزونههای پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند.','This version contains improvements to your database and requires an upgrade.'=>'این نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد.','Thank you for updating to %1$s v%2$s!'=>'','Database Upgrade Required'=>'به روزرسانی دیتابیس لازم است','Options Page'=>'برگه تنظیمات','Gallery'=>'گالری','Flexible Content'=>'محتوای انعطاف پذیر','Repeater'=>'زمینه تکرار کننده','Back to all tools'=>'بازگشت به همه ابزارها','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)'=>'اگر چندین گروه فیلد در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه فیلد استفاده خواهد شد. (یکی با کمترین شماره)','Select items to hide them from the edit screen.'=>'انتخاب آیتم ها برای پنهان کردن آن ها از صفحه ویرایش.','Hide on screen'=>'مخفی کردن در صفحه','Send Trackbacks'=>'ارسال بازتاب ها','Tags'=>'برچسب ها','Categories'=>'دسته ها','Page Attributes'=>'صفات برگه','Format'=>'فرمت','Author'=>'نویسنده','Slug'=>'نامک','Revisions'=>'بازنگری ها','Comments'=>'دیدگاه ها','Discussion'=>'گفتگو','Excerpt'=>'چکیده','Content Editor'=>'ویرایش گر محتوا(ادیتور اصلی)','Permalink'=>'پیوند یکتا','Shown in field group list'=>'','Field groups with a lower order will appear first'=>'گروه ها با شماره ترتیب کمتر اول دیده می شوند','Order No.'=>'شماره ترتیب.','Below fields'=>'زیر فیلد ها','Below labels'=>'برچسبهای زیر','Instruction Placement'=>'','Label Placement'=>'','Side'=>'کنار','Normal (after content)'=>'معمولی (بعد از ادیتور متن)','High (after title)'=>'بالا (بعد از عنوان)','Position'=>'موقعیت','Seamless (no metabox)'=>'بدون متاباکس','Standard (WP metabox)'=>'استاندارد (دارای متاباکس)','Style'=>'شیوه نمایش','Type'=>'','Key'=>'کلید','Order'=>'ترتیب','Close Field'=>'','id'=>'شناسه','class'=>'کلاس','width'=>'عرض','Wrapper Attributes'=>'مشخصات پوشش فیلد','Required'=>'','Instructions'=>'دستورالعمل ها','Field Type'=>'','Single word, no spaces. Underscores and dashes allowed'=>'تک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاند','Field Name'=>'','This is the name which will appear on the EDIT page'=>'این نامی است که در صفحه "ویرایش" نمایش داده خواهد شد','Field Label'=>'','Delete'=>'حذف','Delete field'=>'حذف زمینه','Move'=>'انتقال','Move field to another group'=>'انتقال زمینه ها به گروه دیگر','Duplicate field'=>'تکثیر زمینه','Edit field'=>'ویرایش زمینه','Drag to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Show this field group if'=>'نمایش این گروه زمینه اگر','No updates available.'=>'بهروزرسانی موجود نیست.','Database upgrade complete. See what\'s new'=>'ارتقای پایگاه داده کامل شد. تغییرات جدید را ببینید','Reading upgrade tasks...'=>'در حال خواندن مراحل به روزرسانی...','Upgrade failed.'=>'ارتقا با خطا مواجه شد.','Upgrade complete.'=>'ارتقا کامل شد.','Upgrading data to version %s'=>'به روز رسانی داده ها به نسحه %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟','Please select at least one site to upgrade.'=>'لطفا حداقل یک سایت برای ارتقا انتخاب کنید.','Database Upgrade complete. Return to network dashboard'=>'به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه','Site is up to date'=>'سایت به روز است','Site requires database upgrade from %1$s to %2$s'=>'','Site'=>'سایت','Upgrade Sites'=>'ارتقاء سایت','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید.','Add rule group'=>'افزودن گروه قانون','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینههای سفارشی سفارشی نمایش داده شوند','Rules'=>'قوانین','Copied'=>'کپی شد','Copy to clipboard'=>'درج در حافظه موقت','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'انتخاب گروه های زمینه','No field groups selected'=>'گروه زمینه ای انتخاب نشده است','Generate PHP'=>'تولید کد PHP','Export Field Groups'=>'برون بری گروه های زمینه','Import file empty'=>'فایل وارد شده خالی است','Incorrect file type'=>'نوع فایل صحیح نیست','Error uploading file. Please try again'=>'خطا در آپلود فایل. لطفا مجدد بررسی کنید','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'وارد کردن گروه های زمینه','Sync'=>'هماهنگ','Select %s'=>'انتخاب %s','Duplicate'=>'تکثیر','Duplicate this item'=>'تکثیر این زمینه','Supports'=>'','Documentation'=>'مستندات','Description'=>'توضیحات','Sync available'=>'هماهنگ سازی موجود است','Field group synchronized.'=>'','Field group duplicated.'=>'%s گروه زمینه تکثیر شدند.','Active (%s)'=>'فعال (%s)','Review sites & upgrade'=>'بازبینی و بهروزرسانی سایتها','Upgrade Database'=>'بهروزرسانی پایگاه داده','Custom Fields'=>'زمینههای سفارشی','Move Field'=>'جابجایی زمینه','Please select the destination for this field'=>'مقصد انتقال این زمینه را مشخص کنید','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'انتقال کامل شد.','Active'=>'فعال','Field Keys'=>'کلیدهای زمینه','Settings'=>'تنظیمات','Location'=>'مکان','Null'=>'خالی (null)','copy'=>'کپی','(this field)'=>'(این گزینه)','Checked'=>'انتخاب شده','Move Custom Field'=>'جابجایی زمینه دلخواه','No toggle fields available'=>'هیچ زمینه شرط پذیری موجود نیست','Field group title is required'=>'عنوان گروه زمینه ضروری است','This field cannot be moved until its changes have been saved'=>'این زمینه قبل از اینکه ذخیره شود نمی تواند جابجا شود','The string "field_" may not be used at the start of a field name'=>'کلمه متنی "field_" نباید در ابتدای نام فیلد استفاده شود','Field group draft updated.'=>'پیش نویش گروه زمینه بروز شد.','Field group scheduled for.'=>'گروه زمینه برنامه ریزی انتشار پیدا کرده برای.','Field group submitted.'=>'گروه زمینه ارسال شد.','Field group saved.'=>'گروه زمینه ذخیره شد.','Field group published.'=>'گروه زمینه انتشار یافت.','Field group deleted.'=>'گروه زمینه حذف شد.','Field group updated.'=>'گروه زمینه بروز شد.','Tools'=>'ابزارها','is not equal to'=>'برابر نشود با','is equal to'=>'برابر شود با','Forms'=>'فرم ها','Page'=>'برگه','Post'=>'نوشته','Relational'=>'رابطه','Choice'=>'انتخاب','Basic'=>'پایه','Unknown'=>'ناشناخته','Field type does not exist'=>'نوع زمینه وجود ندارد','Spam Detected'=>'اسپم تشخیص داده شد','Post updated'=>'نوشته بروز شد','Update'=>'بروزرسانی','Validate Email'=>'اعتبار سنجی ایمیل','Content'=>'محتوا','Title'=>'عنوان','Edit field group'=>'ویرایش گروه زمینه','Selection is less than'=>'انتخاب کمتر از','Selection is greater than'=>'انتخاب بیشتر از','Value is less than'=>'مقدار کمتر از','Value is greater than'=>'مقدار بیشتر از','Value contains'=>'شامل می شود','Value matches pattern'=>'مقدار الگوی','Value is not equal to'=>'مقدار برابر نیست با','Value is equal to'=>'مقدار برابر است با','Has no value'=>'بدون مقدار','Has any value'=>'هر نوع مقدار','Cancel'=>'لغو','Are you sure?'=>'اطمینان دارید؟','%d fields require attention'=>'%d گزینه نیاز به بررسی دارد','1 field requires attention'=>'یکی از گزینه ها نیاز به بررسی دارد','Validation failed'=>'مشکل در اعتبار سنجی','Validation successful'=>'اعتبار سنجی موفق بود','Restricted'=>'ممنوع','Collapse Details'=>'عدم نمایش جزئیات','Expand Details'=>'نمایش جزئیات','Uploaded to this post'=>'بارگذاری شده در این نوشته','verbUpdate'=>'بروزرسانی','verbEdit'=>'ویرایش','The changes you made will be lost if you navigate away from this page'=>'اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شد','File type must be %s.'=>'نوع فایل باید %s باشد.','or'=>'یا','File size must not exceed %s.'=>'حجم فایل ها نباید از %s بیشتر باشد.','File size must be at least %s.'=>'حجم فایل باید حداقل %s باشد.','Image height must not exceed %dpx.'=>'ارتفاع تصویر نباید از %d پیکسل بیشتر باشد.','Image height must be at least %dpx.'=>'ارتفاع فایل باید حداقل %d پیکسل باشد.','Image width must not exceed %dpx.'=>'عرض تصویر نباید از %d پیکسل بیشتر باشد.','Image width must be at least %dpx.'=>'عرض تصویر باید حداقل %d پیکسل باشد.','(no title)'=>'(بدون عنوان)','Full Size'=>'اندازه کامل','Large'=>'بزرگ','Medium'=>'متوسط','Thumbnail'=>'تصویر بندانگشتی','(no label)'=>'(بدون برچسب)','Sets the textarea height'=>'تعیین ارتفاع باکس متن','Rows'=>'سطرها','Text Area'=>'جعبه متن (متن چند خطی)','Prepend an extra checkbox to toggle all choices'=>'اضافه کردن چک باکس اضافی برای انتخاب همه','Save \'custom\' values to the field\'s choices'=>'ذخیره مقادیر دلخواه در انتخاب های زمینه','Allow \'custom\' values to be added'=>'اجازه درج مقادیر دلخواه','Add new choice'=>'درج انتخاب جدید','Toggle All'=>'انتخاب همه','Allow Archives URLs'=>'اجازه آدرس های آرشیو','Archives'=>'بایگانی ها','Page Link'=>'پیوند (لینک) برگه/نوشته','Add'=>'افزودن','Name'=>'نام','%s added'=>'%s اضافه شد','%s already exists'=>'%s هم اکنون موجود است','User unable to add new %s'=>'کاربر قادر به اضافه کردن%s جدید نیست','Term ID'=>'شناسه مورد','Term Object'=>'به صورت آبجکت','Load value from posts terms'=>'خواندن مقادیر از ترم های نوشته','Load Terms'=>'خواندن ترم ها','Connect selected terms to the post'=>'الصاق آیتم های انتخابی به نوشته','Save Terms'=>'ذخیره ترم ها','Allow new terms to be created whilst editing'=>'اجازه به ساخت آیتمها(ترمها) جدید در زمان ویرایش','Create Terms'=>'ساخت آیتم (ترم)','Radio Buttons'=>'دکمههای رادیویی','Single Value'=>'تک مقدار','Multi Select'=>'چندین انتخاب','Checkbox'=>'چک باکس','Multiple Values'=>'چندین مقدار','Select the appearance of this field'=>'ظاهر این زمینه را مشخص کنید','Appearance'=>'ظاهر','Select the taxonomy to be displayed'=>'طبقهبندی را برای برون بری انتخاب کنید','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'مقدار باید کوچکتر یا مساوی %d باشد','Value must be equal to or higher than %d'=>'مقدار باید مساوی یا بیشتر از %d باشد','Value must be a number'=>'مقدار باید عددی باشد','Number'=>'عدد','Save \'other\' values to the field\'s choices'=>'ذخیره مقادیر دیگر در انتخاب های زمینه','Add \'other\' choice to allow for custom values'=>'افزودن گزینه \'دیگر\' برای ثبت مقادیر دلخواه','Other'=>'دیگر','Radio Button'=>'دکمه رادیویی','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود.','Allow this accordion to open without closing others.'=>'اجازه دهید این آکوردئون بدون بستن دیگر آکاردئونها باز شود.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'نمایش آکوردئون این به عنوان باز در بارگذاری صفحات.','Open'=>'باز','Accordion'=>'آکاردئونی','Restrict which files can be uploaded'=>'محدودیت در آپلود فایل ها','File ID'=>'شناسه پرونده','File URL'=>'آدرس پرونده','File Array'=>'آرایه فایل','Add File'=>'افزودن پرونده','No file selected'=>'هیچ پرونده ای انتخاب نشده','File name'=>'نام فایل','Update File'=>'بروزرسانی پرونده','Edit File'=>'ویرایش پرونده','Select File'=>'انتخاب پرونده','File'=>'پرونده','Password'=>'رمزعبور','Specify the value returned'=>'مقدار بازگشتی را انتخاب کنید','Use AJAX to lazy load choices?'=>'از ایجکس برای خواندن گزینه های استفاده شود؟','Enter each default value on a new line'=>'هر مقدار پیش فرض را در یک خط جدید وارد کنید','verbSelect'=>'انتخاب','Select2 JS load_failLoading failed'=>'خطا در فراخوانی داده ها','Select2 JS searchingSearching…'=>'جستجو …','Select2 JS load_moreLoading more results…'=>'بارگذاری نتایج بیشتر…','Select2 JS selection_too_long_nYou can only select %d items'=>'شما فقط می توانید %d مورد را انتخاب کنید','Select2 JS selection_too_long_1You can only select 1 item'=>'فقط می توانید یک آیتم را انتخاب کنید','Select2 JS input_too_long_nPlease delete %d characters'=>'لطفا %d کاراکتر را حذف کنید','Select2 JS input_too_long_1Please delete 1 character'=>'یک حرف را حذف کنید','Select2 JS input_too_short_nPlease enter %d or more characters'=>'لطفا %d یا چند کاراکتر دیگر وارد کنید','Select2 JS input_too_short_1Please enter 1 or more characters'=>'یک یا چند حرف وارد کنید','Select2 JS matches_0No matches found'=>'مشابهی یافت نشد','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید.','Select2 JS matches_1One result is available, press enter to select it.'=>'یک نتیجه موجود است برای انتخاب اینتر را فشار دهید.','nounSelect'=>'انتخاب','User ID'=>'شناسه کاربر','User Object'=>'آبجکت کاربر','User Array'=>'آرایه کاربر','All user roles'=>'تمام نقش های کاربر','Filter by Role'=>'','User'=>'کاربر','Separator'=>'جداکننده','Select Color'=>'رنگ را انتخاب کنید','Default'=>'پیش فرض','Clear'=>'پاکسازی','Color Picker'=>'انتخاب کننده رنگ','Date Time Picker JS pmTextShortP'=>'عصر','Date Time Picker JS pmTextPM'=>'عصر','Date Time Picker JS amTextShortA'=>'صبح','Date Time Picker JS amTextAM'=>'صبح','Date Time Picker JS selectTextSelect'=>'انتخاب','Date Time Picker JS closeTextDone'=>'انجام شد','Date Time Picker JS currentTextNow'=>'اکنون','Date Time Picker JS timezoneTextTime Zone'=>'منطقه زمانی','Date Time Picker JS microsecTextMicrosecond'=>'میکرو ثانیه','Date Time Picker JS millisecTextMillisecond'=>'میلی ثانیه','Date Time Picker JS secondTextSecond'=>'ثانیه','Date Time Picker JS minuteTextMinute'=>'دقیقه','Date Time Picker JS hourTextHour'=>'ساعت','Date Time Picker JS timeTextTime'=>'زمان','Date Time Picker JS timeOnlyTitleChoose Time'=>'انتخاب زمان','Date Time Picker'=>'انتخاب کننده زمان و تاریخ','Endpoint'=>'نقطه پایانی','Left aligned'=>'سمت چپ','Top aligned'=>'سمت بالا','Placement'=>'جانمایی','Tab'=>'تب','Value must be a valid URL'=>'مقدار باید یک آدرس صحیح باشد','Link URL'=>'آدرس لینک','Link Array'=>'آرایه لینک','Opens in a new window/tab'=>'در پنجره جدید باز شود','Select Link'=>'انتخاب لینک','Link'=>'لینک','Email'=>'پست الکترونیکی','Step Size'=>'اندازه مرحله','Maximum Value'=>'حداکثر مقدار','Minimum Value'=>'حداقل مقدار','Range'=>'محدوده','Both (Array)'=>'هر دو (آرایه)','Label'=>'برچسب زمینه','Value'=>'مقدار','Vertical'=>'عمودی','Horizontal'=>'افقی','red : Red'=>'red : قرمز','For more control, you may specify both a value and label like this:'=>'برای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:','Enter each choice on a new line.'=>'هر انتخاب را در یک خط جدید وارد کنید.','Choices'=>'انتخاب ها','Button Group'=>'گروه دکمهها','Allow Null'=>'','Parent'=>'مادر','TinyMCE will not be initialized until field is clicked'=>'تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'نوار ابزار','Text Only'=>'فقط متن','Visual Only'=>'فقط بصری','Visual & Text'=>'بصری و متنی','Tabs'=>'تب ها','Click to initialize TinyMCE'=>'برای اجرای TinyMCE کلیک کنید','Name for the Text editor tab (formerly HTML)Text'=>'متن','Visual'=>'بصری','Value must not exceed %d characters'=>'مقدار نباید از %d کاراکتر بیشتر شود','Leave blank for no limit'=>'برای نامحدود بودن این بخش را خالی بگذارید','Character Limit'=>'محدودیت کاراکتر','Appears after the input'=>'بعد از ورودی نمایش داده می شود','Append'=>'پسوند','Appears before the input'=>'قبل از ورودی نمایش داده می شود','Prepend'=>'پیشوند','Appears within the input'=>'در داخل ورودی نمایش داده می شود','Placeholder Text'=>'نگهدارنده مکان متن','Appears when creating a new post'=>'هنگام ایجاد یک نوشته جدید نمایش داده می شود','Text'=>'متن','%1$s requires at least %2$s selection'=>'','Post ID'=>'شناسه نوشته','Post Object'=>'آبجکت یک نوشته','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'تصویر شاخص','Selected elements will be displayed in each result'=>'عناصر انتخاب شده در هر نتیجه نمایش داده خواهند شد','Elements'=>'عناصر','Taxonomy'=>'طبقه بندی','Post Type'=>'نوع نوشته','Filters'=>'فیلترها','All taxonomies'=>'تمام طبقه بندی ها','Filter by Taxonomy'=>'فیلتر با طبقه بندی','All post types'=>'تمام انواع نوشته','Filter by Post Type'=>'فیلتر با نوع نوشته','Search...'=>'جستجو . . .','Select taxonomy'=>'انتخاب طبقه بندی','Select post type'=>'انتحاب نوع نوشته','No matches found'=>'مطابقتی یافت نشد','Loading'=>'درحال خواندن','Maximum values reached ( {max} values )'=>'مقادیر به حداکثر رسیده اند ( {max} آیتم )','Relationship'=>'ارتباط','Comma separated list. Leave blank for all types'=>'با کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذارید','Allowed File Types'=>'','Maximum'=>'بیشترین','File size'=>'اندازه فایل','Restrict which images can be uploaded'=>'محدودیت در آپلود تصاویر','Minimum'=>'کمترین','Uploaded to post'=>'بارگذاری شده در نوشته','All'=>'همه','Limit the media library choice'=>'محدود کردن انتخاب کتابخانه چندرسانه ای','Library'=>'کتابخانه','Preview Size'=>'اندازه پیش نمایش','Image ID'=>'شناسه تصویر','Image URL'=>'آدرس تصویر','Image Array'=>'آرایه تصاویر','Specify the returned value on front end'=>'مقدار برگشتی در نمایش نهایی را تعیین کنید','Return Value'=>'مقدار بازگشت','Add Image'=>'افزودن تصویر','No image selected'=>'هیچ تصویری انتخاب نشده','Remove'=>'حذف','Edit'=>'ویرایش','All images'=>'تمام تصاویر','Update Image'=>'بروزرسانی تصویر','Edit Image'=>'ویرایش تصویر','Select Image'=>'انتخاب تصویر','Image'=>'تصویر','Allow HTML markup to display as visible text instead of rendering'=>'اجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنها','Escape HTML'=>'حذف HTML','No Formatting'=>'بدون قالب بندی','Automatically add <br>'=>'اضافه کردن خودکار <br>','Automatically add paragraphs'=>'پاراگراف ها خودکار اضافه شوند','Controls how new lines are rendered'=>'تنظیم کنید که خطوط جدید چگونه نمایش داده شوند','New Lines'=>'خطوط جدید','Week Starts On'=>'اولین روز هفته','The format used when saving a value'=>'قالب استفاده در زمان ذخیره مقدار','Save Format'=>'ذخیره قالب','Date Picker JS weekHeaderWk'=>'هفته','Date Picker JS prevTextPrev'=>'قبلی','Date Picker JS nextTextNext'=>'بعدی','Date Picker JS currentTextToday'=>'امروز','Date Picker JS closeTextDone'=>'انجام شد','Date Picker'=>'تاریخ','Width'=>'عرض','Embed Size'=>'اندازه جانمایی','Enter URL'=>'آدرس را وارد کنید','oEmbed'=>'oEmbed','Text shown when inactive'=>'نمایش متن در زمان غیر فعال بودن','Off Text'=>'بدون متن','Text shown when active'=>'نمایش متن در زمان فعال بودن','On Text'=>'با متن','Stylized UI'=>'','Default Value'=>'مقدار پیش فرض','Displays text alongside the checkbox'=>'نمایش متن همراه انتخاب','Message'=>'پیام','No'=>'خیر','Yes'=>'بله','True / False'=>'صحیح / غلط','Row'=>'سطر','Table'=>'جدول','Block'=>'بلوک','Specify the style used to render the selected fields'=>'استایل جهت نمایش فیلد انتخابی','Layout'=>'چیدمان','Sub Fields'=>'زمینههای زیرمجموعه','Group'=>'گروه','Customize the map height'=>'سفارشی سازی ارتفاع نقشه','Height'=>'ارتفاع','Set the initial zoom level'=>'تعین مقدار بزرگنمایی اولیه','Zoom'=>'بزرگنمایی','Center the initial map'=>'نقشه اولیه را وسط قرار بده','Center'=>'مرکز','Search for address...'=>'جستجو برای آدرس . . .','Find current location'=>'پیدا کردن مکان فعلی','Clear location'=>'حذف مکان','Search'=>'جستجو','Sorry, this browser does not support geolocation'=>'با عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کند','Google Map'=>'نقشه گوگل','The format returned via template functions'=>'قالب توسط توابع پوسته نمایش داده خواهد شد','Return Format'=>'فرمت بازگشت','Custom:'=>'دلخواه:','The format displayed when editing a post'=>'قالب در زمان نمایش نوشته دیده خواهد شد','Display Format'=>'فرمت نمایش','Time Picker'=>'انتخاب زمان','Inactive (%s)'=>'','No Fields found in Trash'=>'گروه زمینه ای در زباله دان یافت نشد','No Fields found'=>'گروه زمینه ای یافت نشد','Search Fields'=>'جستجوی گروه های زمینه','View Field'=>'نمایش زمینه','New Field'=>'زمینه جدید','Edit Field'=>'ویرایش زمینه','Add New Field'=>'زمینه جدید','Field'=>'زمینه','Fields'=>'زمینه ها','No Field Groups found in Trash'=>'گروه زمینه ای در زباله دان یافت نشد','No Field Groups found'=>'گروه زمینه ای یافت نشد','Search Field Groups'=>'جستجوی گروه های زمینه','View Field Group'=>'مشاهده گروه زمینه','New Field Group'=>'گروه زمینه جدید','Edit Field Group'=>'ویرایش گروه زمینه','Add New Field Group'=>'افزودن گروه زمینه جدید','Add New'=>'افزودن','Field Group'=>'گروه زمینه','Field Groups'=>'گروههای زمینه','Customize WordPress with powerful, professional and intuitive fields.'=>'وردپرس را با زمینههای حرفهای و قدرتمند سفارشی کنید.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'زمینههای سفارشی پیشرفته'],'language'=>'fa_AF','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fa_AF.mo b/lang/acf-fa_AF.mo
index e8d00dd..38f1e54 100644
Binary files a/lang/acf-fa_AF.mo and b/lang/acf-fa_AF.mo differ
diff --git a/lang/acf-fa_AF.po b/lang/acf-fa_AF.po
index a71b78c..e88b2c9 100644
--- a/lang/acf-fa_AF.po
+++ b/lang/acf-fa_AF.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: fa_AF\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4378,7 +4394,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4701,7 +4717,7 @@ msgstr "فعال کردن این مورد"
msgid "Move field group to trash?"
msgstr "انتقال گروه زمینه به زبالهدان؟"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4714,7 +4730,7 @@ msgstr "غیرفعال"
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4722,7 +4738,7 @@ msgstr ""
"افزونه زمینه های سفارشی و افزونه زمینه های سفارشی پیشرفته نباید همزمان فعال "
"باشند. ما به طور خودکار افزونه زمینه های سفارشی پیشرفته را غیرفعال کردیم."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5167,7 +5183,7 @@ msgstr "همهی فرمتهای %s"
msgid "Attachment"
msgstr "پیوست"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "مقدار %s لازم است"
@@ -5646,7 +5662,7 @@ msgstr "تکثیر این زمینه"
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "مستندات"
@@ -5940,8 +5956,8 @@ msgstr "%d گزینه نیاز به بررسی دارد"
msgid "1 field requires attention"
msgstr "یکی از گزینه ها نیاز به بررسی دارد"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "مشکل در اعتبار سنجی"
@@ -7316,89 +7332,89 @@ msgid "Time Picker"
msgstr "انتخاب زمان"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] ""
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "گروه زمینه ای در زباله دان یافت نشد"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "گروه زمینه ای یافت نشد"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "جستجوی گروه های زمینه"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "نمایش زمینه"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "زمینه جدید"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "ویرایش زمینه"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "زمینه جدید"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "زمینه"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "زمینه ها"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "گروه زمینه ای در زباله دان یافت نشد"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "گروه زمینه ای یافت نشد"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "جستجوی گروه های زمینه"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "مشاهده گروه زمینه"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "گروه زمینه جدید"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "ویرایش گروه زمینه"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "افزودن گروه زمینه جدید"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "افزودن"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "گروه زمینه"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-fa_IR.l10n.php b/lang/acf-fa_IR.l10n.php
index 43847b7..44bb5e9 100644
--- a/lang/acf-fa_IR.l10n.php
+++ b/lang/acf-fa_IR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'fa_IR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['No results found for that search term'=>'برای آن عبارت جستجو نتیجهای یافت نشد','Array'=>'آرایه','String'=>'رشته متن','Browse Media Library'=>'مرور کتابخانهی رسانه','The currently selected image preview'=>'پیشنمایش تصویری که در حال حاضر انتخاب شده است','Click to change the icon in the Media Library'=>'برای تغییر آیکون در کتابخانهی رسانه کلیک کنید','Search icons...'=>'جستجوی آیکونها...','Media Library'=>'کتابخانه پروندههای چندرسانهای','Dashicons'=>'دش آیکون','Icon Picker'=>'انتخابگر آیکون','Active Plugins'=>'افزونههای فعال','Parent Theme'=>'پوستهی مادر','Active Theme'=>'پوستهی فعال','Plugin Version'=>'نگارش افزونه','The core ACF block binding source name for fields on the current pageACF Fields'=>'فیلدهای ACF','ACF PRO Feature'=>'ویژگی ACF حرفهای','Renew PRO to Unlock'=>'نسخهی حرفهای را تمدید کنید تا باز شود','Renew PRO License'=>'تمدید لایسنس حرفهای','PRO fields cannot be edited without an active license.'=>'فیلدهای حرفهای نمیتوانند بدون یک لایسنس فعال ویرایش شوند.','Learn more'=>'بیشتر یاد بگیرید','Hide details'=>'مخفی کردن جزئیات','Show details'=>'نمایش جزئیات','Renew ACF PRO License'=>'تمدید لایسنس ACF حرفهای','Renew License'=>'تمدید لایسنس','Manage License'=>'مدیریت لایسنس','\'High\' position not supported in the Block Editor'=>'موقعیت «بالا» در ویرایشگر بلوکی پشتیبانی نمیشود','Upgrade to ACF PRO'=>'ارتقا به ACF حرفهای','Add Options Page'=>'افزودن برگهی گزینهها','Title Placeholder'=>'نگهدارنده متن عنوان','4 Months Free'=>'۴ ماه رایگان','(Duplicated from %s)'=>'(تکثیر شده از %s)','Select Options Pages'=>'انتخاب صفحات گزینهها','Duplicate taxonomy'=>'تکثیر طبقهبندی','Create taxonomy'=>'ایجاد طبقهبندی','Duplicate post type'=>'تکثیر نوع نوشته','Create post type'=>'ایجاد نوع نوشته','Link field groups'=>'پیوند دادن گروههای فیلد','Add fields'=>'افزودن فیلدها','This Field'=>'این فیلد','ACF PRO'=>'ACF حرفهای','Feedback'=>'بازخورد','Support'=>'پشتیبانی','is developed and maintained by'=>'توسعهداده و نگهداریشده توسط','Bidirectional'=>'دو جهته','%s Field'=>'فیلد %s','Select Multiple'=>'انتخاب چندتایی','WP Engine logo'=>'نماد WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'فقط حروف انگلیسی کوچک، زیرخط و خط تیره، حداکثر 32 حرف.','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'تنظیم میکند که آیا نوشتهها باید از نتایج جستجو و برگههای بایگانی طبقهبندی مستثنی شوند.','More Tools from WP Engine'=>'ابزارهای بیشتر از WP Engine','Learn More'=>'بیشتر یاد بگیرید','%s fields'=>'%s فیلد','No terms'=>'شرطی وجود ندارد','No post types'=>'نوع نوشتهای وجود ندارد','No posts'=>'نوشتهای وجود ندارد','No taxonomies'=>'طبقهبندیای وجود ندارد','No field groups'=>'گروه فیلدی وجود ندارد','No fields'=>'فیلدی وجود ندارد','No description'=>'توضیحاتی وجود ندارد','Any post status'=>'هر وضعیت نوشتهای','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'این کلید طبقهبندی در حال حاضر توسط طبقهبندی دیگری که خارج از ACF ثبت شده در حال استفاده است و نمیتواند استفاده شود.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'این کلید طبقهبندی در حال حاضر توسط طبقهبندی دیگری در ACF در حال استفاده است و نمیتواند استفاده شود.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید طبقهبندی فقط باید شامل حروف کوچک و اعداد انگلیسی، زیر خط (_) و یا خط تیره (-) باشد.','The taxonomy key must be under 32 characters.'=>'کلید طبقهبندی بایستی زیر 32 حرف باشد.','No Taxonomies found in Trash'=>'هیچ طبقهبندیای در زبالهدان یافت نشد','No Taxonomies found'=>'هیچ طبقهبندیای یافت نشد','Search Taxonomies'=>'جستجوی طبقهبندیها','View Taxonomy'=>'مشاهده طبقهبندی','New Taxonomy'=>'طبقهبندی جدید','Edit Taxonomy'=>'ویرایش طبقهبندی','Add New Taxonomy'=>'افزودن طبقهبندی تازه','No Post Types found in Trash'=>'هیچ نوع نوشتهای در زبالهدان یافت نشد','No Post Types found'=>'هیچ نوع نوشتهای پیدا نشد','Search Post Types'=>'جستجوی انواع نوشته','View Post Type'=>'مشاهدهی نوع نوشته','New Post Type'=>'نوع پست جدید','Edit Post Type'=>'ویرایش نوع پست','Add New Post Type'=>'افزودن نوع پست تازه','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'کلید نوع پست در حال حاضر خارج از ACF ثبت شده است و نمی توان از آن استفاده کرد.','This post type key is already in use by another post type in ACF and cannot be used.'=>'کلید نوع پست در حال حاضر در ACF ثبت شده است و نمی توان از آن استفاده کرد.','This field must not be a WordPress reserved term.'=>'این فیلد نباید یک واژهی از پیش ذخیرهشدهدر وردپرس باشد.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید نوع پست فقط باید شامل حذوف کوچک انگلیسی و اعداد و زیر خط (_) و یا خط تیره (-) باشد.','The post type key must be under 20 characters.'=>'کلید نوع پست حداکثر باید 20 حرفی باشد.','We do not recommend using this field in ACF Blocks.'=>'توصیه نمیکنیم از این فیلد در بلوکهای ACF استفاده کنید.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'ویرایشگر WYSIWYG وردپرس را همانطور که در پستها و صفحات دیده میشود نمایش میدهد و امکان ویرایش متن غنی را فراهم میکند و محتوای چندرسانهای را نیز امکانپذیر میکند.','WYSIWYG Editor'=>'ویرایشگر WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'اجازه میدهد که یک یا چند کاربر را انتخاب کنید که می تواند برای ایجاد رابطه بین داده های آبجکت ها مورد استفاده قرار گیرد.','A text input specifically designed for storing web addresses.'=>'یک ورودی متنی که به طور خاص برای ذخیره آدرس های وب طراحی شده است.','URL'=>'نشانی وب','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'کلیدی که به شما امکان می دهد مقدار 1 یا 0 را انتخاب کنید (روشن یا خاموش، درست یا نادرست و غیره). میتواند بهعنوان یک سوئیچ یا چک باکس تلطیف شده ارائه شود.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب زمان. قالب زمان را می توان با استفاده از تنظیمات فیلد سفارشی کرد.','A basic textarea input for storing paragraphs of text.'=>'یک ورودیِ «ناحیه متن» ساده برای ذخیرهسازی چندین بند متن.','A basic text input, useful for storing single string values.'=>'یک ورودی متن ساده، مناسب برای ذخیرهسازی مقادیر تکخطی.','A dropdown list with a selection of choices that you specify.'=>'یک فهرست کشویی با یک گزینش از انتخابهایی که مشخص میکنید.','An input for providing a password using a masked field.'=>'یک ورودی برای وارد کردن رمزعبور به وسیلهی ناحیهی پوشیده شده.','Filter by Post Status'=>'فیلتر بر اساس وضعیت پست','An input limited to numerical values.'=>'یک ورودی محدود شده به مقادیر عددی.','Uses the native WordPress media picker to upload, or choose images.'=>'از انتخابگر رسانهی بومی وردپرس برای بارگذاری یا انتخاب تصاویر استفاده میکند.','Uses the native WordPress media picker to upload, or choose files.'=>'از انتخابگر رسانهی بومی وردپرس برای بارگذاری یا انتخاب پروندهها استفاده میکند.','A text input specifically designed for storing email addresses.'=>'یک ورودی متنی که به طور ویژه برای ذخیرهسازی نشانیهای رایانامه طراحی شده است.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب یک تاریخ و زمان. قالب برگرداندن تاریخ میتواند به وسیلهی تنظیمات فیلد سفارشیسازی شود.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب یک تاریخ. قالب برگرداندن تاریخ میتواند به وسیلهی تنظیمات فیلد سفارشیسازی شود.','An interactive UI for selecting a color, or specifying a Hex value.'=>'یک رابط کاربری تعاملی برای انتخاب یک رنگ یا مشخص کردن یک مقدار Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'یک گروه از ورودیهای انتخابی که به کاربر اجازه میدهد یک یا چند تا از مقادیری که مشخص کردهاید را انتخاب کند.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'یک گروه از دکمهها با مقادیری که مشخص کردهاید. کاربران میتوانند یکی از گزینهها را از مقادیر ارائه شده انتخاب کنند.','nounClone'=>'تکثیرکردن','PRO'=>'حرفهای','Advanced'=>'پیشرفته','JSON (newer)'=>'JSON (جدیدتر)','Original'=>'اصلی','Invalid post ID.'=>'شناسه پست نامعتبر.','More'=>'بیشتر','Tutorial'=>'آموزش','Select Field'=>'انتخاب فیلد','Try a different search term or browse %s'=>'واژهی جستجوی متفاوتی را امتحان کنید یا %s را مرور کنید','Popular fields'=>'فیلدهای پرطرفدار','No search results for \'%s\''=>'نتیجه جستجویی برای \'%s\' نبود','Search fields...'=>'جستجوی فیلدها...','Select Field Type'=>'انتخاب نوع فیلد','Popular'=>'محبوب','Add Taxonomy'=>'افزودن طبقهبندی','Create custom taxonomies to classify post type content'=>'طبقهبندیهای سفارشی ایجاد کنید تا محتوای نوع نوشته را ردهبندی کنید','Add Your First Taxonomy'=>'اولین طبقهبندی خود را اضافه کنید','genre'=>'genre','Genre'=>'ژانر','Genres'=>'ژانرها','Quick Edit'=>'ویرایش سریع','A link to a %s'=>'پیوندی به یک %s','← Go to tags'=>'→ برو به برچسبها','Back To Items'=>'بازگشت به موارد','← Go to %s'=>'→ برو به %s','Tags list'=>'فهرست برچسبها','Filter by category'=>'پالایش بر اساس دستهبندی','Filter By Item'=>'پالایش بر اساس مورد','Filter by %s'=>'پالایش بر اساس %s','No tags'=>'برچسبی نیست','No Terms'=>'بدون شرایط','No %s'=>'بدون %s','No tags found'=>'برچسبی یافت نشد','Not Found'=>'یافت نشد','Add or remove tags'=>'افزودن یا حذف برچسبها','Add Or Remove Items'=>'افزودن یا حذف موارد','Add or remove %s'=>'افزودن یا حذف %s','Separate tags with commas'=>'برچسبها را با کاما (,) از هم جدا کنید','Separate Items With Commas'=>'موارد را با کاما (,) از هم جدا کنید','Separate %s with commas'=>'%s را با کاما (,) از هم جدا کنید','Popular Tags'=>'برچسبهای محبوب','Popular %s'=>'%s محبوب','Search Tags'=>'جستجوی برچسبها','Parent Category'=>'دستهبندی والد','Parent %s'=>'والد %s','New Tag Name'=>'نام برچسب تازه','Assigns the new item name text.'=>'متن نام مورد تازه را اختصاص میدهد.','New Item Name'=>'نام مورد تازه','New %s Name'=>'نام %s جدید','Add New Tag'=>'افزودن برچسب تازه','Assigns the add new item text.'=>'متن «افزودن مورد تازه» را اختصاص میدهد.','Update %s'=>'بهروزرسانی %s','View Tag'=>'مشاهدهی برچسب','Edit Tag'=>'ویرایش برچسب','All Tags'=>'همهی برچسبها','Menu Label'=>'برچسب فهرست','Add Post Type'=>'افزودن نوع پست','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'قابلیتهای وردپرس را فراتر از نوشتهها و برگههای استاندارد با انواع پست سفارشی توسعه دهید.','Add Your First Post Type'=>'اولین نوع پست سفارشی خود را اضافه کنید','Advanced Configuration'=>'پیکربندی پیشرفته','Hierarchical'=>'سلسلهمراتبی','Public'=>'عمومی','movie'=>'movie','Movie'=>'فیلم','Singular Label'=>'برچسب مفرد','Movies'=>'فیلمها','Plural Label'=>'برچسب جمع','Custom slug for the Archive URL.'=>'نامک سفارشی برای پیوند بایگانی.','Archive Slug'=>'نامک بایگانی','Has an item archive that can be customized with an archive template file in your theme.'=>'یک بایگانی مورد دارد که میتواند با یک پرونده قالب بایگانی در پوستهی شما سفارشیسازی شود.','Archive'=>'بایگانی','Pagination'=>'صفحهبندی','Custom Permalink'=>'پیوند یکتای سفارشی','Post Type Key'=>'کلید نوع پست','Exclude From Search'=>'مستثنی کردن از جستجو','Show In Admin Bar'=>'نمایش در نوار مدیریت','Menu Icon'=>'آیکون منو','Menu Position'=>'جایگاه فهرست','Show In Admin Menu'=>'نمایش در نوار مدیریت','Show In UI'=>'نمایش در رابط کاربری','A link to a post.'=>'یک پیوند به یک نوشته.','A link to a %s.'=>'یک پیوند به یک %s.','Post Link'=>'پیوند نوشته','%s updated.'=>'%s بروزرسانی شد.','Post scheduled.'=>'نوشته زمانبندی شد.','Item Scheduled'=>'مورد زمانبندی شد','%s scheduled.'=>'%s زمانبندی شد.','Post reverted to draft.'=>'نوشته به پیشنویس بازگشت.','%s reverted to draft.'=>'%s به پیشنویس بازگشت.','Post published privately.'=>'نوشته به صورت خصوصی منتشر شد.','Item Published Privately'=>'مورد به صورت خصوصی منتشر شد','%s published privately.'=>'%s به صورت خصوصی منتشر شد.','Post published.'=>'نوشته منتشر شد.','Item Published'=>'مورد منتشر شد','%s published.'=>'%s منتشر شد.','Posts list'=>'فهرست نوشتهها','Items List'=>'فهرست موارد','%s list'=>'فهرست %s','Items List Navigation'=>'ناوبری فهرست موارد','%s list navigation'=>'ناوبری فهرست %s','Uploaded To This Item'=>'در این مورد بارگذاری شد','Uploaded to this %s'=>'در این %s بارگذاری شد','Insert into post'=>'درج در نوشته','Insert into %s'=>'درج در %s','Use as featured image'=>'استفاده به عنوان تصویر شاخص','Use Featured Image'=>'استفاده از تصویر شاخص','Remove featured image'=>'حذف تصویر شاخص','Remove Featured Image'=>'حذف تصویر شاخص','Set featured image'=>'تنظیم تصویر شاخص','Set Featured Image'=>'تنظیم تصویر شاخص','Featured image'=>'تصویر شاخص','%s Attributes'=>'ویژگیهای %s','Post Archives'=>'بایگانیهای نوشته','Archives Nav Menu'=>'فهرست ناوبری بایگانیها','%s Archives'=>'بایگانیهای %s','No posts found in Trash'=>'هیچ نوشتهای در زبالهدان یافت نشد','No %s found in Trash'=>'هیچ %sای در زبالهدان یافت نشد','No posts found'=>'هیچ نوشتهای یافت نشد','No Items Found'=>'موردی یافت نشد','No %s found'=>'%sای یافت نشد','Search Posts'=>'جستجوی نوشتهها','Search Items'=>'جستجوی موارد','Search %s'=>'جستجوی %s','Parent Page:'=>'برگهٔ والد:','Parent %s:'=>'والد %s:','New Post'=>'نوشتهٔ تازه','New Item'=>'مورد تازه','New %s'=>'%s تازه','Add New Post'=>'افزودن نوشتۀ تازه','At the top of the editor screen when adding a new item.'=>'در بالای صفحهی ویرایشگر، در هنگام افزودن یک مورد جدید.','Add New Item'=>'افزودن مورد تازه','Add New %s'=>'افزودن %s تازه','View Posts'=>'مشاهدهی نوشتهها','View Items'=>'نمایش موارد','View Post'=>'نمایش نوشته','View Item'=>'نمایش مورد','View %s'=>'مشاهدهی %s','Edit Post'=>'ویرایش نوشته','Edit Item'=>'ویرایش مورد','Edit %s'=>'ویرایش %s','All Posts'=>'همهی نوشتهها','All Items'=>'همۀ موارد','All %s'=>'همه %s','Menu Name'=>'نام فهرست','Regenerate all labels using the Singular and Plural labels'=>'تولید دوباره تمامی برچسبهای مفرد و جمعی','Regenerate'=>'بازتولید','Add Custom'=>'افزودن سفارشی','Editor'=>'ویرایشگر','Select existing taxonomies to classify items of the post type.'=>'طبقهبندیهای موجود را برای دستهبندی کردن آیتمهای نوع پست انتخاب نمایید.','Browse Fields'=>'مرور فیلدها','Nothing to import'=>'چیزی برای درونریزی وجود ندارد','Export - Generate PHP'=>'برونریزی - ایجاد PHP','Export'=>'برونریزی','Select Taxonomies'=>'انتخاب طبقهبندیها','Select Post Types'=>'نوعهای نوشته را انتخاب کنید','Category'=>'دسته','Tag'=>'برچسب','%s taxonomy created'=>'طبقهبندی %s ایجاد شد','%s taxonomy updated'=>'طبقهبندی %s بروزرسانی شد','Taxonomy draft updated.'=>'پیشنویس طبقهبندی بهروزرسانی شد.','Taxonomy scheduled for.'=>'طبقهبندی برنامهریزی شد.','Taxonomy submitted.'=>'طبقهبندی ثبت شد.','Terms'=>'شرایط','Post Types'=>'انواع نوشتهها','Advanced Settings'=>'تنظیمات پیشرفته','Basic Settings'=>'تنظیمات پایه','Pages'=>'صفحات','%s post type created'=>'%s نوع نوشته ایجاد شد','Add fields to %s'=>'افزودن فیلدها به %s','%s post type updated'=>'%s نوع نوشته بروزرسانی شد','Post type draft updated.'=>'پیشنویس نوع نوشته بروزرسانی شد.','Post type submitted.'=>'نوع پست ارسال شد','Post type saved.'=>'نوع پست ذخیره شد','Post type updated.'=>'نوع پست به روز شد','Post type deleted.'=>'نوع پست حذف شد','Type to search...'=>'برای جستجو تایپ کنید....','PRO Only'=>'فقط نسخه حرفه ای','ACF'=>'ACF','taxonomy'=>'طبقهبندی','post type'=>'نوع نوشته','Done'=>'پایان','Field Group(s)'=>'گروه(های) فیلد','post statusRegistration Failed'=>'ثبت نام انجام نشد','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'این مورد نمیتواند ثبت شود، زیرا کلید آن توسط مورد دیگری که توسط افزونه یا پوستهی دیگری ثبت شده، در حال استفاده است.','REST API'=>'REST API','Permissions'=>'دسترسیها','URLs'=>'پیوندها','Visibility'=>'نمایش','Labels'=>'برچسبها','Field Settings Tabs'=>'زبانههای تنظیمات فیلد','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[مقدار کد کوتاه ACF برای پیش نمایش غیرفعال است]','Close Modal'=>'بستن صفحه','Field moved to other group'=>'فیلد به گروه دیگری منتقل شد','Close modal'=>'بستن صفحه','Start a new group of tabs at this tab.'=>'شروع گروه جدید زبانهها در این زبانه','New Tab Group'=>'گروه زبانه جدید','Use a stylized checkbox using select2'=>'بهکارگیری کادر انتخاب سبک وار با select2','Save Other Choice'=>'ذخیره انتخاب دیگر','Allow Other Choice'=>'اجازه دادن انتخاب دیگر','Add Toggle All'=>'افزودن تغییر وضعیت همه','Save Custom Values'=>'ذخیره مقادیر سفارشی','Allow Custom Values'=>'اجازه دادن مقادیر سفارشی','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'مقادیر سفارشی کادر انتخاب نمیتواند خالی باشد. انتخاب مقادیر خالی را بردارید.','Updates'=>'بروزرسانی ها','Advanced Custom Fields logo'=>'لوگوی فیلدهای سفارشی پیشرفته','Save Changes'=>'ذخیره تغییرات','Field Group Title'=>'عنوان گروه فیلد','Add title'=>'افزودن عنوان','New to ACF? Take a look at our getting started guide.'=>'تازه با ACF آشنا شدهاید؟ به راهنمای شروع ما نگاهی بیندازید.','Add Field Group'=>'افزودن گروه فیلد','Add Your First Field Group'=>'اولین گروه فیلد خود را اضافه نمایید','Options Pages'=>'برگههای گزینهها','ACF Blocks'=>'بلوکهای ACF','Gallery Field'=>'فیلد گالری','Flexible Content Field'=>'فیلد محتوای انعطاف پذیر','Repeater Field'=>'فیلد تکرارشونده','Unlock Extra Features with ACF PRO'=>'قفل ویژگیهای اضافی را با ACF PRO باز کنید','Delete Field Group'=>'حذف گروه فیلد','Group Settings'=>'تنظیمات گروه','Choose from over 30 field types. Learn more.'=>'از بین بیش از 30 نوع فیلد انتخاب کنید. بیشتر بدانید.','Add Your First Field'=>'اولین فیلد خود را اضافه کنید','#'=>'#','Add Field'=>'افزودن فیلد','Presentation'=>'نمایش','Validation'=>'اعتبارسنجی','General'=>'عمومی','Import JSON'=>'درون ریزی JSON','Export As JSON'=>'برون بری با JSON','Field group deactivated.'=>'%s گروه فیلد غیرفعال شد.','Deactivate'=>'غیرفعال کردن','Deactivate this item'=>'غیرفعال کردن این مورد','Activate'=>'فعال کردن','Activate this item'=>'فعال کردن این مورد','Move field group to trash?'=>'انتقال گروه فیلد به زبالهدان؟','post statusInactive'=>'غیرفعال','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'افزونه فیلدهای سفارشی پیشرفته و افزونه فیلدهای سفارشی پیشرفتهی حرفهای نباید همزمان فعال باشند. ما به طور خودکار افزونه فیلدهای سفارشی پیشرفته را غیرفعال کردیم.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'افزونه فیلدهای سفارشی پیشرفته و افزونه فیلدهای سفارشی پیشرفتهی حرفهای نباید همزمان فعال باشند. ما به طور خودکار فیلدهای سفارشی پیشرفته را غیرفعال کردیم.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - قبل از شروع اولیه ACF، یک یا چند تماس را برای بازیابی مقادیر فیلد ACF شناسایی کردهایم. این مورد پشتیبانی نمیشود و میتواند منجر به دادههای ناقص یا از دست رفته شود. با نحوه رفع این مشکل آشنا شوید.','%1$s must have a valid user ID.'=>'%1$s باید یک شناسه کاربری معتبر داشته باشد.','Invalid request.'=>'درخواست نامعتبر.','%1$s is not one of %2$s'=>'%1$s یکی از %2$s نیست','%1$s must have a valid post ID.'=>'%1$s باید یک شناسه نوشته معتبر داشته باشد.','%s requires a valid attachment ID.'=>'%s به یک شناسه پیوست معتبر نیاز دارد.','Show in REST API'=>'نمایش در REST API','Enable Transparency'=>'فعال کردن شفافیت','RGBA Array'=>'آرایه RGBA ','RGBA String'=>'رشته RGBA ','Hex String'=>'کد هگز RGBA ','Upgrade to PRO'=>'ارتقا به نسخه حرفه ای','post statusActive'=>'فعال','\'%s\' is not a valid email address'=>'نشانی ایمیل %s معتبر نیست','Color value'=>'مقدار رنگ','Select default color'=>'انتخاب رنگ پیشفرض','Clear color'=>'پاک کردن رنگ','Blocks'=>'بلوکها','Options'=>'تنظیمات','Users'=>'کاربران','Menu items'=>'آیتمهای منو','Widgets'=>'ابزارکها','Attachments'=>'پیوستها','Taxonomies'=>'طبقهبندیها','Posts'=>'نوشته ها','Last updated: %s'=>'آخرین بهروزرسانی: %s','Sorry, this post is unavailable for diff comparison.'=>'متاسفیم، این نوشته برای مقایسهی تفاوت در دسترس نیست.','Invalid field group parameter(s).'=>'پارامتر(ها) گروه فیلد نامعتبر است','Awaiting save'=>'در انتظار ذخیره','Saved'=>'ذخیره شده','Import'=>'درونریزی','Review changes'=>'تغییرات مرور شد','Located in: %s'=>'قرار گرفته در: %s','Located in plugin: %s'=>'قرار گرفته در پلاگین: %s','Located in theme: %s'=>'قرار گرفته در قالب: %s','Various'=>'مختلف','Sync changes'=>'همگامسازی تغییرات','Loading diff'=>'بارگذاری تفاوت','Review local JSON changes'=>'بررسی تغییرات JSON محلی','Visit website'=>'بازدید وب سایت','View details'=>'نمایش جزییات','Version %s'=>'نگارش %s','Information'=>'اطلاعات','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'کمک ميز. حرفه ای پشتیبانی در میز کمک ما با بیشتر خود را در عمق کمک, چالش های فنی.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'بحث ها. ما یک جامعه فعال و دوستانه در انجمن های جامعه ما که ممکن است قادر به کمک به شما کشف کردن \'چگونه بازی یا بازی\' از جهان ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'مستندات . مستندات گسترده ما شامل مراجع و راهنماهایی برای اکثر موقعیت هایی است که ممکن است با آن مواجه شوند.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'ما در المنتور فارسی در مورد پشتیبانی متعصب هستیم و می خواهیم شما با ACF بهترین بهره را از وب سایت خود ببرید. اگر به مشکلی برخوردید ، چندین مکان وجود دارد که می توانید کمک کنید:','Help & Support'=>'کمک و پشتیبانی','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'لطفا از زبانه پشتیبانی برای تماس استفاده کنید باید خودتان را پیدا کنید که نیاز به کمک دارد.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'پیشنهاد میکنیم قبل از ایجاد اولین گروه فیلد خود، راهنمای شروع به کار را بخوانید تا با فلسفهی افزونه و بهترین مثالهای آن آشنا شوید.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'افزونه فیلدهای سفارشی پیشرفته، به کمک فیلدهای اضافی و API بصری، یک فرمساز بصری را برای سفارشیکردن صفحات ویرایش وردپرس برای نمایش مقادیر فیلدهای سفارشی در هر پروندهی قالب پوسته فراهم میکند.','Overview'=>'مرور کلی','Location type "%s" is already registered.'=>'نوع مکان "%s" در حال حاضر ثبت شده است.','Class "%s" does not exist.'=>'کلاس "%s" وجود ندارد.','Invalid nonce.'=>'کلید نامعتبر است','Error loading field.'=>'خطا در بارگزاری فیلد','Error: %s'=>'خطا: %s','Widget'=>'ابزارک','User Role'=>'نقش کاربر','Comment'=>'دیدگاه','Post Format'=>'فرمت نوشته','Menu Item'=>'آیتم منو','Post Status'=>'وضعیت نوشته','Menus'=>'منوها','Menu Locations'=>'محل منو','Menu'=>'منو','Post Taxonomy'=>'طبقه بندی نوشته','Child Page (has parent)'=>'برگه زیر مجموعه (دارای مادر)','Parent Page (has children)'=>'برگه مادر (دارای زیر مجموعه)','Top Level Page (no parent)'=>'بالاترین سطح برگه(بدون والد)','Posts Page'=>'برگه ی نوشته ها','Front Page'=>'برگه نخست','Page Type'=>'نوع برگه','Viewing back end'=>'درحال نمایش back end','Viewing front end'=>'درحال نمایش سمت کاربر','Logged in'=>'وارده شده','Current User'=>'کاربر فعلی','Page Template'=>'قالب برگه','Register'=>'ثبت نام','Add / Edit'=>'اضافه کردن/ویرایش','User Form'=>'فرم کاربر','Page Parent'=>'برگه مادر','Super Admin'=>'مدیرکل','Current User Role'=>'نقش کاربرفعلی','Default Template'=>'پوسته پیش فرض','Post Template'=>'قالب نوشته','Post Category'=>'دسته بندی نوشته','All %s formats'=>'همهی فرمتهای %s','Attachment'=>'پیوست','%s value is required'=>'مقدار %s لازم است','Show this field if'=>'نمایش این گروه فیلد اگر','Conditional Logic'=>'منطق شرطی','and'=>'و','Local JSON'=>'JSON های لوکال','Clone Field'=>'فیلد کپی','Please also check all premium add-ons (%s) are updated to the latest version.'=>'همچنین لطفا همه افزونههای پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند.','This version contains improvements to your database and requires an upgrade.'=>'این نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد.','Thank you for updating to %1$s v%2$s!'=>'از شما برای بروزرسانی به %1$s نسخهی %2$s متشکریم!','Database Upgrade Required'=>'به روزرسانی دیتابیس لازم است','Options Page'=>'برگه تنظیمات','Gallery'=>'گالری','Flexible Content'=>'محتوای انعطاف پذیر','Repeater'=>'تکرارکننده','Back to all tools'=>'بازگشت به همه ابزارها','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)'=>'اگر چندین گروه فیلد در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه فیلد استفاده خواهد شد. (یکی با کمترین شماره)','Select items to hide them from the edit screen.'=>'انتخاب آیتم ها برای پنهان کردن آن ها از صفحه ویرایش.','Hide on screen'=>'مخفی کردن در صفحه','Send Trackbacks'=>'ارسال بازتاب ها','Tags'=>'برچسب ها','Categories'=>'دسته ها','Page Attributes'=>'صفات برگه','Format'=>'فرمت','Author'=>'نویسنده','Slug'=>'نامک','Revisions'=>'بازنگری ها','Comments'=>'دیدگاه ها','Discussion'=>'گفتگو','Excerpt'=>'چکیده','Content Editor'=>'ویرایش گر محتوا(ادیتور اصلی)','Permalink'=>'پیوند یکتا','Shown in field group list'=>'نمایش لیست گروه فیلد ','Field groups with a lower order will appear first'=>'گروه ها با شماره ترتیب کمتر اول دیده می شوند','Order No.'=>'شماره ترتیب.','Below fields'=>'زیر فیلد ها','Below labels'=>'برچسبهای زیر','Instruction Placement'=>'قرارگیری دستورالعمل','Label Placement'=>'قرارگیری برچسب','Side'=>'کنار','Normal (after content)'=>'معمولی (بعد از ادیتور متن)','High (after title)'=>'بالا (بعد از عنوان)','Position'=>'موقعیت','Seamless (no metabox)'=>'بدون متاباکس','Standard (WP metabox)'=>'استاندارد (دارای متاباکس)','Style'=>'شیوه نمایش','Type'=>'نوع ','Key'=>'کلید','Order'=>'ترتیب','Close Field'=>'بستن فیلد ','id'=>'شناسه','class'=>'کلاس','width'=>'عرض','Wrapper Attributes'=>'مشخصات پوشش فیلد','Required'=>'ضروری','Instructions'=>'دستورالعمل ها','Field Type'=>'نوع فیلد ','Single word, no spaces. Underscores and dashes allowed'=>'تک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاند','Field Name'=>'نام فیلد ','This is the name which will appear on the EDIT page'=>'این نامی است که در صفحه "ویرایش" نمایش داده خواهد شد','Field Label'=>'برچسب فیلد ','Delete'=>'حذف','Delete field'=>'حذف فیلد','Move'=>'انتقال','Move field to another group'=>'انتقال فیلد به گروه دیگر','Duplicate field'=>'تکثیر فیلد','Edit field'=>'ویرایش فیلد','Drag to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Show this field group if'=>'این گروه فیلد را نمایش بده اگر','No updates available.'=>'بهروزرسانی موجود نیست.','Database upgrade complete. See what\'s new'=>'ارتقای پایگاه داده کامل شد. تغییرات جدید را ببینید','Reading upgrade tasks...'=>'در حال خواندن مراحل به روزرسانی...','Upgrade failed.'=>'ارتقا با خطا مواجه شد.','Upgrade complete.'=>'ارتقا کامل شد.','Upgrading data to version %s'=>'به روز رسانی داده ها به نسحه %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟','Please select at least one site to upgrade.'=>'لطفا حداقل یک سایت برای ارتقا انتخاب کنید.','Database Upgrade complete. Return to network dashboard'=>'به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه','Site is up to date'=>'سایت به روز است','Site requires database upgrade from %1$s to %2$s'=>'سایت نیاز به بروزرسانی پایگاه داده از %1$s به %2$s دارد','Site'=>'سایت','Upgrade Sites'=>'ارتقاء سایت','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید.','Add rule group'=>'افزودن گروه قانون','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینههای سفارشی سفارشی نمایش داده شوند','Rules'=>'قوانین','Copied'=>'کپی شد','Copy to clipboard'=>'درج در حافظه موقت','Select Field Groups'=>'انتخاب گروههای فیلد','No field groups selected'=>'گروه فیلدی انتخاب نشده است','Generate PHP'=>'تولید کد PHP','Export Field Groups'=>'برونریزی گروههای فیلد','Import file empty'=>'فایل وارد شده خالی است','Incorrect file type'=>'نوع فایل صحیح نیست','Error uploading file. Please try again'=>'خطا در آپلود فایل. لطفا مجدد بررسی کنید','Import Field Groups'=>'وارد کردن گروههای فیلد','Sync'=>'هماهنگ','Select %s'=>'انتخاب %s','Duplicate'=>'تکثیر','Duplicate this item'=>'تکثیر این مورد','Documentation'=>'مستندات','Description'=>'توضیحات','Sync available'=>'هماهنگ سازی موجود است','Field group duplicated.'=>'%s گروه زمینه تکثیر شدند.','Active (%s)'=>'فعال (%s)','Review sites & upgrade'=>'بازبینی و بهروزرسانی سایتها','Upgrade Database'=>'بهروزرسانی پایگاه داده','Custom Fields'=>'فیلدهای سفارشی','Move Field'=>'جابجایی فیلد','Please select the destination for this field'=>'مقصد انتقال این فیلد را مشخص کنید','Move Complete.'=>'انتقال کامل شد.','Active'=>'فعال','Field Keys'=>'کلیدهای فیلد','Settings'=>'تنظیمات','Location'=>'مکان','Null'=>'خالی (null)','copy'=>'کپی','(this field)'=>'(این گزینه)','Checked'=>'انتخاب شده','Move Custom Field'=>'جابجایی فیلد سفارشی','No toggle fields available'=>'هیچ فیلد تغییر وضعیت دهندهای در دسترس نیست','Field group title is required'=>'عنوان گروه فیلد ضروری است','This field cannot be moved until its changes have been saved'=>'این فیلد تا زمانی که تغییراتش ذخیره شود، نمیتواند جابجا شود','The string "field_" may not be used at the start of a field name'=>'کلمه متنی "field_" نباید در ابتدای نام فیلد استفاده شود','Field group draft updated.'=>'پیشنویس گروه فیلد بروز شد.','Field group scheduled for.'=>'گروه فیلد برنامهریزی شده برای.','Field group submitted.'=>'گروه فیلد ثبت شد.','Field group saved.'=>'گروه فیلد ذخیره شد.','Field group published.'=>'گروه فیلد منتشر شد.','Field group deleted.'=>'گروه فیلد حذف شد.','Field group updated.'=>'گروه فیلد بهروز شد.','Tools'=>'ابزارها','is not equal to'=>'برابر نشود با','is equal to'=>'برابر شود با','Forms'=>'فرم ها','Page'=>'برگه','Post'=>'نوشته','Relational'=>'رابطه','Choice'=>'انتخاب','Basic'=>'پایه','Unknown'=>'ناشناخته','Field type does not exist'=>'نوع فیلد وجود ندارد','Spam Detected'=>'اسپم تشخیص داده شد','Post updated'=>'نوشته بروز شد','Update'=>'بروزرسانی','Validate Email'=>'اعتبار سنجی ایمیل','Content'=>'محتوا','Title'=>'عنوان','Edit field group'=>'ویرایش گروه فیلد','Selection is less than'=>'انتخاب کمتر از','Selection is greater than'=>'انتخاب بیشتر از','Value is less than'=>'مقدار کمتر از','Value is greater than'=>'مقدار بیشتر از','Value contains'=>'شامل می شود','Value matches pattern'=>'مقدار الگوی','Value is not equal to'=>'مقدار برابر نیست با','Value is equal to'=>'مقدار برابر است با','Has no value'=>'بدون مقدار','Has any value'=>'هر نوع مقدار','Cancel'=>'لغو','Are you sure?'=>'اطمینان دارید؟','%d fields require attention'=>'%d گزینه نیاز به بررسی دارد','1 field requires attention'=>'یکی از گزینه ها نیاز به بررسی دارد','Validation failed'=>'مشکل در اعتبار سنجی','Validation successful'=>'اعتبار سنجی موفق بود','Restricted'=>'ممنوع','Collapse Details'=>'عدم نمایش جزئیات','Expand Details'=>'نمایش جزئیات','Uploaded to this post'=>'بارگذاری شده در این نوشته','verbUpdate'=>'بروزرسانی','verbEdit'=>'ویرایش','The changes you made will be lost if you navigate away from this page'=>'اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شد','File type must be %s.'=>'نوع فایل باید %s باشد.','or'=>'یا','File size must not exceed %s.'=>'حجم فایل ها نباید از %s بیشتر باشد.','File size must be at least %s.'=>'حجم فایل باید حداقل %s باشد.','Image height must not exceed %dpx.'=>'ارتفاع تصویر نباید از %d پیکسل بیشتر باشد.','Image height must be at least %dpx.'=>'ارتفاع فایل باید حداقل %d پیکسل باشد.','Image width must not exceed %dpx.'=>'عرض تصویر نباید از %d پیکسل بیشتر باشد.','Image width must be at least %dpx.'=>'عرض تصویر باید حداقل %d پیکسل باشد.','(no title)'=>'(بدون عنوان)','Full Size'=>'اندازه کامل','Large'=>'بزرگ','Medium'=>'متوسط','Thumbnail'=>'تصویر بندانگشتی','(no label)'=>'(بدون برچسب)','Sets the textarea height'=>'تعیین ارتفاع باکس متن','Rows'=>'سطرها','Text Area'=>'جعبه متن (متن چند خطی)','Prepend an extra checkbox to toggle all choices'=>'اضافه کردن چک باکس اضافی برای انتخاب همه','Save \'custom\' values to the field\'s choices'=>'ذخیره مقادیر سفارشی در انتخابهای فیلد','Allow \'custom\' values to be added'=>'اجازه درج مقادیر دلخواه','Add new choice'=>'درج انتخاب جدید','Toggle All'=>'انتخاب همه','Allow Archives URLs'=>'اجازه آدرس های آرشیو','Archives'=>'بایگانیها','Page Link'=>'پیوند (لینک) برگه/نوشته','Add'=>'افزودن','Name'=>'نام','%s added'=>'%s اضافه شد','%s already exists'=>'%s هم اکنون موجود است','User unable to add new %s'=>'کاربر قادر به اضافه کردن %s تازه نیست','Term ID'=>'شناسه مورد','Term Object'=>'به صورت آبجکت','Load value from posts terms'=>'خواندن مقادیر از ترم های نوشته','Load Terms'=>'خواندن ترم ها','Connect selected terms to the post'=>'الصاق آیتم های انتخابی به نوشته','Save Terms'=>'ذخیره ترم ها','Allow new terms to be created whilst editing'=>'اجازه به ساخت آیتمها(ترمها) جدید در زمان ویرایش','Create Terms'=>'ساخت آیتم (ترم)','Radio Buttons'=>'دکمههای رادیویی','Single Value'=>'تک مقدار','Multi Select'=>'چندین انتخاب','Checkbox'=>'چک باکس','Multiple Values'=>'چندین مقدار','Select the appearance of this field'=>'ظاهر این فیلد را مشخص کنید','Appearance'=>'ظاهر','Select the taxonomy to be displayed'=>'طبقهبندی را برای برون بری انتخاب کنید','No TermsNo %s'=>'بدون %s','Value must be equal to or lower than %d'=>'مقدار باید کوچکتر یا مساوی %d باشد','Value must be equal to or higher than %d'=>'مقدار باید مساوی یا بیشتر از %d باشد','Value must be a number'=>'مقدار باید عددی باشد','Number'=>'عدد','Save \'other\' values to the field\'s choices'=>'ذخیره مقادیر دیگر در انتخابهای فیلد','Add \'other\' choice to allow for custom values'=>'افزودن گزینه \'دیگر\' برای ثبت مقادیر دلخواه','Other'=>'دیگر','Radio Button'=>'دکمه رادیویی','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود.','Allow this accordion to open without closing others.'=>'اجازه دهید این آکوردئون بدون بستن دیگر آکاردئونها باز شود.','Display this accordion as open on page load.'=>'نمایش آکوردئون این به عنوان باز در بارگذاری صفحات.','Open'=>'باز','Accordion'=>'آکاردئونی','Restrict which files can be uploaded'=>'محدودیت در آپلود فایل ها','File ID'=>'شناسه پرونده','File URL'=>'آدرس پرونده','File Array'=>'آرایه فایل','Add File'=>'افزودن پرونده','No file selected'=>'هیچ پرونده ای انتخاب نشده','File name'=>'نام فایل','Update File'=>'بروزرسانی پرونده','Edit File'=>'ویرایش پرونده','Select File'=>'انتخاب پرونده','File'=>'پرونده','Password'=>'رمزعبور','Specify the value returned'=>'مقدار بازگشتی را انتخاب کنید','Use AJAX to lazy load choices?'=>'از ایجکس برای خواندن گزینه های استفاده شود؟','Enter each default value on a new line'=>'هر مقدار پیش فرض را در یک خط جدید وارد کنید','verbSelect'=>'انتخاب','Select2 JS load_failLoading failed'=>'خطا در فراخوانی داده ها','Select2 JS searchingSearching…'=>'جستجو …','Select2 JS load_moreLoading more results…'=>'بارگذاری نتایج بیشتر…','Select2 JS selection_too_long_nYou can only select %d items'=>'شما فقط می توانید %d مورد را انتخاب کنید','Select2 JS selection_too_long_1You can only select 1 item'=>'فقط می توانید یک آیتم را انتخاب کنید','Select2 JS input_too_long_nPlease delete %d characters'=>'لطفا %d کاراکتر را حذف کنید','Select2 JS input_too_long_1Please delete 1 character'=>'یک حرف را حذف کنید','Select2 JS input_too_short_nPlease enter %d or more characters'=>'لطفا %d یا چند کاراکتر دیگر وارد کنید','Select2 JS input_too_short_1Please enter 1 or more characters'=>'یک یا چند حرف وارد کنید','Select2 JS matches_0No matches found'=>'مشابهی یافت نشد','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید.','Select2 JS matches_1One result is available, press enter to select it.'=>'یک نتیجه موجود است برای انتخاب اینتر را فشار دهید.','nounSelect'=>'انتخاب','User ID'=>'شناسه کاربر','User Object'=>'آبجکت کاربر','User Array'=>'آرایه کاربر','All user roles'=>'تمام نقش های کاربر','User'=>'کاربر','Separator'=>'جداکننده','Select Color'=>'رنگ را انتخاب کنید','Default'=>'پیش فرض','Clear'=>'پاکسازی','Color Picker'=>'انتخاب کننده رنگ','Date Time Picker JS pmTextShortP'=>'عصر','Date Time Picker JS pmTextPM'=>'عصر','Date Time Picker JS amTextShortA'=>'صبح','Date Time Picker JS amTextAM'=>'صبح','Date Time Picker JS selectTextSelect'=>'انتخاب','Date Time Picker JS closeTextDone'=>'انجام شد','Date Time Picker JS currentTextNow'=>'اکنون','Date Time Picker JS timezoneTextTime Zone'=>'منطقه زمانی','Date Time Picker JS microsecTextMicrosecond'=>'میکرو ثانیه','Date Time Picker JS millisecTextMillisecond'=>'میلی ثانیه','Date Time Picker JS secondTextSecond'=>'ثانیه','Date Time Picker JS minuteTextMinute'=>'دقیقه','Date Time Picker JS hourTextHour'=>'ساعت','Date Time Picker JS timeTextTime'=>'زمان','Date Time Picker JS timeOnlyTitleChoose Time'=>'انتخاب زمان','Date Time Picker'=>'انتخاب کننده زمان و تاریخ','Endpoint'=>'نقطه پایانی','Left aligned'=>'سمت چپ','Top aligned'=>'سمت بالا','Placement'=>'جانمایی','Tab'=>'تب','Value must be a valid URL'=>'مقدار باید یک آدرس صحیح باشد','Link URL'=>'آدرس لینک','Link Array'=>'آرایه لینک','Opens in a new window/tab'=>'در پنجره جدید باز شود','Select Link'=>'انتخاب لینک','Link'=>'لینک','Email'=>'پست الکترونیکی','Step Size'=>'اندازه مرحله','Maximum Value'=>'حداکثر مقدار','Minimum Value'=>'حداقل مقدار','Range'=>'محدوده','Both (Array)'=>'هر دو (آرایه)','Label'=>'برچسب فیلد','Value'=>'مقدار','Vertical'=>'عمودی','Horizontal'=>'افقی','red : Red'=>'red : قرمز','For more control, you may specify both a value and label like this:'=>'برای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:','Enter each choice on a new line.'=>'هر انتخاب را در یک خط جدید وارد کنید.','Choices'=>'انتخاب ها','Button Group'=>'گروه دکمهها','Allow Null'=>'اجازه دادن به «خالی»','Parent'=>'مادر','TinyMCE will not be initialized until field is clicked'=>'تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد','Toolbar'=>'نوار ابزار','Text Only'=>'فقط متن','Visual Only'=>'فقط بصری','Visual & Text'=>'بصری و متنی','Tabs'=>'تب ها','Click to initialize TinyMCE'=>'برای اجرای TinyMCE کلیک کنید','Name for the Text editor tab (formerly HTML)Text'=>'متن','Visual'=>'بصری','Value must not exceed %d characters'=>'مقدار نباید از %d کاراکتر بیشتر شود','Leave blank for no limit'=>'برای نامحدود بودن این بخش را خالی بگذارید','Character Limit'=>'محدودیت کاراکتر','Appears after the input'=>'بعد از ورودی نمایش داده می شود','Append'=>'پسوند','Appears before the input'=>'قبل از ورودی نمایش داده می شود','Prepend'=>'پیشوند','Appears within the input'=>'در داخل ورودی نمایش داده می شود','Placeholder Text'=>'نگهدارنده مکان متن','Appears when creating a new post'=>'هنگام ایجاد یک نوشته جدید نمایش داده می شود','Text'=>'متن','Post ID'=>'شناسه نوشته','Post Object'=>'آبجکت یک نوشته','Maximum Posts'=>'حداکثر نوشتهها','Minimum Posts'=>'حداقل نوشتهها','Featured Image'=>'تصویر شاخص','Selected elements will be displayed in each result'=>'عناصر انتخاب شده در هر نتیجه نمایش داده خواهند شد','Elements'=>'عناصر','Taxonomy'=>'طبقه بندی','Post Type'=>'نوع نوشته','Filters'=>'فیلترها','All taxonomies'=>'تمام طبقه بندی ها','Filter by Taxonomy'=>'فیلتر با طبقه بندی','All post types'=>'تمام انواع نوشته','Filter by Post Type'=>'فیلتر با نوع نوشته','Search...'=>'جستجو . . .','Select taxonomy'=>'انتخاب طبقه بندی','Select post type'=>'انتحاب نوع نوشته','No matches found'=>'مطابقتی یافت نشد','Loading'=>'درحال خواندن','Maximum values reached ( {max} values )'=>'مقادیر به حداکثر رسیده اند ( {max} آیتم )','Relationship'=>'ارتباط','Comma separated list. Leave blank for all types'=>'با کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذارید','Allowed File Types'=>'نوع پروندههای مجاز','Maximum'=>'بیشترین','File size'=>'اندازه فایل','Restrict which images can be uploaded'=>'محدودیت در آپلود تصاویر','Minimum'=>'کمترین','Uploaded to post'=>'بارگذاری شده در نوشته','All'=>'همه','Limit the media library choice'=>'محدود کردن انتخاب کتابخانه چندرسانه ای','Library'=>'کتابخانه','Preview Size'=>'اندازه پیش نمایش','Image ID'=>'شناسه تصویر','Image URL'=>'آدرس تصویر','Image Array'=>'آرایه تصاویر','Specify the returned value on front end'=>'مقدار برگشتی در نمایش نهایی را تعیین کنید','Return Value'=>'مقدار بازگشت','Add Image'=>'افزودن تصویر','No image selected'=>'هیچ تصویری انتخاب نشده','Remove'=>'حذف','Edit'=>'ویرایش','All images'=>'تمام تصاویر','Update Image'=>'بروزرسانی تصویر','Edit Image'=>'ویرایش تصویر','Select Image'=>'انتخاب تصویر','Image'=>'تصویر','Allow HTML markup to display as visible text instead of rendering'=>'اجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنها','Escape HTML'=>'حذف HTML','No Formatting'=>'بدون قالب بندی','Automatically add <br>'=>'اضافه کردن خودکار <br>','Automatically add paragraphs'=>'پاراگراف ها خودکار اضافه شوند','Controls how new lines are rendered'=>'تنظیم کنید که خطوط جدید چگونه نمایش داده شوند','New Lines'=>'خطوط جدید','Week Starts On'=>'اولین روز هفته','The format used when saving a value'=>'قالب استفاده در زمان ذخیره مقدار','Save Format'=>'ذخیره قالب','Date Picker JS weekHeaderWk'=>'هفته','Date Picker JS prevTextPrev'=>'قبلی','Date Picker JS nextTextNext'=>'بعدی','Date Picker JS currentTextToday'=>'امروز','Date Picker JS closeTextDone'=>'انجام شد','Date Picker'=>'تاریخ','Width'=>'عرض','Embed Size'=>'اندازه جانمایی','Enter URL'=>'آدرس را وارد کنید','oEmbed'=>'oEmbed','Text shown when inactive'=>'نمایش متن در زمان غیر فعال بودن','Off Text'=>'بدون متن','Text shown when active'=>'نمایش متن در زمان فعال بودن','On Text'=>'با متن','Default Value'=>'مقدار پیش فرض','Displays text alongside the checkbox'=>'نمایش متن همراه انتخاب','Message'=>'پیام','No'=>'خیر','Yes'=>'بله','True / False'=>'صحیح / غلط','Row'=>'سطر','Table'=>'جدول','Block'=>'بلوک','Specify the style used to render the selected fields'=>'استایل جهت نمایش فیلد انتخابی','Layout'=>'چیدمان','Sub Fields'=>'فیلدهای زیرمجموعه','Group'=>'گروه','Customize the map height'=>'سفارشی سازی ارتفاع نقشه','Height'=>'ارتفاع','Set the initial zoom level'=>'تعین مقدار بزرگنمایی اولیه','Zoom'=>'بزرگنمایی','Center the initial map'=>'نقشه اولیه را وسط قرار بده','Center'=>'مرکز','Search for address...'=>'جستجو برای آدرس . . .','Find current location'=>'پیدا کردن مکان فعلی','Clear location'=>'حذف مکان','Search'=>'جستجو','Sorry, this browser does not support geolocation'=>'با عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کند','Google Map'=>'نقشه گوگل','The format returned via template functions'=>'قالب توسط توابع پوسته نمایش داده خواهد شد','Return Format'=>'فرمت بازگشت','Custom:'=>'دلخواه:','The format displayed when editing a post'=>'قالب در زمان نمایش نوشته دیده خواهد شد','Display Format'=>'فرمت نمایش','Time Picker'=>'انتخاب زمان','No Fields found in Trash'=>'گروه فیلدی در زبالهدان یافت نشد','No Fields found'=>'گروه فیلدی یافت نشد','Search Fields'=>'جستجوی فیلدها','View Field'=>'مشاهده فیلد','New Field'=>'فیلد تازه','Edit Field'=>'ویرایش فیلد','Add New Field'=>'افزودن فیلد تازه','Field'=>'فیلد','Fields'=>'فیلدها','No Field Groups found in Trash'=>'گروه فیلدی در زبالهدان یافت نشد','No Field Groups found'=>'گروه فیلدی یافت نشد','Search Field Groups'=>'جستجوی گروههای فیلد','View Field Group'=>'مشاهدهی گروه فیلد','New Field Group'=>'گروه فیلد تازه','Edit Field Group'=>'ویرایش گروه فیلد','Add New Field Group'=>'افزودن گروه فیلد تازه','Add New'=>'افزودن','Field Group'=>'گروه فیلد','Field Groups'=>'گروههای فیلد','Customize WordPress with powerful, professional and intuitive fields.'=>'وردپرس را با فیلدهای حرفهای و قدرتمند سفارشی کنید.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'فیلدهای سفارشی پیشرفته','Advanced Custom Fields PRO'=>'زمینههای سفارشی پیشرفته نسخه حرفه ای','Switch to Edit'=>'حالت ویرایش','Switch to Preview'=>'حالت پیشنمایش','Options Updated'=>'تنظیمات به روز شدند','Check Again'=>'بررسی دوباره','Publish'=>'انتشار','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'هیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. ساخت گروه زمینه دلخواه','Error. Could not connect to update server'=>'خطا. امکان اتصال به سرور به روزرسانی الان ممکن نیست','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'خطا. پکیج بروزرسانی اعتبارسنجی نشد. دوباره بررسی کنید یا لایسنس ACF PRO را غیرفعال و مجددا فعال کنید.','Select one or more fields you wish to clone'=>'انتخاب فیلد دیگری برای کپی','Display'=>'نمایش','Specify the style used to render the clone field'=>'مشخص کردن استایل مورد نظر در نمایش دسته فیلدها','Group (displays selected fields in a group within this field)'=>'گروه ها(نمایش فیلدهای انتخابی در یک گروه با این فیلد)','Seamless (replaces this field with selected fields)'=>'بدون مانند (جایگزینی این فیلد با فیلدهای انتخابی)','Labels will be displayed as %s'=>'برچسب ها نمایش داده شوند به صورت %s','Prefix Field Labels'=>'پیشوند پرچسب فیلدها','Values will be saved as %s'=>'مقادیر ذخیره خواهند شد به صورت %s','Prefix Field Names'=>'پیشوند نام فایل ها','Unknown field'=>'فیلد ناشناس','Unknown field group'=>'گروه ناشناس','All fields from %s field group'=>'تمام فیلدها از %s گروه فیلد','Add Row'=>'سطر جدید','layout'=>'طرحها' . "\0" . 'طرح','layouts'=>'طرح ها','This field requires at least {min} {label} {identifier}'=>'این زمینه لازم دارد {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'این گزینه محدود است به {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} موجود است (حداکثر {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} لازم دارد (حداقل {min})','Flexible Content requires at least 1 layout'=>'زمینه محتوای انعطاف پذیر حداقل به یک طرح نیاز دارد','Click the "%s" button below to start creating your layout'=>'روی دکمه "%s" دز زیر کلیک کنید تا چیدمان خود را بسازید','Add layout'=>'طرح جدید','Remove layout'=>'حذف طرح','Click to toggle'=>'کلیک برای انتخاب','Delete Layout'=>'حذف طرح','Duplicate Layout'=>'تکثیر طرح','Add New Layout'=>'افزودن طرح جدید','Add Layout'=>'طرح جدید','Min'=>'حداقل','Max'=>'حداکثر','Minimum Layouts'=>'حداقل تعداد طرح ها','Maximum Layouts'=>'حداکثر تعداد طرح ها','Button Label'=>'متن دکمه','Add Image to Gallery'=>'افزودن تصویر به گالری','Maximum selection reached'=>'بیشترین حد انتخاب شده است','Length'=>'طول','Caption'=>'متن','Alt Text'=>'متن جایگزین','Add to gallery'=>'اضافه به گالری','Bulk actions'=>'کارهای گروهی','Sort by date uploaded'=>'به ترتیب تاریخ آپلود','Sort by date modified'=>'به ترتیب تاریخ اعمال تغییرات','Sort by title'=>'به ترتیب عنوان','Reverse current order'=>'معکوس سازی ترتیب کنونی','Close'=>'بستن','Minimum Selection'=>'حداقل انتخاب','Maximum Selection'=>'حداکثر انتخاب','Allowed file types'=>'انواع مجاز فایل','Insert'=>'درج','Specify where new attachments are added'=>'مشخص کنید که پیوست ها کجا اضافه شوند','Append to the end'=>'افزودن به انتها','Prepend to the beginning'=>'افزودن قبل از','Minimum rows not reached ({min} rows)'=>'مقادیر به حداکثر رسیده اند ( {min} سطر )','Maximum rows reached ({max} rows)'=>'مقادیر به حداکثر رسیده اند ( {max} سطر )','Minimum Rows'=>'حداقل تعداد سطرها','Maximum Rows'=>'حداکثر تعداد سطرها','Collapsed'=>'جمع شده','Select a sub field to show when row is collapsed'=>'یک زمینه زیرمجموعه را انتخاب کنید تا زمان بسته شدن طر نمایش داده شود','Click to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Add row'=>'افزودن سطر','Remove row'=>'حذف سطر','First Page'=>'برگه نخست','Previous Page'=>'برگه ی نوشته ها','Next Page'=>'برگه نخست','Last Page'=>'برگه ی نوشته ها','No options pages exist'=>'هیچ صفحه تنظیماتی یافت نشد','Deactivate License'=>'غیرفعال سازی لایسنس','Activate License'=>'فعال سازی لایسنس','License Information'=>'اطلاعات لایسنس','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'برای به روزرسانی لطفا کد لایسنس را وارد کنید. قیمت ها.','License Key'=>'کلید لایسنس','Update Information'=>'اطلاعات به روز رسانی','Current Version'=>'نسخه فعلی','Latest Version'=>'آخرین نسخه','Update Available'=>'بروزرسانی موجود است','Upgrade Notice'=>'نکات به روزرسانی','Enter your license key to unlock updates'=>'برای فعالسازی به روزرسانی لایسنس خود را بنویسید','Update Plugin'=>'بروزرسانی افزونه']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'برای آن عبارت جستجو نتیجهای یافت نشد','Array'=>'آرایه','String'=>'رشته متن','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'مرور کتابخانهی رسانه','The currently selected image preview'=>'پیشنمایش تصویری که در حال حاضر انتخاب شده است','Click to change the icon in the Media Library'=>'برای تغییر آیکون در کتابخانهی رسانه کلیک کنید','Search icons...'=>'جستجوی آیکونها...','Media Library'=>'کتابخانه پروندههای چندرسانهای','Dashicons'=>'دش آیکون','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'انتخابگر آیکون','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'افزونههای فعال','Parent Theme'=>'پوستهی مادر','Active Theme'=>'پوستهی فعال','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'نگارش افزونه','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'فیلدهای ACF','ACF PRO Feature'=>'ویژگی ACF حرفهای','Renew PRO to Unlock'=>'نسخهی حرفهای را تمدید کنید تا باز شود','Renew PRO License'=>'تمدید لایسنس حرفهای','PRO fields cannot be edited without an active license.'=>'فیلدهای حرفهای نمیتوانند بدون یک لایسنس فعال ویرایش شوند.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'بیشتر یاد بگیرید','Hide details'=>'مخفی کردن جزئیات','Show details'=>'نمایش جزئیات','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'تمدید لایسنس ACF حرفهای','Renew License'=>'تمدید لایسنس','Manage License'=>'مدیریت لایسنس','\'High\' position not supported in the Block Editor'=>'موقعیت «بالا» در ویرایشگر بلوکی پشتیبانی نمیشود','Upgrade to ACF PRO'=>'ارتقا به ACF حرفهای','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'افزودن برگهی گزینهها','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'نگهدارنده متن عنوان','4 Months Free'=>'۴ ماه رایگان','(Duplicated from %s)'=>'(تکثیر شده از %s)','Select Options Pages'=>'انتخاب صفحات گزینهها','Duplicate taxonomy'=>'تکثیر طبقهبندی','Create taxonomy'=>'ایجاد طبقهبندی','Duplicate post type'=>'تکثیر نوع نوشته','Create post type'=>'ایجاد نوع نوشته','Link field groups'=>'پیوند دادن گروههای فیلد','Add fields'=>'افزودن فیلدها','This Field'=>'این فیلد','ACF PRO'=>'ACF حرفهای','Feedback'=>'بازخورد','Support'=>'پشتیبانی','is developed and maintained by'=>'توسعهداده و نگهداریشده توسط','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'دو جهته','%s Field'=>'فیلد %s','Select Multiple'=>'انتخاب چندتایی','WP Engine logo'=>'نماد WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'فقط حروف انگلیسی کوچک، زیرخط و خط تیره، حداکثر 32 حرف.','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'تنظیم میکند که آیا نوشتهها باید از نتایج جستجو و برگههای بایگانی طبقهبندی مستثنی شوند.','More Tools from WP Engine'=>'ابزارهای بیشتر از WP Engine','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'بیشتر یاد بگیرید','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'%s فیلد','No terms'=>'شرطی وجود ندارد','No post types'=>'نوع نوشتهای وجود ندارد','No posts'=>'نوشتهای وجود ندارد','No taxonomies'=>'طبقهبندیای وجود ندارد','No field groups'=>'گروه فیلدی وجود ندارد','No fields'=>'فیلدی وجود ندارد','No description'=>'توضیحاتی وجود ندارد','Any post status'=>'هر وضعیت نوشتهای','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'این کلید طبقهبندی در حال حاضر توسط طبقهبندی دیگری که خارج از ACF ثبت شده در حال استفاده است و نمیتواند استفاده شود.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'این کلید طبقهبندی در حال حاضر توسط طبقهبندی دیگری در ACF در حال استفاده است و نمیتواند استفاده شود.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید طبقهبندی فقط باید شامل حروف کوچک و اعداد انگلیسی، زیر خط (_) و یا خط تیره (-) باشد.','The taxonomy key must be under 32 characters.'=>'کلید طبقهبندی بایستی زیر 32 حرف باشد.','No Taxonomies found in Trash'=>'هیچ طبقهبندیای در زبالهدان یافت نشد','No Taxonomies found'=>'هیچ طبقهبندیای یافت نشد','Search Taxonomies'=>'جستجوی طبقهبندیها','View Taxonomy'=>'مشاهده طبقهبندی','New Taxonomy'=>'طبقهبندی جدید','Edit Taxonomy'=>'ویرایش طبقهبندی','Add New Taxonomy'=>'افزودن طبقهبندی تازه','No Post Types found in Trash'=>'هیچ نوع نوشتهای در زبالهدان یافت نشد','No Post Types found'=>'هیچ نوع نوشتهای پیدا نشد','Search Post Types'=>'جستجوی انواع نوشته','View Post Type'=>'مشاهدهی نوع نوشته','New Post Type'=>'نوع پست جدید','Edit Post Type'=>'ویرایش نوع پست','Add New Post Type'=>'افزودن نوع پست تازه','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'کلید نوع پست در حال حاضر خارج از ACF ثبت شده است و نمی توان از آن استفاده کرد.','This post type key is already in use by another post type in ACF and cannot be used.'=>'کلید نوع پست در حال حاضر در ACF ثبت شده است و نمی توان از آن استفاده کرد.','This field must not be a WordPress reserved term.'=>'این فیلد نباید یک واژهی از پیش ذخیرهشدهدر وردپرس باشد.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'کلید نوع پست فقط باید شامل حذوف کوچک انگلیسی و اعداد و زیر خط (_) و یا خط تیره (-) باشد.','The post type key must be under 20 characters.'=>'کلید نوع پست حداکثر باید 20 حرفی باشد.','We do not recommend using this field in ACF Blocks.'=>'توصیه نمیکنیم از این فیلد در بلوکهای ACF استفاده کنید.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'ویرایشگر WYSIWYG وردپرس را همانطور که در پستها و صفحات دیده میشود نمایش میدهد و امکان ویرایش متن غنی را فراهم میکند و محتوای چندرسانهای را نیز امکانپذیر میکند.','WYSIWYG Editor'=>'ویرایشگر WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'اجازه میدهد که یک یا چند کاربر را انتخاب کنید که می تواند برای ایجاد رابطه بین داده های آبجکت ها مورد استفاده قرار گیرد.','A text input specifically designed for storing web addresses.'=>'یک ورودی متنی که به طور خاص برای ذخیره آدرس های وب طراحی شده است.','URL'=>'نشانی وب','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'کلیدی که به شما امکان می دهد مقدار 1 یا 0 را انتخاب کنید (روشن یا خاموش، درست یا نادرست و غیره). میتواند بهعنوان یک سوئیچ یا چک باکس تلطیف شده ارائه شود.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب زمان. قالب زمان را می توان با استفاده از تنظیمات فیلد سفارشی کرد.','A basic textarea input for storing paragraphs of text.'=>'یک ورودیِ «ناحیه متن» ساده برای ذخیرهسازی چندین بند متن.','A basic text input, useful for storing single string values.'=>'یک ورودی متن ساده، مناسب برای ذخیرهسازی مقادیر تکخطی.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'یک فهرست کشویی با یک گزینش از انتخابهایی که مشخص میکنید.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'یک ورودی برای وارد کردن رمزعبور به وسیلهی ناحیهی پوشیده شده.','Filter by Post Status'=>'فیلتر بر اساس وضعیت پست','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'یک ورودی محدود شده به مقادیر عددی.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'از انتخابگر رسانهی بومی وردپرس برای بارگذاری یا انتخاب تصاویر استفاده میکند.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'از انتخابگر رسانهی بومی وردپرس برای بارگذاری یا انتخاب پروندهها استفاده میکند.','A text input specifically designed for storing email addresses.'=>'یک ورودی متنی که به طور ویژه برای ذخیرهسازی نشانیهای رایانامه طراحی شده است.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب یک تاریخ و زمان. قالب برگرداندن تاریخ میتواند به وسیلهی تنظیمات فیلد سفارشیسازی شود.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'یک رابط کاربری تعاملی برای انتخاب یک تاریخ. قالب برگرداندن تاریخ میتواند به وسیلهی تنظیمات فیلد سفارشیسازی شود.','An interactive UI for selecting a color, or specifying a Hex value.'=>'یک رابط کاربری تعاملی برای انتخاب یک رنگ یا مشخص کردن یک مقدار Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'یک گروه از ورودیهای انتخابی که به کاربر اجازه میدهد یک یا چند تا از مقادیری که مشخص کردهاید را انتخاب کند.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'یک گروه از دکمهها با مقادیری که مشخص کردهاید. کاربران میتوانند یکی از گزینهها را از مقادیر ارائه شده انتخاب کنند.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'تکثیرکردن','PRO'=>'حرفهای','Advanced'=>'پیشرفته','JSON (newer)'=>'JSON (جدیدتر)','Original'=>'اصلی','Invalid post ID.'=>'شناسه پست نامعتبر.','Invalid post type selected for review.'=>'','More'=>'بیشتر','Tutorial'=>'آموزش','Select Field'=>'انتخاب فیلد','Try a different search term or browse %s'=>'واژهی جستجوی متفاوتی را امتحان کنید یا %s را مرور کنید','Popular fields'=>'فیلدهای پرطرفدار','No search results for \'%s\''=>'نتیجه جستجویی برای \'%s\' نبود','Search fields...'=>'جستجوی فیلدها...','Select Field Type'=>'انتخاب نوع فیلد','Popular'=>'محبوب','Add Taxonomy'=>'افزودن طبقهبندی','Create custom taxonomies to classify post type content'=>'طبقهبندیهای سفارشی ایجاد کنید تا محتوای نوع نوشته را ردهبندی کنید','Add Your First Taxonomy'=>'اولین طبقهبندی خود را اضافه کنید','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'genre','Genre'=>'ژانر','Genres'=>'ژانرها','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'ویرایش سریع','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'پیوندی به یک %s','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'→ برو به برچسبها','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'بازگشت به موارد','← Go to %s'=>'→ برو به %s','Tags list'=>'فهرست برچسبها','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'پالایش بر اساس دستهبندی','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'پالایش بر اساس مورد','Filter by %s'=>'پالایش بر اساس %s','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'برچسبی نیست','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'بدون شرایط','No %s'=>'بدون %s','No tags found'=>'برچسبی یافت نشد','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'یافت نشد','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'افزودن یا حذف برچسبها','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'افزودن یا حذف موارد','Add or remove %s'=>'افزودن یا حذف %s','Separate tags with commas'=>'برچسبها را با کاما (,) از هم جدا کنید','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'موارد را با کاما (,) از هم جدا کنید','Separate %s with commas'=>'%s را با کاما (,) از هم جدا کنید','Popular Tags'=>'برچسبهای محبوب','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'%s محبوب','Search Tags'=>'جستجوی برچسبها','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'دستهبندی والد','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'والد %s','New Tag Name'=>'نام برچسب تازه','Assigns the new item name text.'=>'متن نام مورد تازه را اختصاص میدهد.','New Item Name'=>'نام مورد تازه','New %s Name'=>'نام %s جدید','Add New Tag'=>'افزودن برچسب تازه','Assigns the add new item text.'=>'متن «افزودن مورد تازه» را اختصاص میدهد.','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'بهروزرسانی %s','View Tag'=>'مشاهدهی برچسب','In the admin bar to view term during editing.'=>'','Edit Tag'=>'ویرایش برچسب','At the top of the editor screen when editing a term.'=>'','All Tags'=>'همهی برچسبها','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'برچسب فهرست','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'افزودن نوع پست','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'قابلیتهای وردپرس را فراتر از نوشتهها و برگههای استاندارد با انواع پست سفارشی توسعه دهید.','Add Your First Post Type'=>'اولین نوع پست سفارشی خود را اضافه کنید','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'پیکربندی پیشرفته','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'سلسلهمراتبی','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'عمومی','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'فیلم','Singular Label'=>'برچسب مفرد','Movies'=>'فیلمها','Plural Label'=>'برچسب جمع','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'نامک سفارشی برای پیوند بایگانی.','Archive Slug'=>'نامک بایگانی','Has an item archive that can be customized with an archive template file in your theme.'=>'یک بایگانی مورد دارد که میتواند با یک پرونده قالب بایگانی در پوستهی شما سفارشیسازی شود.','Archive'=>'بایگانی','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'صفحهبندی','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'پیوند یکتای سفارشی','Post Type Key'=>'کلید نوع پست','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'مستثنی کردن از جستجو','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'نمایش در نوار مدیریت','Custom Meta Box Callback'=>'','Menu Icon'=>'آیکون منو','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'جایگاه فهرست','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'نمایش در نوار مدیریت','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'نمایش در رابط کاربری','A link to a post.'=>'یک پیوند به یک نوشته.','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'یک پیوند به یک %s.','Post Link'=>'پیوند نوشته','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'%s بروزرسانی شد.','Post scheduled.'=>'نوشته زمانبندی شد.','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'مورد زمانبندی شد','%s scheduled.'=>'%s زمانبندی شد.','Post reverted to draft.'=>'نوشته به پیشنویس بازگشت.','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'%s به پیشنویس بازگشت.','Post published privately.'=>'نوشته به صورت خصوصی منتشر شد.','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'مورد به صورت خصوصی منتشر شد','%s published privately.'=>'%s به صورت خصوصی منتشر شد.','Post published.'=>'نوشته منتشر شد.','In the editor notice after publishing an item.'=>'','Item Published'=>'مورد منتشر شد','%s published.'=>'%s منتشر شد.','Posts list'=>'فهرست نوشتهها','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'فهرست موارد','%s list'=>'فهرست %s','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'ناوبری فهرست موارد','%s list navigation'=>'ناوبری فهرست %s','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'در این مورد بارگذاری شد','Uploaded to this %s'=>'در این %s بارگذاری شد','Insert into post'=>'درج در نوشته','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'درج در %s','Use as featured image'=>'استفاده به عنوان تصویر شاخص','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'استفاده از تصویر شاخص','Remove featured image'=>'حذف تصویر شاخص','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'حذف تصویر شاخص','Set featured image'=>'تنظیم تصویر شاخص','As the button label when setting the featured image.'=>'','Set Featured Image'=>'تنظیم تصویر شاخص','Featured image'=>'تصویر شاخص','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'ویژگیهای %s','Post Archives'=>'بایگانیهای نوشته','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'فهرست ناوبری بایگانیها','%s Archives'=>'بایگانیهای %s','No posts found in Trash'=>'هیچ نوشتهای در زبالهدان یافت نشد','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'هیچ %sای در زبالهدان یافت نشد','No posts found'=>'هیچ نوشتهای یافت نشد','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'موردی یافت نشد','No %s found'=>'%sای یافت نشد','Search Posts'=>'جستجوی نوشتهها','At the top of the items screen when searching for an item.'=>'','Search Items'=>'جستجوی موارد','Search %s'=>'جستجوی %s','Parent Page:'=>'برگهٔ والد:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'والد %s:','New Post'=>'نوشتهٔ تازه','New Item'=>'مورد تازه','New %s'=>'%s تازه','Add New Post'=>'افزودن نوشتۀ تازه','At the top of the editor screen when adding a new item.'=>'در بالای صفحهی ویرایشگر، در هنگام افزودن یک مورد جدید.','Add New Item'=>'افزودن مورد تازه','Add New %s'=>'افزودن %s تازه','View Posts'=>'مشاهدهی نوشتهها','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'نمایش موارد','View Post'=>'نمایش نوشته','In the admin bar to view item when editing it.'=>'','View Item'=>'نمایش مورد','View %s'=>'مشاهدهی %s','Edit Post'=>'ویرایش نوشته','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'ویرایش مورد','Edit %s'=>'ویرایش %s','All Posts'=>'همهی نوشتهها','In the post type submenu in the admin dashboard.'=>'','All Items'=>'همۀ موارد','All %s'=>'همه %s','Admin menu name for the post type.'=>'','Menu Name'=>'نام فهرست','Regenerate all labels using the Singular and Plural labels'=>'تولید دوباره تمامی برچسبهای مفرد و جمعی','Regenerate'=>'بازتولید','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'افزودن سفارشی','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'ویرایشگر','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'طبقهبندیهای موجود را برای دستهبندی کردن آیتمهای نوع پست انتخاب نمایید.','Browse Fields'=>'مرور فیلدها','Nothing to import'=>'چیزی برای درونریزی وجود ندارد','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'برونریزی - ایجاد PHP','Export'=>'برونریزی','Select Taxonomies'=>'انتخاب طبقهبندیها','Select Post Types'=>'نوعهای نوشته را انتخاب کنید','Exported 1 item.'=>'','Category'=>'دسته','Tag'=>'برچسب','%s taxonomy created'=>'طبقهبندی %s ایجاد شد','%s taxonomy updated'=>'طبقهبندی %s بروزرسانی شد','Taxonomy draft updated.'=>'پیشنویس طبقهبندی بهروزرسانی شد.','Taxonomy scheduled for.'=>'طبقهبندی برنامهریزی شد.','Taxonomy submitted.'=>'طبقهبندی ثبت شد.','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'','Taxonomy duplicated.'=>'','Taxonomy deactivated.'=>'','Taxonomy activated.'=>'','Terms'=>'شرایط','Post type synchronized.'=>'','Post type duplicated.'=>'','Post type deactivated.'=>'','Post type activated.'=>'','Post Types'=>'انواع نوشتهها','Advanced Settings'=>'تنظیمات پیشرفته','Basic Settings'=>'تنظیمات پایه','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'صفحات','Link Existing Field Groups'=>'','%s post type created'=>'%s نوع نوشته ایجاد شد','Add fields to %s'=>'افزودن فیلدها به %s','%s post type updated'=>'%s نوع نوشته بروزرسانی شد','Post type draft updated.'=>'پیشنویس نوع نوشته بروزرسانی شد.','Post type scheduled for.'=>'','Post type submitted.'=>'نوع پست ارسال شد','Post type saved.'=>'نوع پست ذخیره شد','Post type updated.'=>'نوع پست به روز شد','Post type deleted.'=>'نوع پست حذف شد','Type to search...'=>'برای جستجو تایپ کنید....','PRO Only'=>'فقط نسخه حرفه ای','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'طبقهبندی','post type'=>'نوع نوشته','Done'=>'پایان','Field Group(s)'=>'گروه(های) فیلد','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'','post statusRegistration Failed'=>'ثبت نام انجام نشد','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'این مورد نمیتواند ثبت شود، زیرا کلید آن توسط مورد دیگری که توسط افزونه یا پوستهی دیگری ثبت شده، در حال استفاده است.','REST API'=>'REST API','Permissions'=>'دسترسیها','URLs'=>'پیوندها','Visibility'=>'نمایش','Labels'=>'برچسبها','Field Settings Tabs'=>'زبانههای تنظیمات فیلد','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[مقدار کد کوتاه ACF برای پیش نمایش غیرفعال است]','Close Modal'=>'بستن صفحه','Field moved to other group'=>'فیلد به گروه دیگری منتقل شد','Close modal'=>'بستن صفحه','Start a new group of tabs at this tab.'=>'شروع گروه جدید زبانهها در این زبانه','New Tab Group'=>'گروه زبانه جدید','Use a stylized checkbox using select2'=>'بهکارگیری کادر انتخاب سبک وار با select2','Save Other Choice'=>'ذخیره انتخاب دیگر','Allow Other Choice'=>'اجازه دادن انتخاب دیگر','Add Toggle All'=>'افزودن تغییر وضعیت همه','Save Custom Values'=>'ذخیره مقادیر سفارشی','Allow Custom Values'=>'اجازه دادن مقادیر سفارشی','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'مقادیر سفارشی کادر انتخاب نمیتواند خالی باشد. انتخاب مقادیر خالی را بردارید.','Updates'=>'بروزرسانی ها','Advanced Custom Fields logo'=>'لوگوی فیلدهای سفارشی پیشرفته','Save Changes'=>'ذخیره تغییرات','Field Group Title'=>'عنوان گروه فیلد','Add title'=>'افزودن عنوان','New to ACF? Take a look at our getting started guide.'=>'تازه با ACF آشنا شدهاید؟ به راهنمای شروع ما نگاهی بیندازید.','Add Field Group'=>'افزودن گروه فیلد','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'اولین گروه فیلد خود را اضافه نمایید','Options Pages'=>'برگههای گزینهها','ACF Blocks'=>'بلوکهای ACF','Gallery Field'=>'فیلد گالری','Flexible Content Field'=>'فیلد محتوای انعطاف پذیر','Repeater Field'=>'فیلد تکرارشونده','Unlock Extra Features with ACF PRO'=>'قفل ویژگیهای اضافی را با ACF PRO باز کنید','Delete Field Group'=>'حذف گروه فیلد','Created on %1$s at %2$s'=>'','Group Settings'=>'تنظیمات گروه','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'از بین بیش از 30 نوع فیلد انتخاب کنید. بیشتر بدانید.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'اولین فیلد خود را اضافه کنید','#'=>'#','Add Field'=>'افزودن فیلد','Presentation'=>'نمایش','Validation'=>'اعتبارسنجی','General'=>'عمومی','Import JSON'=>'درون ریزی JSON','Export As JSON'=>'برون بری با JSON','Field group deactivated.'=>'%s گروه فیلد غیرفعال شد.','Field group activated.'=>'','Deactivate'=>'غیرفعال کردن','Deactivate this item'=>'غیرفعال کردن این مورد','Activate'=>'فعال کردن','Activate this item'=>'فعال کردن این مورد','Move field group to trash?'=>'انتقال گروه فیلد به زبالهدان؟','post statusInactive'=>'غیرفعال','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'افزونه فیلدهای سفارشی پیشرفته و افزونه فیلدهای سفارشی پیشرفتهی حرفهای نباید همزمان فعال باشند. ما به طور خودکار افزونه فیلدهای سفارشی پیشرفته را غیرفعال کردیم.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'افزونه فیلدهای سفارشی پیشرفته و افزونه فیلدهای سفارشی پیشرفتهی حرفهای نباید همزمان فعال باشند. ما به طور خودکار فیلدهای سفارشی پیشرفته را غیرفعال کردیم.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - قبل از شروع اولیه ACF، یک یا چند تماس را برای بازیابی مقادیر فیلد ACF شناسایی کردهایم. این مورد پشتیبانی نمیشود و میتواند منجر به دادههای ناقص یا از دست رفته شود. با نحوه رفع این مشکل آشنا شوید.','%1$s must have a user with the %2$s role.'=>'','%1$s must have a valid user ID.'=>'%1$s باید یک شناسه کاربری معتبر داشته باشد.','Invalid request.'=>'درخواست نامعتبر.','%1$s is not one of %2$s'=>'%1$s یکی از %2$s نیست','%1$s must have term %2$s.'=>'','%1$s must be of post type %2$s.'=>'','%1$s must have a valid post ID.'=>'%1$s باید یک شناسه نوشته معتبر داشته باشد.','%s requires a valid attachment ID.'=>'%s به یک شناسه پیوست معتبر نیاز دارد.','Show in REST API'=>'نمایش در REST API','Enable Transparency'=>'فعال کردن شفافیت','RGBA Array'=>'آرایه RGBA ','RGBA String'=>'رشته RGBA ','Hex String'=>'کد هگز RGBA ','Upgrade to PRO'=>'ارتقا به نسخه حرفه ای','post statusActive'=>'فعال','\'%s\' is not a valid email address'=>'نشانی ایمیل %s معتبر نیست','Color value'=>'مقدار رنگ','Select default color'=>'انتخاب رنگ پیشفرض','Clear color'=>'پاک کردن رنگ','Blocks'=>'بلوکها','Options'=>'تنظیمات','Users'=>'کاربران','Menu items'=>'آیتمهای منو','Widgets'=>'ابزارکها','Attachments'=>'پیوستها','Taxonomies'=>'طبقهبندیها','Posts'=>'نوشته ها','Last updated: %s'=>'آخرین بهروزرسانی: %s','Sorry, this post is unavailable for diff comparison.'=>'متاسفیم، این نوشته برای مقایسهی تفاوت در دسترس نیست.','Invalid field group parameter(s).'=>'پارامتر(ها) گروه فیلد نامعتبر است','Awaiting save'=>'در انتظار ذخیره','Saved'=>'ذخیره شده','Import'=>'درونریزی','Review changes'=>'تغییرات مرور شد','Located in: %s'=>'قرار گرفته در: %s','Located in plugin: %s'=>'قرار گرفته در پلاگین: %s','Located in theme: %s'=>'قرار گرفته در قالب: %s','Various'=>'مختلف','Sync changes'=>'همگامسازی تغییرات','Loading diff'=>'بارگذاری تفاوت','Review local JSON changes'=>'بررسی تغییرات JSON محلی','Visit website'=>'بازدید وب سایت','View details'=>'نمایش جزییات','Version %s'=>'نگارش %s','Information'=>'اطلاعات','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'کمک ميز. حرفه ای پشتیبانی در میز کمک ما با بیشتر خود را در عمق کمک, چالش های فنی.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'بحث ها. ما یک جامعه فعال و دوستانه در انجمن های جامعه ما که ممکن است قادر به کمک به شما کشف کردن \'چگونه بازی یا بازی\' از جهان ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'مستندات . مستندات گسترده ما شامل مراجع و راهنماهایی برای اکثر موقعیت هایی است که ممکن است با آن مواجه شوند.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'ما در المنتور فارسی در مورد پشتیبانی متعصب هستیم و می خواهیم شما با ACF بهترین بهره را از وب سایت خود ببرید. اگر به مشکلی برخوردید ، چندین مکان وجود دارد که می توانید کمک کنید:','Help & Support'=>'کمک و پشتیبانی','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'لطفا از زبانه پشتیبانی برای تماس استفاده کنید باید خودتان را پیدا کنید که نیاز به کمک دارد.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'پیشنهاد میکنیم قبل از ایجاد اولین گروه فیلد خود، راهنمای شروع به کار را بخوانید تا با فلسفهی افزونه و بهترین مثالهای آن آشنا شوید.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'افزونه فیلدهای سفارشی پیشرفته، به کمک فیلدهای اضافی و API بصری، یک فرمساز بصری را برای سفارشیکردن صفحات ویرایش وردپرس برای نمایش مقادیر فیلدهای سفارشی در هر پروندهی قالب پوسته فراهم میکند.','Overview'=>'مرور کلی','Location type "%s" is already registered.'=>'نوع مکان "%s" در حال حاضر ثبت شده است.','Class "%s" does not exist.'=>'کلاس "%s" وجود ندارد.','Invalid nonce.'=>'کلید نامعتبر است','Error loading field.'=>'خطا در بارگزاری فیلد','Error: %s'=>'خطا: %s','Widget'=>'ابزارک','User Role'=>'نقش کاربر','Comment'=>'دیدگاه','Post Format'=>'فرمت نوشته','Menu Item'=>'آیتم منو','Post Status'=>'وضعیت نوشته','Menus'=>'منوها','Menu Locations'=>'محل منو','Menu'=>'منو','Post Taxonomy'=>'طبقه بندی نوشته','Child Page (has parent)'=>'برگه زیر مجموعه (دارای مادر)','Parent Page (has children)'=>'برگه مادر (دارای زیر مجموعه)','Top Level Page (no parent)'=>'بالاترین سطح برگه(بدون والد)','Posts Page'=>'برگه ی نوشته ها','Front Page'=>'برگه نخست','Page Type'=>'نوع برگه','Viewing back end'=>'درحال نمایش back end','Viewing front end'=>'درحال نمایش سمت کاربر','Logged in'=>'وارده شده','Current User'=>'کاربر فعلی','Page Template'=>'قالب برگه','Register'=>'ثبت نام','Add / Edit'=>'اضافه کردن/ویرایش','User Form'=>'فرم کاربر','Page Parent'=>'برگه مادر','Super Admin'=>'مدیرکل','Current User Role'=>'نقش کاربرفعلی','Default Template'=>'پوسته پیش فرض','Post Template'=>'قالب نوشته','Post Category'=>'دسته بندی نوشته','All %s formats'=>'همهی فرمتهای %s','Attachment'=>'پیوست','%s value is required'=>'مقدار %s لازم است','Show this field if'=>'نمایش این گروه فیلد اگر','Conditional Logic'=>'منطق شرطی','and'=>'و','Local JSON'=>'JSON های لوکال','Clone Field'=>'فیلد کپی','Please also check all premium add-ons (%s) are updated to the latest version.'=>'همچنین لطفا همه افزونههای پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند.','This version contains improvements to your database and requires an upgrade.'=>'این نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد.','Thank you for updating to %1$s v%2$s!'=>'از شما برای بروزرسانی به %1$s نسخهی %2$s متشکریم!','Database Upgrade Required'=>'به روزرسانی دیتابیس لازم است','Options Page'=>'برگه تنظیمات','Gallery'=>'گالری','Flexible Content'=>'محتوای انعطاف پذیر','Repeater'=>'تکرارکننده','Back to all tools'=>'بازگشت به همه ابزارها','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)'=>'اگر چندین گروه فیلد در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه فیلد استفاده خواهد شد. (یکی با کمترین شماره)','Select items to hide them from the edit screen.'=>'انتخاب آیتم ها برای پنهان کردن آن ها از صفحه ویرایش.','Hide on screen'=>'مخفی کردن در صفحه','Send Trackbacks'=>'ارسال بازتاب ها','Tags'=>'برچسب ها','Categories'=>'دسته ها','Page Attributes'=>'صفات برگه','Format'=>'فرمت','Author'=>'نویسنده','Slug'=>'نامک','Revisions'=>'بازنگری ها','Comments'=>'دیدگاه ها','Discussion'=>'گفتگو','Excerpt'=>'چکیده','Content Editor'=>'ویرایش گر محتوا(ادیتور اصلی)','Permalink'=>'پیوند یکتا','Shown in field group list'=>'نمایش لیست گروه فیلد ','Field groups with a lower order will appear first'=>'گروه ها با شماره ترتیب کمتر اول دیده می شوند','Order No.'=>'شماره ترتیب.','Below fields'=>'زیر فیلد ها','Below labels'=>'برچسبهای زیر','Instruction Placement'=>'قرارگیری دستورالعمل','Label Placement'=>'قرارگیری برچسب','Side'=>'کنار','Normal (after content)'=>'معمولی (بعد از ادیتور متن)','High (after title)'=>'بالا (بعد از عنوان)','Position'=>'موقعیت','Seamless (no metabox)'=>'بدون متاباکس','Standard (WP metabox)'=>'استاندارد (دارای متاباکس)','Style'=>'شیوه نمایش','Type'=>'نوع ','Key'=>'کلید','Order'=>'ترتیب','Close Field'=>'بستن فیلد ','id'=>'شناسه','class'=>'کلاس','width'=>'عرض','Wrapper Attributes'=>'مشخصات پوشش فیلد','Required'=>'ضروری','Instructions'=>'دستورالعمل ها','Field Type'=>'نوع فیلد ','Single word, no spaces. Underscores and dashes allowed'=>'تک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاند','Field Name'=>'نام فیلد ','This is the name which will appear on the EDIT page'=>'این نامی است که در صفحه "ویرایش" نمایش داده خواهد شد','Field Label'=>'برچسب فیلد ','Delete'=>'حذف','Delete field'=>'حذف فیلد','Move'=>'انتقال','Move field to another group'=>'انتقال فیلد به گروه دیگر','Duplicate field'=>'تکثیر فیلد','Edit field'=>'ویرایش فیلد','Drag to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Show this field group if'=>'این گروه فیلد را نمایش بده اگر','No updates available.'=>'بهروزرسانی موجود نیست.','Database upgrade complete. See what\'s new'=>'ارتقای پایگاه داده کامل شد. تغییرات جدید را ببینید','Reading upgrade tasks...'=>'در حال خواندن مراحل به روزرسانی...','Upgrade failed.'=>'ارتقا با خطا مواجه شد.','Upgrade complete.'=>'ارتقا کامل شد.','Upgrading data to version %s'=>'به روز رسانی داده ها به نسحه %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟','Please select at least one site to upgrade.'=>'لطفا حداقل یک سایت برای ارتقا انتخاب کنید.','Database Upgrade complete. Return to network dashboard'=>'به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه','Site is up to date'=>'سایت به روز است','Site requires database upgrade from %1$s to %2$s'=>'سایت نیاز به بروزرسانی پایگاه داده از %1$s به %2$s دارد','Site'=>'سایت','Upgrade Sites'=>'ارتقاء سایت','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید.','Add rule group'=>'افزودن گروه قانون','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینههای سفارشی سفارشی نمایش داده شوند','Rules'=>'قوانین','Copied'=>'کپی شد','Copy to clipboard'=>'درج در حافظه موقت','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'انتخاب گروههای فیلد','No field groups selected'=>'گروه فیلدی انتخاب نشده است','Generate PHP'=>'تولید کد PHP','Export Field Groups'=>'برونریزی گروههای فیلد','Import file empty'=>'فایل وارد شده خالی است','Incorrect file type'=>'نوع فایل صحیح نیست','Error uploading file. Please try again'=>'خطا در آپلود فایل. لطفا مجدد بررسی کنید','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'وارد کردن گروههای فیلد','Sync'=>'هماهنگ','Select %s'=>'انتخاب %s','Duplicate'=>'تکثیر','Duplicate this item'=>'تکثیر این مورد','Supports'=>'','Documentation'=>'مستندات','Description'=>'توضیحات','Sync available'=>'هماهنگ سازی موجود است','Field group synchronized.'=>'','Field group duplicated.'=>'%s گروه زمینه تکثیر شدند.','Active (%s)'=>'فعال (%s)','Review sites & upgrade'=>'بازبینی و بهروزرسانی سایتها','Upgrade Database'=>'بهروزرسانی پایگاه داده','Custom Fields'=>'فیلدهای سفارشی','Move Field'=>'جابجایی فیلد','Please select the destination for this field'=>'مقصد انتقال این فیلد را مشخص کنید','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'انتقال کامل شد.','Active'=>'فعال','Field Keys'=>'کلیدهای فیلد','Settings'=>'تنظیمات','Location'=>'مکان','Null'=>'خالی (null)','copy'=>'کپی','(this field)'=>'(این گزینه)','Checked'=>'انتخاب شده','Move Custom Field'=>'جابجایی فیلد سفارشی','No toggle fields available'=>'هیچ فیلد تغییر وضعیت دهندهای در دسترس نیست','Field group title is required'=>'عنوان گروه فیلد ضروری است','This field cannot be moved until its changes have been saved'=>'این فیلد تا زمانی که تغییراتش ذخیره شود، نمیتواند جابجا شود','The string "field_" may not be used at the start of a field name'=>'کلمه متنی "field_" نباید در ابتدای نام فیلد استفاده شود','Field group draft updated.'=>'پیشنویس گروه فیلد بروز شد.','Field group scheduled for.'=>'گروه فیلد برنامهریزی شده برای.','Field group submitted.'=>'گروه فیلد ثبت شد.','Field group saved.'=>'گروه فیلد ذخیره شد.','Field group published.'=>'گروه فیلد منتشر شد.','Field group deleted.'=>'گروه فیلد حذف شد.','Field group updated.'=>'گروه فیلد بهروز شد.','Tools'=>'ابزارها','is not equal to'=>'برابر نشود با','is equal to'=>'برابر شود با','Forms'=>'فرم ها','Page'=>'برگه','Post'=>'نوشته','Relational'=>'رابطه','Choice'=>'انتخاب','Basic'=>'پایه','Unknown'=>'ناشناخته','Field type does not exist'=>'نوع فیلد وجود ندارد','Spam Detected'=>'اسپم تشخیص داده شد','Post updated'=>'نوشته بروز شد','Update'=>'بروزرسانی','Validate Email'=>'اعتبار سنجی ایمیل','Content'=>'محتوا','Title'=>'عنوان','Edit field group'=>'ویرایش گروه فیلد','Selection is less than'=>'انتخاب کمتر از','Selection is greater than'=>'انتخاب بیشتر از','Value is less than'=>'مقدار کمتر از','Value is greater than'=>'مقدار بیشتر از','Value contains'=>'شامل می شود','Value matches pattern'=>'مقدار الگوی','Value is not equal to'=>'مقدار برابر نیست با','Value is equal to'=>'مقدار برابر است با','Has no value'=>'بدون مقدار','Has any value'=>'هر نوع مقدار','Cancel'=>'لغو','Are you sure?'=>'اطمینان دارید؟','%d fields require attention'=>'%d گزینه نیاز به بررسی دارد','1 field requires attention'=>'یکی از گزینه ها نیاز به بررسی دارد','Validation failed'=>'مشکل در اعتبار سنجی','Validation successful'=>'اعتبار سنجی موفق بود','Restricted'=>'ممنوع','Collapse Details'=>'عدم نمایش جزئیات','Expand Details'=>'نمایش جزئیات','Uploaded to this post'=>'بارگذاری شده در این نوشته','verbUpdate'=>'بروزرسانی','verbEdit'=>'ویرایش','The changes you made will be lost if you navigate away from this page'=>'اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شد','File type must be %s.'=>'نوع فایل باید %s باشد.','or'=>'یا','File size must not exceed %s.'=>'حجم فایل ها نباید از %s بیشتر باشد.','File size must be at least %s.'=>'حجم فایل باید حداقل %s باشد.','Image height must not exceed %dpx.'=>'ارتفاع تصویر نباید از %d پیکسل بیشتر باشد.','Image height must be at least %dpx.'=>'ارتفاع فایل باید حداقل %d پیکسل باشد.','Image width must not exceed %dpx.'=>'عرض تصویر نباید از %d پیکسل بیشتر باشد.','Image width must be at least %dpx.'=>'عرض تصویر باید حداقل %d پیکسل باشد.','(no title)'=>'(بدون عنوان)','Full Size'=>'اندازه کامل','Large'=>'بزرگ','Medium'=>'متوسط','Thumbnail'=>'تصویر بندانگشتی','(no label)'=>'(بدون برچسب)','Sets the textarea height'=>'تعیین ارتفاع باکس متن','Rows'=>'سطرها','Text Area'=>'جعبه متن (متن چند خطی)','Prepend an extra checkbox to toggle all choices'=>'اضافه کردن چک باکس اضافی برای انتخاب همه','Save \'custom\' values to the field\'s choices'=>'ذخیره مقادیر سفارشی در انتخابهای فیلد','Allow \'custom\' values to be added'=>'اجازه درج مقادیر دلخواه','Add new choice'=>'درج انتخاب جدید','Toggle All'=>'انتخاب همه','Allow Archives URLs'=>'اجازه آدرس های آرشیو','Archives'=>'بایگانیها','Page Link'=>'پیوند (لینک) برگه/نوشته','Add'=>'افزودن','Name'=>'نام','%s added'=>'%s اضافه شد','%s already exists'=>'%s هم اکنون موجود است','User unable to add new %s'=>'کاربر قادر به اضافه کردن %s تازه نیست','Term ID'=>'شناسه مورد','Term Object'=>'به صورت آبجکت','Load value from posts terms'=>'خواندن مقادیر از ترم های نوشته','Load Terms'=>'خواندن ترم ها','Connect selected terms to the post'=>'الصاق آیتم های انتخابی به نوشته','Save Terms'=>'ذخیره ترم ها','Allow new terms to be created whilst editing'=>'اجازه به ساخت آیتمها(ترمها) جدید در زمان ویرایش','Create Terms'=>'ساخت آیتم (ترم)','Radio Buttons'=>'دکمههای رادیویی','Single Value'=>'تک مقدار','Multi Select'=>'چندین انتخاب','Checkbox'=>'چک باکس','Multiple Values'=>'چندین مقدار','Select the appearance of this field'=>'ظاهر این فیلد را مشخص کنید','Appearance'=>'ظاهر','Select the taxonomy to be displayed'=>'طبقهبندی را برای برون بری انتخاب کنید','No TermsNo %s'=>'بدون %s','Value must be equal to or lower than %d'=>'مقدار باید کوچکتر یا مساوی %d باشد','Value must be equal to or higher than %d'=>'مقدار باید مساوی یا بیشتر از %d باشد','Value must be a number'=>'مقدار باید عددی باشد','Number'=>'عدد','Save \'other\' values to the field\'s choices'=>'ذخیره مقادیر دیگر در انتخابهای فیلد','Add \'other\' choice to allow for custom values'=>'افزودن گزینه \'دیگر\' برای ثبت مقادیر دلخواه','Other'=>'دیگر','Radio Button'=>'دکمه رادیویی','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود.','Allow this accordion to open without closing others.'=>'اجازه دهید این آکوردئون بدون بستن دیگر آکاردئونها باز شود.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'نمایش آکوردئون این به عنوان باز در بارگذاری صفحات.','Open'=>'باز','Accordion'=>'آکاردئونی','Restrict which files can be uploaded'=>'محدودیت در آپلود فایل ها','File ID'=>'شناسه پرونده','File URL'=>'آدرس پرونده','File Array'=>'آرایه فایل','Add File'=>'افزودن پرونده','No file selected'=>'هیچ پرونده ای انتخاب نشده','File name'=>'نام فایل','Update File'=>'بروزرسانی پرونده','Edit File'=>'ویرایش پرونده','Select File'=>'انتخاب پرونده','File'=>'پرونده','Password'=>'رمزعبور','Specify the value returned'=>'مقدار بازگشتی را انتخاب کنید','Use AJAX to lazy load choices?'=>'از ایجکس برای خواندن گزینه های استفاده شود؟','Enter each default value on a new line'=>'هر مقدار پیش فرض را در یک خط جدید وارد کنید','verbSelect'=>'انتخاب','Select2 JS load_failLoading failed'=>'خطا در فراخوانی داده ها','Select2 JS searchingSearching…'=>'جستجو …','Select2 JS load_moreLoading more results…'=>'بارگذاری نتایج بیشتر…','Select2 JS selection_too_long_nYou can only select %d items'=>'شما فقط می توانید %d مورد را انتخاب کنید','Select2 JS selection_too_long_1You can only select 1 item'=>'فقط می توانید یک آیتم را انتخاب کنید','Select2 JS input_too_long_nPlease delete %d characters'=>'لطفا %d کاراکتر را حذف کنید','Select2 JS input_too_long_1Please delete 1 character'=>'یک حرف را حذف کنید','Select2 JS input_too_short_nPlease enter %d or more characters'=>'لطفا %d یا چند کاراکتر دیگر وارد کنید','Select2 JS input_too_short_1Please enter 1 or more characters'=>'یک یا چند حرف وارد کنید','Select2 JS matches_0No matches found'=>'مشابهی یافت نشد','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید.','Select2 JS matches_1One result is available, press enter to select it.'=>'یک نتیجه موجود است برای انتخاب اینتر را فشار دهید.','nounSelect'=>'انتخاب','User ID'=>'شناسه کاربر','User Object'=>'آبجکت کاربر','User Array'=>'آرایه کاربر','All user roles'=>'تمام نقش های کاربر','Filter by Role'=>'','User'=>'کاربر','Separator'=>'جداکننده','Select Color'=>'رنگ را انتخاب کنید','Default'=>'پیش فرض','Clear'=>'پاکسازی','Color Picker'=>'انتخاب کننده رنگ','Date Time Picker JS pmTextShortP'=>'عصر','Date Time Picker JS pmTextPM'=>'عصر','Date Time Picker JS amTextShortA'=>'صبح','Date Time Picker JS amTextAM'=>'صبح','Date Time Picker JS selectTextSelect'=>'انتخاب','Date Time Picker JS closeTextDone'=>'انجام شد','Date Time Picker JS currentTextNow'=>'اکنون','Date Time Picker JS timezoneTextTime Zone'=>'منطقه زمانی','Date Time Picker JS microsecTextMicrosecond'=>'میکرو ثانیه','Date Time Picker JS millisecTextMillisecond'=>'میلی ثانیه','Date Time Picker JS secondTextSecond'=>'ثانیه','Date Time Picker JS minuteTextMinute'=>'دقیقه','Date Time Picker JS hourTextHour'=>'ساعت','Date Time Picker JS timeTextTime'=>'زمان','Date Time Picker JS timeOnlyTitleChoose Time'=>'انتخاب زمان','Date Time Picker'=>'انتخاب کننده زمان و تاریخ','Endpoint'=>'نقطه پایانی','Left aligned'=>'سمت چپ','Top aligned'=>'سمت بالا','Placement'=>'جانمایی','Tab'=>'تب','Value must be a valid URL'=>'مقدار باید یک آدرس صحیح باشد','Link URL'=>'آدرس لینک','Link Array'=>'آرایه لینک','Opens in a new window/tab'=>'در پنجره جدید باز شود','Select Link'=>'انتخاب لینک','Link'=>'لینک','Email'=>'پست الکترونیکی','Step Size'=>'اندازه مرحله','Maximum Value'=>'حداکثر مقدار','Minimum Value'=>'حداقل مقدار','Range'=>'محدوده','Both (Array)'=>'هر دو (آرایه)','Label'=>'برچسب فیلد','Value'=>'مقدار','Vertical'=>'عمودی','Horizontal'=>'افقی','red : Red'=>'red : قرمز','For more control, you may specify both a value and label like this:'=>'برای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:','Enter each choice on a new line.'=>'هر انتخاب را در یک خط جدید وارد کنید.','Choices'=>'انتخاب ها','Button Group'=>'گروه دکمهها','Allow Null'=>'اجازه دادن به «خالی»','Parent'=>'مادر','TinyMCE will not be initialized until field is clicked'=>'تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'نوار ابزار','Text Only'=>'فقط متن','Visual Only'=>'فقط بصری','Visual & Text'=>'بصری و متنی','Tabs'=>'تب ها','Click to initialize TinyMCE'=>'برای اجرای TinyMCE کلیک کنید','Name for the Text editor tab (formerly HTML)Text'=>'متن','Visual'=>'بصری','Value must not exceed %d characters'=>'مقدار نباید از %d کاراکتر بیشتر شود','Leave blank for no limit'=>'برای نامحدود بودن این بخش را خالی بگذارید','Character Limit'=>'محدودیت کاراکتر','Appears after the input'=>'بعد از ورودی نمایش داده می شود','Append'=>'پسوند','Appears before the input'=>'قبل از ورودی نمایش داده می شود','Prepend'=>'پیشوند','Appears within the input'=>'در داخل ورودی نمایش داده می شود','Placeholder Text'=>'نگهدارنده مکان متن','Appears when creating a new post'=>'هنگام ایجاد یک نوشته جدید نمایش داده می شود','Text'=>'متن','%1$s requires at least %2$s selection'=>'','Post ID'=>'شناسه نوشته','Post Object'=>'آبجکت یک نوشته','Maximum Posts'=>'حداکثر نوشتهها','Minimum Posts'=>'حداقل نوشتهها','Featured Image'=>'تصویر شاخص','Selected elements will be displayed in each result'=>'عناصر انتخاب شده در هر نتیجه نمایش داده خواهند شد','Elements'=>'عناصر','Taxonomy'=>'طبقه بندی','Post Type'=>'نوع نوشته','Filters'=>'فیلترها','All taxonomies'=>'تمام طبقه بندی ها','Filter by Taxonomy'=>'فیلتر با طبقه بندی','All post types'=>'تمام انواع نوشته','Filter by Post Type'=>'فیلتر با نوع نوشته','Search...'=>'جستجو . . .','Select taxonomy'=>'انتخاب طبقه بندی','Select post type'=>'انتحاب نوع نوشته','No matches found'=>'مطابقتی یافت نشد','Loading'=>'درحال خواندن','Maximum values reached ( {max} values )'=>'مقادیر به حداکثر رسیده اند ( {max} آیتم )','Relationship'=>'ارتباط','Comma separated list. Leave blank for all types'=>'با کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذارید','Allowed File Types'=>'نوع پروندههای مجاز','Maximum'=>'بیشترین','File size'=>'اندازه فایل','Restrict which images can be uploaded'=>'محدودیت در آپلود تصاویر','Minimum'=>'کمترین','Uploaded to post'=>'بارگذاری شده در نوشته','All'=>'همه','Limit the media library choice'=>'محدود کردن انتخاب کتابخانه چندرسانه ای','Library'=>'کتابخانه','Preview Size'=>'اندازه پیش نمایش','Image ID'=>'شناسه تصویر','Image URL'=>'آدرس تصویر','Image Array'=>'آرایه تصاویر','Specify the returned value on front end'=>'مقدار برگشتی در نمایش نهایی را تعیین کنید','Return Value'=>'مقدار بازگشت','Add Image'=>'افزودن تصویر','No image selected'=>'هیچ تصویری انتخاب نشده','Remove'=>'حذف','Edit'=>'ویرایش','All images'=>'تمام تصاویر','Update Image'=>'بروزرسانی تصویر','Edit Image'=>'ویرایش تصویر','Select Image'=>'انتخاب تصویر','Image'=>'تصویر','Allow HTML markup to display as visible text instead of rendering'=>'اجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنها','Escape HTML'=>'حذف HTML','No Formatting'=>'بدون قالب بندی','Automatically add <br>'=>'اضافه کردن خودکار <br>','Automatically add paragraphs'=>'پاراگراف ها خودکار اضافه شوند','Controls how new lines are rendered'=>'تنظیم کنید که خطوط جدید چگونه نمایش داده شوند','New Lines'=>'خطوط جدید','Week Starts On'=>'اولین روز هفته','The format used when saving a value'=>'قالب استفاده در زمان ذخیره مقدار','Save Format'=>'ذخیره قالب','Date Picker JS weekHeaderWk'=>'هفته','Date Picker JS prevTextPrev'=>'قبلی','Date Picker JS nextTextNext'=>'بعدی','Date Picker JS currentTextToday'=>'امروز','Date Picker JS closeTextDone'=>'انجام شد','Date Picker'=>'تاریخ','Width'=>'عرض','Embed Size'=>'اندازه جانمایی','Enter URL'=>'آدرس را وارد کنید','oEmbed'=>'oEmbed','Text shown when inactive'=>'نمایش متن در زمان غیر فعال بودن','Off Text'=>'بدون متن','Text shown when active'=>'نمایش متن در زمان فعال بودن','On Text'=>'با متن','Stylized UI'=>'','Default Value'=>'مقدار پیش فرض','Displays text alongside the checkbox'=>'نمایش متن همراه انتخاب','Message'=>'پیام','No'=>'خیر','Yes'=>'بله','True / False'=>'صحیح / غلط','Row'=>'سطر','Table'=>'جدول','Block'=>'بلوک','Specify the style used to render the selected fields'=>'استایل جهت نمایش فیلد انتخابی','Layout'=>'چیدمان','Sub Fields'=>'فیلدهای زیرمجموعه','Group'=>'گروه','Customize the map height'=>'سفارشی سازی ارتفاع نقشه','Height'=>'ارتفاع','Set the initial zoom level'=>'تعین مقدار بزرگنمایی اولیه','Zoom'=>'بزرگنمایی','Center the initial map'=>'نقشه اولیه را وسط قرار بده','Center'=>'مرکز','Search for address...'=>'جستجو برای آدرس . . .','Find current location'=>'پیدا کردن مکان فعلی','Clear location'=>'حذف مکان','Search'=>'جستجو','Sorry, this browser does not support geolocation'=>'با عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کند','Google Map'=>'نقشه گوگل','The format returned via template functions'=>'قالب توسط توابع پوسته نمایش داده خواهد شد','Return Format'=>'فرمت بازگشت','Custom:'=>'دلخواه:','The format displayed when editing a post'=>'قالب در زمان نمایش نوشته دیده خواهد شد','Display Format'=>'فرمت نمایش','Time Picker'=>'انتخاب زمان','Inactive (%s)'=>'','No Fields found in Trash'=>'گروه فیلدی در زبالهدان یافت نشد','No Fields found'=>'گروه فیلدی یافت نشد','Search Fields'=>'جستجوی فیلدها','View Field'=>'مشاهده فیلد','New Field'=>'فیلد تازه','Edit Field'=>'ویرایش فیلد','Add New Field'=>'افزودن فیلد تازه','Field'=>'فیلد','Fields'=>'فیلدها','No Field Groups found in Trash'=>'گروه فیلدی در زبالهدان یافت نشد','No Field Groups found'=>'گروه فیلدی یافت نشد','Search Field Groups'=>'جستجوی گروههای فیلد','View Field Group'=>'مشاهدهی گروه فیلد','New Field Group'=>'گروه فیلد تازه','Edit Field Group'=>'ویرایش گروه فیلد','Add New Field Group'=>'افزودن گروه فیلد تازه','Add New'=>'افزودن','Field Group'=>'گروه فیلد','Field Groups'=>'گروههای فیلد','Customize WordPress with powerful, professional and intuitive fields.'=>'وردپرس را با فیلدهای حرفهای و قدرتمند سفارشی کنید.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'فیلدهای سفارشی پیشرفته','Advanced Custom Fields PRO'=>'زمینههای سفارشی پیشرفته نسخه حرفه ای','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'حالت ویرایش','Switch to Preview'=>'حالت پیشنمایش','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'تنظیمات به روز شدند','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'بررسی دوباره','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'انتشار','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'هیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. ساخت گروه زمینه دلخواه','Error. Could not connect to update server'=>'خطا. امکان اتصال به سرور به روزرسانی الان ممکن نیست','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'خطا. پکیج بروزرسانی اعتبارسنجی نشد. دوباره بررسی کنید یا لایسنس ACF PRO را غیرفعال و مجددا فعال کنید.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'انتخاب فیلد دیگری برای کپی','Display'=>'نمایش','Specify the style used to render the clone field'=>'مشخص کردن استایل مورد نظر در نمایش دسته فیلدها','Group (displays selected fields in a group within this field)'=>'گروه ها(نمایش فیلدهای انتخابی در یک گروه با این فیلد)','Seamless (replaces this field with selected fields)'=>'بدون مانند (جایگزینی این فیلد با فیلدهای انتخابی)','Labels will be displayed as %s'=>'برچسب ها نمایش داده شوند به صورت %s','Prefix Field Labels'=>'پیشوند پرچسب فیلدها','Values will be saved as %s'=>'مقادیر ذخیره خواهند شد به صورت %s','Prefix Field Names'=>'پیشوند نام فایل ها','Unknown field'=>'فیلد ناشناس','Unknown field group'=>'گروه ناشناس','All fields from %s field group'=>'تمام فیلدها از %s گروه فیلد','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'سطر جدید','layout'=>'طرحها' . "\0" . 'طرح','layouts'=>'طرح ها','This field requires at least {min} {label} {identifier}'=>'این زمینه لازم دارد {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'این گزینه محدود است به {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} موجود است (حداکثر {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} لازم دارد (حداقل {min})','Flexible Content requires at least 1 layout'=>'زمینه محتوای انعطاف پذیر حداقل به یک طرح نیاز دارد','Click the "%s" button below to start creating your layout'=>'روی دکمه "%s" دز زیر کلیک کنید تا چیدمان خود را بسازید','Add layout'=>'طرح جدید','Duplicate layout'=>'','Remove layout'=>'حذف طرح','Click to toggle'=>'کلیک برای انتخاب','Delete Layout'=>'حذف طرح','Duplicate Layout'=>'تکثیر طرح','Add New Layout'=>'افزودن طرح جدید','Add Layout'=>'طرح جدید','Min'=>'حداقل','Max'=>'حداکثر','Minimum Layouts'=>'حداقل تعداد طرح ها','Maximum Layouts'=>'حداکثر تعداد طرح ها','Button Label'=>'متن دکمه','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'افزودن تصویر به گالری','Maximum selection reached'=>'بیشترین حد انتخاب شده است','Length'=>'طول','Caption'=>'متن','Alt Text'=>'متن جایگزین','Add to gallery'=>'اضافه به گالری','Bulk actions'=>'کارهای گروهی','Sort by date uploaded'=>'به ترتیب تاریخ آپلود','Sort by date modified'=>'به ترتیب تاریخ اعمال تغییرات','Sort by title'=>'به ترتیب عنوان','Reverse current order'=>'معکوس سازی ترتیب کنونی','Close'=>'بستن','Minimum Selection'=>'حداقل انتخاب','Maximum Selection'=>'حداکثر انتخاب','Allowed file types'=>'انواع مجاز فایل','Insert'=>'درج','Specify where new attachments are added'=>'مشخص کنید که پیوست ها کجا اضافه شوند','Append to the end'=>'افزودن به انتها','Prepend to the beginning'=>'افزودن قبل از','Minimum rows not reached ({min} rows)'=>'مقادیر به حداکثر رسیده اند ( {min} سطر )','Maximum rows reached ({max} rows)'=>'مقادیر به حداکثر رسیده اند ( {max} سطر )','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'حداقل تعداد سطرها','Maximum Rows'=>'حداکثر تعداد سطرها','Collapsed'=>'جمع شده','Select a sub field to show when row is collapsed'=>'یک زمینه زیرمجموعه را انتخاب کنید تا زمان بسته شدن طر نمایش داده شود','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'گرفتن و کشیدن برای مرتب سازی','Add row'=>'افزودن سطر','Duplicate row'=>'','Remove row'=>'حذف سطر','Current Page'=>'','First Page'=>'برگه نخست','Previous Page'=>'برگه ی نوشته ها','paging%1$s of %2$s'=>'','Next Page'=>'برگه نخست','Last Page'=>'برگه ی نوشته ها','No block types exist'=>'','No options pages exist'=>'هیچ صفحه تنظیماتی یافت نشد','Deactivate License'=>'غیرفعال سازی لایسنس','Activate License'=>'فعال سازی لایسنس','License Information'=>'اطلاعات لایسنس','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'برای به روزرسانی لطفا کد لایسنس را وارد کنید. قیمت ها.','License Key'=>'کلید لایسنس','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'اطلاعات به روز رسانی','Current Version'=>'نسخه فعلی','Latest Version'=>'آخرین نسخه','Update Available'=>'بروزرسانی موجود است','Upgrade Notice'=>'نکات به روزرسانی','Check For Updates'=>'','Enter your license key to unlock updates'=>'برای فعالسازی به روزرسانی لایسنس خود را بنویسید','Update Plugin'=>'بروزرسانی افزونه','Please reactivate your license to unlock updates'=>''],'language'=>'fa_IR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fa_IR.mo b/lang/acf-fa_IR.mo
index 9425238..30f66d4 100644
Binary files a/lang/acf-fa_IR.mo and b/lang/acf-fa_IR.mo differ
diff --git a/lang/acf-fa_IR.po b/lang/acf-fa_IR.po
index 7e23c6a..8a91638 100644
--- a/lang/acf-fa_IR.po
+++ b/lang/acf-fa_IR.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: fa_IR\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr "افزودن فیلدها"
msgid "This Field"
msgstr "این فیلد"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF حرفهای"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "بازخورد"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "پشتیبانی"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "توسعهداده و نگهداریشده توسط"
@@ -4394,7 +4410,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4719,7 +4735,7 @@ msgstr "فعال کردن این مورد"
msgid "Move field group to trash?"
msgstr "انتقال گروه فیلد به زبالهدان؟"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4732,7 +4748,7 @@ msgstr "غیرفعال"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4741,7 +4757,7 @@ msgstr ""
"همزمان فعال باشند. ما به طور خودکار افزونه فیلدهای سفارشی پیشرفته را غیرفعال "
"کردیم."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5186,7 +5202,7 @@ msgstr "همهی فرمتهای %s"
msgid "Attachment"
msgstr "پیوست"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "مقدار %s لازم است"
@@ -5665,7 +5681,7 @@ msgstr "تکثیر این مورد"
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "مستندات"
@@ -5959,8 +5975,8 @@ msgstr "%d گزینه نیاز به بررسی دارد"
msgid "1 field requires attention"
msgstr "یکی از گزینه ها نیاز به بررسی دارد"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "مشکل در اعتبار سنجی"
@@ -7335,89 +7351,89 @@ msgid "Time Picker"
msgstr "انتخاب زمان"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] ""
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "گروه فیلدی در زبالهدان یافت نشد"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "گروه فیلدی یافت نشد"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "جستجوی فیلدها"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "مشاهده فیلد"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "فیلد تازه"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "ویرایش فیلد"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "افزودن فیلد تازه"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "فیلد"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "فیلدها"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "گروه فیلدی در زبالهدان یافت نشد"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "گروه فیلدی یافت نشد"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "جستجوی گروههای فیلد"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "مشاهدهی گروه فیلد"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "گروه فیلد تازه"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "ویرایش گروه فیلد"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "افزودن گروه فیلد تازه"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "افزودن"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "گروه فیلد"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-fi.l10n.php b/lang/acf-fi.l10n.php
index 1774a04..fbfb47e 100644
--- a/lang/acf-fi.l10n.php
+++ b/lang/acf-fi.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'fi','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Renew ACF PRO License'=>'Uusi ACF PRO -lisenssi','Renew License'=>'Uusi lisenssi','Manage License'=>'Hallinnoi lisenssiä','\'High\' position not supported in the Block Editor'=>'\'Korkeaa\' sijoittelua ei tueta lohkoeditorissa.','Upgrade to ACF PRO'=>'Päivitä ACF PRO -versioon','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF asetussivut ovat mukautettuja pääkäyttäjäsivuja yleisten asetusten muuttamiseksi kenttien avulla. Voit luoda useita sivuja ja alisivuja.','Add Options Page'=>'Lisää Asetukset-sivu','In the editor used as the placeholder of the title.'=>'Käytetään editorissa otsikon paikanvaraajana.','Title Placeholder'=>'Otsikon paikanvaraaja','4 Months Free'=>'4 kuukautta maksutta','Select Options Pages'=>'Valitse asetussivut','Duplicate taxonomy'=>'Monista taksonomia','Create taxonomy'=>'Luo taksonomia','Duplicate post type'=>'Monista sisältötyyppi','Create post type'=>'Luo sisältötyyppi','Link field groups'=>'Linkitä kenttäryhmä','Add fields'=>'Lisää kenttiä','This Field'=>'Tämä kenttä','ACF PRO'=>'ACF PRO','Feedback'=>'Palaute','Support'=>'Tuki','is developed and maintained by'=>'kehittää ja ylläpitää','Add this %s to the location rules of the selected field groups.'=>'Aseta tämä %s valittujen kenttäryhmien sijaintiasetuksiin.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Kaksisuuntaisen asetuksen kytkeminen sallii sinun päivittää kohdekenttien arvon jokaiselle tässä kentässä valitulle arvolle, lisäten tai poistaen päivitettävän artikkelin, taksonomian tai käyttäjän ID tunnisteen. Tarkemmat tiedot luettavissa dokumentaatiossa.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Valitse kenttä (kentät) johon tallennetaan viite takaisin päivitettävään kohteeseen. Voit valita tämän kentän. Kohdekenttien tulee olla yhteensopivia kentän esityspaikan kanssa. Esimerkiksi jos tämä kenttä esitetään taksonomian yhteydessä, kentän tulee olla taksonomia-tyyppiä','Target Field'=>'Kohdekenttä','Update a field on the selected values, referencing back to this ID'=>'Päivitä valittujen arvojen kenttä viittaamalla takaisin tähän tunnisteeseen','Bidirectional'=>'Kaksisuuntainen','%s Field'=>'%s kenttä','Select Multiple'=>'Valitse useita','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Vain pieniä kirjaimia, alaviivoja sekä väliviivoja. Enimmillään 32 merkkiä.','The capability name for assigning terms of this taxonomy.'=>'Käyttöoikeuden nimi termien lisäämiseksi tähän taksonomiaan.','Assign Terms Capability'=>'Määritä termien käyttöoikeus','The capability name for deleting terms of this taxonomy.'=>'Käyttöoikeuden nimi termien poistamiseksi tästä taksonomiasta.','Delete Terms Capability'=>'Poista termin käyttöoikeus','The capability name for editing terms of this taxonomy.'=>'Käyttöoikeuden nimi taksonomian termien muokkaamiseksi.','Edit Terms Capability'=>'Muokkaa termin käyttöoikeutta','The capability name for managing terms of this taxonomy.'=>'Käyttöoikeuden nimi taksonomian termien hallinnoimiseksi.','Manage Terms Capability'=>'Hallitse termin käyttöoikeutta','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Määrittää piilotetaanko artikkelit hakutuloksista ja taksonomian arkistosivuilta.','More Tools from WP Engine'=>'Lisää työkaluja WP Engineltä','Built for those that build with WordPress, by the team at %s'=>'Tehty niille jotka tekevät WordPressillä, %s tiimin toimesta','View Pricing & Upgrade'=>'Näytä hinnoittelu & päivitä','Learn More'=>'Lue lisää','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Nopeuta työnkulkuasi ja kehitä parempia verkkosivustoja ominaisuuksilla kuten ACF lohkot ja asetussivut, sekä kehittyneillä kenttätyypeillä kuten toistin, joustava sisältö, kloonaus sekä galleria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Avaa lisäominaisuudet ja luo vielä enemmän ACF PRO:n avulla','%s fields'=>'%s kentät','No terms'=>'Ei termejä','No post types'=>'Ei sisältötyyppejä','No posts'=>'Ei artikkeleita','No taxonomies'=>'Ei taksonomioita','No field groups'=>'Ei kenttäryhmiä','No fields'=>'Ei kenttiä','No description'=>'Ei kuvausta','Any post status'=>'Mikä tahansa artikkelin tila','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Tämän taksonomian avain on jo käytössä toisella taksonomialla ACF:n ulkopuolella, eikä sitä voida käyttää.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Tämän taksonomian avain on jo käytössä toisella taksonomialla ACF:ssä, eikä sitä voida käyttää.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Taksonomian avaimen tulee sisältää ainoastaan pieniä kirjaimia, numeroita, alaviivoja tai väliviivoja.','The taxonomy key must be under 32 characters.'=>'Taksonomian avaimen tulee olla alle 20 merkkiä pitkä.','No Taxonomies found in Trash'=>'Roskakorista ei löytynyt taksonomioita','No Taxonomies found'=>'Taksonomioita ei löytynyt','Search Taxonomies'=>'Hae taksonomioita','View Taxonomy'=>'Näytä taksonomia','New Taxonomy'=>'Uusi taksonomia','Edit Taxonomy'=>'Muokkaa taksonomiaa','Add New Taxonomy'=>'Luo uusi taksonomia','No Post Types found in Trash'=>'Ei sisältötyyppejä roskakorissa','No Post Types found'=>'Sisältötyyppejä ei löytynyt','Search Post Types'=>'Etsi sisältötyyppejä','View Post Type'=>'Näytä sisältötyyppi','New Post Type'=>'Uusi sisältötyyppi','Edit Post Type'=>'Muokkaa sisältötyyppiä','Add New Post Type'=>'Lisää uusi sisältötyyppi','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Tämä sisältötyyppi on jo käytössä sisältötyypillä joka on rekisteröity ACF ulkopuolella, eikä sitä voida käyttää.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Tämä sisältötyyppi on jo käytössä sisältötyypillä ACF:ssä, eikä sitä voida käyttää.','This field must not be a WordPress reserved term.'=>'Tämän kentän ei tule olla WordPressin varattu termi.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Sisältötyypin avaimen tulee sisältää vain pieniä kirjaimia, numeroita, alaviivoja ja väliviivoja.','The post type key must be under 20 characters.'=>'Sisältötyypin avaimen tulee olla alle 20 merkkiä pitkä.','We do not recommend using this field in ACF Blocks.'=>'Emme suosittele tämän kentän käyttämistä ACF-lohkoissa.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Näyttää WordPress WYSIWYG -editorin kuten artikkeleissa ja sivuilla, mahdollistaen monipuolisemman tekstin muokkauskokemuksen, joka mahdollistaa myös multimediasisällön.','WYSIWYG Editor'=>'WYSIWYG-editori','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Sallii yhden tai useamman käyttäjän valitsemisen tieto-objektien välisten suhteiden luomiseksi.','A text input specifically designed for storing web addresses.'=>'Tekstikenttä erityisesti verkko-osoitteiden tallentamiseksi.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Kytkin joka sallii 1 tai 0 arvon valitsemisen (päälle tai pois, tosi tai epätosi, jne.). Voidaan esittää tyyliteltynä kytkimenä tai valintaruutuna.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktiivinen käyttölittymä ajan valitsemiseen. Aikamuotoa voidaan muokata kentän asetuksissa.','A basic textarea input for storing paragraphs of text.'=>'Yksinkertainen tekstialue tekstikappaleiden tallentamiseen.','A basic text input, useful for storing single string values.'=>'Yksinkertainen tekstikenttä, hyödyllinen yksittäisten merkkijonojen arvojen tallentamiseen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Mahdollistaa yhden tai useamman taksonomiatermin valitsemisen kentän asetuksissa asetettujen kriteerien ja asetusten perusteella.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Mahdollistaa kenttien ryhmittelemisen välilehdillä erotettuihin osioihin muokkausnäkymässä. Hyödyllinen kenttien pitämiseen järjestyksessä ja jäsenneltynä.','A dropdown list with a selection of choices that you specify.'=>'Pudotusvalikko joka listaa määrittelemäsi vaihtoehdot.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Kenttä numeroarvon valitsemiseksi määritetyllä asteikolla hyödyntäen liukuvalitsinelementtiä.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Ryhmä valintanappisyötteitä, joiden avulla käyttäjä voi tehdä yksittäisen valinnan määrittämistäsi arvoista.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktiivinen ja mukautettava käyttöliittymä yhden tai useamman artikkelin, sivun tai artikkelityyppikohteen valitsemiseksi, hakumahdollisuudella. ','An input for providing a password using a masked field.'=>'Kenttä salasanan antamiseen peitetyn kentän avulla.','Filter by Post Status'=>'Suodata artikkelin tilan mukaan','An input limited to numerical values.'=>'Numeroarvoihin rajoitettu kenttä.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Käytetään viestin esittämiseksi muiden kenttien rinnalla. Kätevä lisäkontekstin tai -ohjeiden tarjoamiseen kenttien ympärillä.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Sallii linkin ja sen ominaisuuksien, kuten otsikon ja kohteen, määrittämisen hyödyntäen WordPressin omaa linkinvalitsinta.','Uses the native WordPress media picker to upload, or choose images.'=>'Käyttää WordPressin omaa mediavalitsinta kuvien lisäämisen tai valitsemiseen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Antaa tavan jäsentää kenttiä ryhmiin tietojen ja muokkausnäkymän järjestämiseksi paremmin.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktiivinen käyttöliittymä sijainnin lisäämiseksi Google Maps:in avulla. Vaatii Google Maps API -avaimen sekä lisämäärityksiä näkyäkseen oikein.','Uses the native WordPress media picker to upload, or choose files.'=>'Käyttää WordPressin omaa mediavalitsinta tiedostojen lisäämiseen ja valitsemiseen.','A text input specifically designed for storing email addresses.'=>'Tekstikenttä erityisesti sähköpostiosoitteiden tallentamiseksi.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktiivinen käyttöliittymä päivämäärän ja kellonajan valitsemiseen. Päivämäärän palautusmuotoa voidaan muokata kentän asetuksissa.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktiivinen käyttöliittymä päivämäärän valitsemiseen. Päivämäärän palautusmuotoa voidaan muokata kentän asetuksissa.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktiivinen käyttöliittymä värin valitsemiseksi, tai hex-arvon määrittämiseksi.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Joukko valintaruutuja jotka sallivat käyttäjän valita yhden tai useamman määrittämistäsi arvoista.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Joukko painikkeita joiden arvot määrität. Käyttäjät voivat valita yhden määrittämistäsi arvoista.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Mahdollistaa lisäkenttien järjestelemisen suljettaviin paneeleihin jotka esitetään sisällön muokkaamisen yhteydessä. Kätevä suurten tietojoukkojen siistinä pitämiseen.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Tarjoaa ratkaisun toistuvan sisällön kuten diojen, tiimin jäsenten, tai toimintakehotekorttien toistamiseen. Toimii ylätasona alakentille, jotka voidaan toistaa uudestaan ja uudestaan.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Tarjoaa interaktiivisen käyttöliittymän liitekokoelman hallintaan. Useimmat asetukset ovat samanlaisia kuin kuvakenttätyypillä. Lisäasetukset mahdollistavat uusien liitteiden sijoituspaikan määrittämiseen galleriassa, sekä sallitun minimi- ja maksimiliitemäärien asettamiseksi.','nounClone'=>'Klooni','Updates'=>'Päivitykset','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Lisäosien Advanced Custom Fields ja Advanced Custom Fields PRO ei pitäisi olla käytössä yhtäaikaa. Suljimme Advanced Custom Fields PRO -lisäosan automaattisesti.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Lisäosien Advanced Custom Fields ja Advanced Custom Fields PRO ei pitäisi olla käytössä yhtäaikaa. Suljimme Advanced Custom Fields -lisäosan automaattisesti.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Olemme havainneet yhden tai useamman kutsun ACF-kenttäarvojen noutamiseksi ennen ACF:n alustamista. Tätä ei tueta ja se voi johtaa väärin muotoiltuihin tai puuttuviin tietoihin. Lue lisää tämän korjaamisesta.','%1$s must have a user with the %2$s role.'=>'%1$s:lla pitää olla käyttäjä roolilla %2$s.' . "\0" . '%1$s:lla pitää olla käyttäjä jollakin näistä rooleista: %2$s','%1$s must have a valid user ID.'=>'%1$s:lla on oltava kelvollinen käyttäjätunnus.','Invalid request.'=>'Virheellinen pyyntö.','%1$s is not one of %2$s'=>'%1$s ei ole yksi näistä: %2$s','%1$s must have term %2$s.'=>'%1$s:lla pitää olla termi %2$s.' . "\0" . '%1$s:lla pitää olla jokin seuraavista termeistä: %2$s','%1$s must be of post type %2$s.'=>'%1$s pitää olla artikkelityyppiä %2$s.' . "\0" . '%1$s pitää olla joku seuraavista artikkelityypeistä: %2$s','%1$s must have a valid post ID.'=>'%1$s:lla on oltava kelvollinen artikkelitunnus (post ID).','%s requires a valid attachment ID.'=>'%s edellyttää kelvollista liitetunnusta (ID).','Show in REST API'=>'Näytä REST API:ssa','Enable Transparency'=>'Ota läpinäkyvyys käyttöön','RGBA Array'=>'RGBA-taulukko','RGBA String'=>'RGBA-merkkijono','Hex String'=>'Heksamerkkijono','Upgrade to PRO'=>'Päivitä Pro-versioon','post statusActive'=>'Käytössä','\'%s\' is not a valid email address'=>'\'%s\' ei ole kelvollinen sähköpostiosoite','Color value'=>'Väriarvo','Select default color'=>'Valitse oletusväri','Clear color'=>'Tyhjennä väri','Blocks'=>'Lohkot','Options'=>'Asetukset','Users'=>'Käyttäjät','Menu items'=>'Valikkokohteet','Widgets'=>'Vimpaimet','Attachments'=>'Liitteet','Taxonomies'=>'Taksonomiat','Posts'=>'Artikkelit','Last updated: %s'=>'Päivitetty viimeksi: %s','Sorry, this post is unavailable for diff comparison.'=>'Tämä kenttäryhmä ei valitettavasti ole käytettävissä diff-vertailua varten.','Invalid field group parameter(s).'=>'Virheelliset kenttäryhmän parametrit.','Awaiting save'=>'Odottaa tallentamista','Saved'=>'Tallennettu','Import'=>'Tuo','Review changes'=>'Tarkista muutokset','Located in: %s'=>'Sijaitsee: %s','Located in plugin: %s'=>'Lisäosalla: %s','Located in theme: %s'=>'Teemalla: %s','Various'=>'Sekalaisia','Sync changes'=>'Synkronoi muutokset','Loading diff'=>'Ladataan diff','Review local JSON changes'=>'Tarkista paikalliset JSON-muutokset','Visit website'=>'Siirry verkkosivuille','View details'=>'Näytä tarkemmat tiedot','Version %s'=>'Versio %s','Information'=>'Tiedot','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Tukipalvelu. Tukipalvelumme ammattilaiset auttavat syvällisemmissä teknisissä haasteissasi.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Keskustelut. Yhteisöfoorumeillamme on aktiivinen ja ystävällinen yhteisö, joka voi ehkä auttaa sinua selvittämään ACF-maailman ihmeellisyyksiä.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentaatio. Laaja dokumentaatiomme sisältää viittauksia ja oppaita useimpiin kohtaamiisi tilanteisiin.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Olemme fanaattisia tuen suhteen ja haluamme, että saat kaiken mahdollisen irti verkkosivustostasi ACF:n avulla. Jos kohtaat ongelmia, apua löytyy useista paikoista:','Help & Support'=>'Ohjeet & tukipalvelut','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Ota yhteyttä Ohjeet & tukipalvelut -välilehdessä, jos huomaat tarvitsevasi apua.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Ennen kuin luot ensimmäisen kenttäryhmäsi, suosittelemme lukemaan aloitusoppaamme, jossa tutustutaan lisäosan filosofiaan ja parhaisiin käytäntöihin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields -lisäosa tarjoaa visuaalisen lomaketyökalun WordPressin muokkausnäyttöjen mukauttamiseksi ylimääräisillä kentillä ja intuitiivisen API:n mukautettujen kenttäarvojen näyttämiseksi missä tahansa teeman mallitiedostossa.','Overview'=>'Yleiskatsaus','Location type "%s" is already registered.'=>'Sijaintityyppi "%s" on jo rekisteröity.','Class "%s" does not exist.'=>'Luokkaa "%s" ei ole.','Invalid nonce.'=>'Virheellinen nonce.','Error loading field.'=>'Virhe ladattaessa kenttää.','Error: %s'=>'Virhe: %s','Widget'=>'Vimpain','User Role'=>'Käyttäjän rooli','Comment'=>'Kommentti','Post Format'=>'Artikkelin muoto','Menu Item'=>'Valikkokohde','Post Status'=>'Artikkelin tila','Menus'=>'Valikot','Menu Locations'=>'Valikkosijainnit','Menu'=>'Valikko','Post Taxonomy'=>'Artikkelin taksonomia','Child Page (has parent)'=>'Lapsisivu (sivu, jolla on vanhempi)','Parent Page (has children)'=>'Vanhempi sivu (sivu, jolla on alasivuja)','Top Level Page (no parent)'=>'Ylätason sivu (sivu, jolla ei ole vanhempia)','Posts Page'=>'Artikkelit -sivu','Front Page'=>'Etusivu','Page Type'=>'Sivun tyyppi','Viewing back end'=>'Käyttää back endiä','Viewing front end'=>'Käyttää front endiä','Logged in'=>'Kirjautunut sisään','Current User'=>'Nykyinen käyttäjä','Page Template'=>'Sivupohja','Register'=>'Rekisteröi','Add / Edit'=>'Lisää / Muokkaa','User Form'=>'Käyttäjälomake','Page Parent'=>'Sivun vanhempi','Super Admin'=>'Super pääkäyttäjä','Current User Role'=>'Nykyinen käyttäjärooli','Default Template'=>'Oletus sivupohja','Post Template'=>'Sivupohja','Post Category'=>'Artikkelin kategoria','All %s formats'=>'Kaikki %s muodot','Attachment'=>'Liite','%s value is required'=>'%s arvo on pakollinen','Show this field if'=>'Näytä tämä kenttä, jos','Conditional Logic'=>'Ehdollinen logiikka','and'=>'ja','Local JSON'=>'Paikallinen JSON','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Varmista myös, että kaikki premium-lisäosat (%s) on päivitetty uusimpaan versioon.','This version contains improvements to your database and requires an upgrade.'=>'Tämä versio sisältää parannuksia tietokantaan ja edellyttää päivitystä.','Thank you for updating to %1$s v%2$s!'=>'Kiitos päivityksestä: %1$s v%2$s!','Database Upgrade Required'=>'Tietokanta on päivitettävä','Options Page'=>'Asetukset-sivu','Gallery'=>'Galleria','Flexible Content'=>'Joustava sisältö','Repeater'=>'Toista rivejä','Back to all tools'=>'Takaisin kaikkiin työkaluihin','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)'=>'Jos muokkausnäkymässä on useita kenttäryhmiä, käytetään ensimmäisen (pienin järjestysnumero) kenttäryhmän asetuksia','Select items to hide them from the edit screen.'=>'Valitse kohteita piilottaaksesi ne muokkausnäkymästä.','Hide on screen'=>'Piilota näytöltä','Send Trackbacks'=>'Lähetä paluuviitteet','Tags'=>'Avainsanat','Categories'=>'Kategoriat','Page Attributes'=>'Sivun attribuutit','Format'=>'Muoto','Author'=>'Kirjoittaja','Slug'=>'Polkutunnus (slug)','Revisions'=>'Tarkastettu','Comments'=>'Kommentit','Discussion'=>'Keskustelu','Excerpt'=>'Katkelma','Content Editor'=>'Sisältöeditori','Permalink'=>'Kestolinkki','Shown in field group list'=>'Näytetään kenttäryhmien listauksessa','Field groups with a lower order will appear first'=>'Kenttäryhmät, joilla on pienempi järjestysnumero, tulostetaan ensimmäisenä','Order No.'=>'Järjestysnro.','Below fields'=>'Tasaa kentän alapuolelle','Below labels'=>'Tasaa nimiön alapuolelle','Instruction Placement'=>'Ohjeen sijainti','Label Placement'=>'Nimiön sijainti','Side'=>'Reuna','Normal (after content)'=>'Normaali (sisällön jälkeen)','High (after title)'=>'Korkea (otsikon jälkeen)','Position'=>'Sijainti','Seamless (no metabox)'=>'Saumaton (ei metalaatikkoa)','Standard (WP metabox)'=>'Standardi (WP-metalaatikko)','Style'=>'Tyyli','Type'=>'Tyyppi','Key'=>'Avain','Order'=>'Järjestys','Close Field'=>'Sulje kenttä','id'=>'id','class'=>'class','width'=>'leveys','Wrapper Attributes'=>'Kääreen määritteet','Required'=>'Pakollinen?','Instructions'=>'Ohjeet','Field Type'=>'Kenttätyyppi','Single word, no spaces. Underscores and dashes allowed'=>'Yksi sana, ei välilyöntejä. Alaviivat ja ajatusviivat sallitaan','Field Name'=>'Kentän nimi','This is the name which will appear on the EDIT page'=>'Tätä nimeä käytetään MUOKKAA-sivulla','Field Label'=>'Kentän nimiö','Delete'=>'Poista','Delete field'=>'Poista kenttä','Move'=>'Siirrä','Move field to another group'=>'Siirrä kenttä toiseen ryhmään','Duplicate field'=>'Monista kenttä','Edit field'=>'Muokkaa kenttää','Drag to reorder'=>'Muuta järjestystä vetämällä ja pudottamalla','Show this field group if'=>'Näytä tämä kenttäryhmä, jos','No updates available.'=>'Päivityksiä ei ole saatavilla.','Database upgrade complete. See what\'s new'=>'Tietokannan päivitys on valmis. Katso mikä on uutta','Reading upgrade tasks...'=>'Luetaan päivitystehtäviä...','Upgrade failed.'=>'Päivitys epäonnistui.','Upgrade complete.'=>'Päivitys valmis.','Upgrading data to version %s'=>'Päivitetään data versioon %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Tietokannan varmuuskopio on erittäin suositeltavaa ennen kuin jatkat. Oletko varma, että haluat jatkaa päivitystä nyt?','Please select at least one site to upgrade.'=>'Valitse vähintään yksi päivitettävä sivusto.','Database Upgrade complete. Return to network dashboard'=>'Tietokanta on päivitetty. Palaa verkon hallinnan ohjausnäkymään','Site is up to date'=>'Sivusto on ajan tasalla','Site requires database upgrade from %1$s to %2$s'=>'Sivusto edellyttää tietokannan päivityksen (%1$s -> %2$s)','Site'=>'Sivusto','Upgrade Sites'=>'Päivitä sivustot','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Seuraavat sivustot vaativat tietokantapäivityksen. Valitse ne, jotka haluat päivittää ja klikkaa %s.','Add rule group'=>'Lisää sääntöryhmä','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Tästä voit määrittää, missä muokkausnäkymässä tämä kenttäryhmä näytetään','Rules'=>'Säännöt','Copied'=>'Kopioitu','Copy to clipboard'=>'Kopioi leikepöydälle','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Valitse kenttäryhmät','No field groups selected'=>'Ei kenttäryhmää valittu','Generate PHP'=>'Luo PHP-koodi','Export Field Groups'=>'Vie kenttäryhmiä','Import file empty'=>'Tuotu tiedosto on tyhjä','Incorrect file type'=>'Virheellinen tiedostomuoto','Error uploading file. Please try again'=>'Virhe tiedostoa ladattaessa. Yritä uudelleen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Valitse JSON-tiedosto, jonka haluat tuoda. Kenttäryhmät tuodaan, kun klikkaat Tuo-painiketta.','Import Field Groups'=>'Tuo kenttäryhmiä','Sync'=>'Synkronointi','Select %s'=>'Valitse %s','Duplicate'=>'Monista','Duplicate this item'=>'Monista tämä kohde','Description'=>'Kuvaus','Sync available'=>'Synkronointi saatavissa','Field group synchronized.'=>'Kenttäryhmä synkronoitu.' . "\0" . '%s kenttäryhmää synkronoitu.','Field group duplicated.'=>'Kenttäryhmä monistettu.' . "\0" . '%s kenttäryhmää monistettu.','Active (%s)'=>'Käytössä (%s)' . "\0" . 'Käytössä (%s)','Review sites & upgrade'=>'Tarkastele sivuja & päivitä','Upgrade Database'=>'Päivitä tietokanta','Custom Fields'=>'Lisäkentät','Move Field'=>'Siirrä kenttä','Please select the destination for this field'=>'Valitse kohde kentälle','The %1$s field can now be found in the %2$s field group'=>'Kenttä %1$s löytyy nyt kenttäryhmästä %2$s','Move Complete.'=>'Siirto valmis.','Active'=>'Käytössä','Field Keys'=>'Kenttäavaimet','Settings'=>'Asetukset','Location'=>'Sijainti','Null'=>'Tyhjä','copy'=>'kopio','(this field)'=>'(tämä kenttä)','Checked'=>'Valittu','Move Custom Field'=>'Siirrä muokattua kenttää','No toggle fields available'=>'Ei vaihtokenttiä saatavilla','Field group title is required'=>'Kenttäryhmän otsikko on pakollinen','This field cannot be moved until its changes have been saved'=>'Tätä kenttää ei voi siirtää ennen kuin muutokset on talletettu','The string "field_" may not be used at the start of a field name'=>'Merkkijonoa "field_" ei saa käyttää kentän nimen alussa','Field group draft updated.'=>'Luonnos kenttäryhmästä päivitetty.','Field group scheduled for.'=>'Kenttäryhmä ajoitettu.','Field group submitted.'=>'Kenttäryhmä lähetetty.','Field group saved.'=>'Kenttäryhmä tallennettu.','Field group published.'=>'Kenttäryhmä julkaistu.','Field group deleted.'=>'Kenttäryhmä poistettu.','Field group updated.'=>'Kenttäryhmä päivitetty.','Tools'=>'Työkalut','is not equal to'=>'ei ole sama kuin','is equal to'=>'on sama kuin','Forms'=>'Lomakkeet','Page'=>'Sivu','Post'=>'Artikkeli','Relational'=>'Relationaalinen','Choice'=>'Valintakentät','Basic'=>'Perus','Unknown'=>'Tuntematon','Field type does not exist'=>'Kenttätyyppi ei ole olemassa','Spam Detected'=>'Roskapostia havaittu','Post updated'=>'Artikkeli päivitetty','Update'=>'Päivitä','Validate Email'=>'Validoi sähköposti','Content'=>'Sisältö','Title'=>'Otsikko','Edit field group'=>'Muokkaa kenttäryhmää','Selection is less than'=>'Valinta on pienempi kuin','Selection is greater than'=>'Valinta on suurempi kuin','Value is less than'=>'Arvo on pienempi kuin','Value is greater than'=>'Arvo on suurempi kuin','Value contains'=>'Arvo sisältää','Value matches pattern'=>'Arvo vastaa kaavaa','Value is not equal to'=>'Arvo ei ole sama kuin','Value is equal to'=>'Arvo on sama kuin','Has no value'=>'Ei ole arvoa','Has any value'=>'On mitään arvoa','Cancel'=>'Peruuta','Are you sure?'=>'Oletko varma?','%d fields require attention'=>'%d kenttää vaativat huomiota','1 field requires attention'=>'Yksi kenttä vaatii huomiota','Validation failed'=>'Lisäkentän validointi epäonnistui','Validation successful'=>'Kenttäryhmän validointi onnistui','Restricted'=>'Rajoitettu','Collapse Details'=>'Vähemmän tietoja','Expand Details'=>'Enemmän tietoja','Uploaded to this post'=>'Tähän kenttäryhmään ladatut kuvat','verbUpdate'=>'Päivitä','verbEdit'=>'Muokkaa','The changes you made will be lost if you navigate away from this page'=>'Tekemäsi muutokset menetetään, jos siirryt pois tältä sivulta','File type must be %s.'=>'Tiedoston koko täytyy olla %s.','or'=>'tai','File size must not exceed %s.'=>'Tiedoston koko ei saa ylittää %s.','File size must be at least %s.'=>'Tiedoston koko täytyy olla vähintään %s.','Image height must not exceed %dpx.'=>'Kuvan korkeus ei saa ylittää %dpx.','Image height must be at least %dpx.'=>'Kuvan korkeus täytyy olla vähintään %dpx.','Image width must not exceed %dpx.'=>'Kuvan leveys ei saa ylittää %dpx.','Image width must be at least %dpx.'=>'Kuvan leveys täytyy olla vähintään %dpx.','(no title)'=>'(ei otsikkoa)','Full Size'=>'Täysikokoinen','Large'=>'Iso','Medium'=>'Keskikokoinen','Thumbnail'=>'Pienoiskuva','(no label)'=>'(ei nimiötä)','Sets the textarea height'=>'Aseta tekstialueen koko','Rows'=>'Rivit','Text Area'=>'Tekstialue','Prepend an extra checkbox to toggle all choices'=>'Näytetäänkö ”Valitse kaikki” -valintaruutu','Save \'custom\' values to the field\'s choices'=>'Tallenna \'Muu’-kentän arvo kentän valinta vaihtoehdoksi tulevaisuudessa','Allow \'custom\' values to be added'=>'Salli käyttäjän syöttää omia arvojaan','Add new choice'=>'Lisää uusi valinta','Toggle All'=>'Valitse kaikki','Allow Archives URLs'=>'Salli arkistojen URL-osoitteita','Archives'=>'Arkistot','Page Link'=>'Sivun URL','Add'=>'Lisää','Name'=>'Nimi','%s added'=>'%s lisättiin','%s already exists'=>'%s on jo olemassa','User unable to add new %s'=>'Käyttäjä ei voi lisätä uutta %s','Term ID'=>'Ehdon ID','Term Object'=>'Ehto','Load value from posts terms'=>'Lataa arvo artikkelin ehdoista','Load Terms'=>'Lataa ehdot','Connect selected terms to the post'=>'Yhdistä valitut ehdot artikkeliin','Save Terms'=>'Tallenna ehdot','Allow new terms to be created whilst editing'=>'Salli uusien ehtojen luominen samalla kun muokataan','Create Terms'=>'Uusien ehtojen luominen','Radio Buttons'=>'Valintanappi','Single Value'=>'Yksi arvo','Multi Select'=>'Valitse useita','Checkbox'=>'Valintaruutu','Multiple Values'=>'Useita arvoja','Select the appearance of this field'=>'Valitse ulkoasu tälle kenttälle','Appearance'=>'Ulkoasu','Select the taxonomy to be displayed'=>'Valitse taksonomia, joka näytetään','No TermsNo %s'=>'Ei %s','Value must be equal to or lower than %d'=>'Arvon täytyy olla sama tai pienempi kuin %d','Value must be equal to or higher than %d'=>'Arvon täytyy olla sama tai suurempi kuin %d','Value must be a number'=>'Arvon täytyy olla numero','Number'=>'Numero','Save \'other\' values to the field\'s choices'=>'Tallenna \'muu\'-kentän arvo kentän valinnaksi','Add \'other\' choice to allow for custom values'=>'Lisää \'muu\' vaihtoehto salliaksesi mukautettuja arvoja','Other'=>'Muu','Radio Button'=>'Valintanappi','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Määritä päätepiste aiemmalle haitarille. Tämä haitari ei tule näkyviin.','Allow this accordion to open without closing others.'=>'Salli tämän haitarin avautua sulkematta muita.','Multi-Expand'=>'Avaa useita','Display this accordion as open on page load.'=>'Näytä tämä haitari avoimena sivun latautuessa.','Open'=>'Avoinna','Accordion'=>'Haitari (Accordion)','Restrict which files can be uploaded'=>'Määritä tiedoston koko','File ID'=>'Tiedoston ID','File URL'=>'Tiedoston URL','File Array'=>'Tiedosto','Add File'=>'Lisää tiedosto','No file selected'=>'Ei valittua tiedostoa','File name'=>'Tiedoston nimi','Update File'=>'Päivitä tiedosto','Edit File'=>'Muokkaa tiedostoa','Select File'=>'Valitse tiedosto','File'=>'Tiedosto','Password'=>'Salasana','Specify the value returned'=>'Määritä palautetun arvon muoto','Use AJAX to lazy load choices?'=>'Haluatko ladata valinnat laiskasti (käyttää AJAXia)?','Enter each default value on a new line'=>'Syötä jokainen oletusarvo uudelle riville','verbSelect'=>'Valitse','Select2 JS load_failLoading failed'=>'Lataus epäonnistui','Select2 JS searchingSearching…'=>'Etsii…','Select2 JS load_moreLoading more results…'=>'Lataa lisää tuloksia …','Select2 JS selection_too_long_nYou can only select %d items'=>'Voit valita vain %d kohdetta','Select2 JS selection_too_long_1You can only select 1 item'=>'Voit valita vain yhden kohteen','Select2 JS input_too_long_nPlease delete %d characters'=>'Poista %d merkkiä','Select2 JS input_too_long_1Please delete 1 character'=>'Poista 1 merkki','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Kirjoita %d tai useampi merkkiä','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Kirjoita yksi tai useampi merkki','Select2 JS matches_0No matches found'=>'Osumia ei löytynyt','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d tulosta on saatavilla. Voit navigoida tuloksian välillä käyttämällä ”ylös” ja ”alas” -näppäimiä.','Select2 JS matches_1One result is available, press enter to select it.'=>'Yksi tulos on saatavilla. Valitse se painamalla enter-näppäintä.','nounSelect'=>'Valintalista','User ID'=>'Käyttäjätunnus','User Object'=>'Käyttäjäobjekti','User Array'=>'Käyttäjätaulukko','All user roles'=>'Kaikki käyttäjäroolit','Filter by Role'=>'Suodata roolin mukaan','User'=>'Käyttäjä','Separator'=>'Erotusmerkki','Select Color'=>'Valitse väri','Default'=>'Oletus','Clear'=>'Tyhjennä','Color Picker'=>'Värinvalitsin','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Valitse','Date Time Picker JS closeTextDone'=>'Sulje','Date Time Picker JS currentTextNow'=>'Nyt','Date Time Picker JS timezoneTextTime Zone'=>'Aikavyöhyke','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunti','Date Time Picker JS millisecTextMillisecond'=>'Millisekunti','Date Time Picker JS secondTextSecond'=>'Sekunti','Date Time Picker JS minuteTextMinute'=>'Minuutti','Date Time Picker JS hourTextHour'=>'Tunti','Date Time Picker JS timeTextTime'=>'Aika','Date Time Picker JS timeOnlyTitleChoose Time'=>'Valitse aika','Date Time Picker'=>'Päivämäärä- ja kellonaikavalitsin','Endpoint'=>'Päätepiste','Left aligned'=>'Tasaa vasemmalle','Top aligned'=>'Tasaa ylös','Placement'=>'Sijainti','Tab'=>'Välilehti','Value must be a valid URL'=>'Arvon täytyy olla validi URL','Link URL'=>'Linkin URL-osoite','Link Array'=>'Linkkitaulukko (array)','Opens in a new window/tab'=>'Avaa uuteen ikkunaan/välilehteen','Select Link'=>'Valitse linkki','Link'=>'Linkki','Email'=>'Sähköposti','Step Size'=>'Askelluksen koko','Maximum Value'=>'Maksimiarvo','Minimum Value'=>'Minimiarvo','Range'=>'Liukusäädin','Both (Array)'=>'Molemmat (palautusmuoto on tällöin taulukko)','Label'=>'Nimiö','Value'=>'Arvo','Vertical'=>'Pystysuuntainen','Horizontal'=>'Vaakasuuntainen','red : Red'=>'koira_istuu : Koira istuu','For more control, you may specify both a value and label like this:'=>'Halutessasi voit määrittää sekä arvon että nimiön tähän tapaan:','Enter each choice on a new line.'=>'Syötä jokainen valinta uudelle riville.','Choices'=>'Valinnat','Button Group'=>'Painikeryhmä','Allow Null'=>'Salli tyhjä?','Parent'=>'Vanhempi','TinyMCE will not be initialized until field is clicked'=>'TinyMCE:tä ei alusteta ennen kuin kenttää napsautetaan','Delay Initialization'=>'Viivytä alustusta?','Show Media Upload Buttons'=>'Näytä Lisää media -painike?','Toolbar'=>'Työkalupalkki','Text Only'=>'Vain teksti','Visual Only'=>'Vain graafinen','Visual & Text'=>'Graafinen ja teksti','Tabs'=>'Välilehdet','Click to initialize TinyMCE'=>'Klikkaa ottaaksesi käyttöön graafisen editorin','Name for the Text editor tab (formerly HTML)Text'=>'Teksti','Visual'=>'Graafinen','Value must not exceed %d characters'=>'Arvo ei saa olla suurempi kuin %d merkkiä','Leave blank for no limit'=>'Jos et halua rajoittaa, jätä tyhjäksi','Character Limit'=>'Merkkirajoitus','Appears after the input'=>'Näkyy input-kentän jälkeen','Append'=>'Loppuliite','Appears before the input'=>'Näkyy ennen input-kenttää','Prepend'=>'Etuliite','Appears within the input'=>'Näkyy input-kentän sisällä','Placeholder Text'=>'Täyteteksti','Appears when creating a new post'=>'Kentän oletusarvo','Text'=>'Teksti','%1$s requires at least %2$s selection'=>'%1$s vaatii vähintään %2$s valinnan' . "\0" . '%1$s vaatii vähintään %2$s valintaa','Post ID'=>'Artikkelin ID','Post Object'=>'Artikkeliolio','Maximum Posts'=>'Maksimimäärä artikkeleita','Minimum Posts'=>'Vähimmäismäärä artikkeleita','Featured Image'=>'Artikkelikuva','Selected elements will be displayed in each result'=>'Valitut elementit näytetään jokaisessa tuloksessa','Elements'=>'Elementit','Taxonomy'=>'Taksonomia','Post Type'=>'Artikkelityyppi','Filters'=>'Suodattimet','All taxonomies'=>'Kaikki taksonomiat','Filter by Taxonomy'=>'Suodata taksonomian mukaan','All post types'=>'Kaikki artikkelityypit','Filter by Post Type'=>'Suodata tyypin mukaan','Search...'=>'Etsi...','Select taxonomy'=>'Valitse taksonomia','Select post type'=>'Valitse artikkelityyppi','No matches found'=>'Ei yhtään osumaa','Loading'=>'Ladataan','Maximum values reached ( {max} values )'=>'Maksimiarvo saavutettu ( {max} artikkelia )','Relationship'=>'Suodata artikkeleita','Comma separated list. Leave blank for all types'=>'Erota pilkulla. Jätä tyhjäksi, jos haluat sallia kaikki tiedostyypit','Allowed File Types'=>'Sallitut tiedostotyypit','Maximum'=>'Maksimiarvo(t)','File size'=>'Tiedoston koko','Restrict which images can be uploaded'=>'Määritä millaisia kuvia voidaan ladata','Minimum'=>'Minimiarvo(t)','Uploaded to post'=>'Vain tähän artikkeliin ladatut','All'=>'Kaikki','Limit the media library choice'=>'Rajoita valintaa mediakirjastosta','Library'=>'Kirjasto','Preview Size'=>'Esikatselukuvan koko','Image ID'=>'Kuvan ID','Image URL'=>'Kuvan URL','Image Array'=>'Kuva','Specify the returned value on front end'=>'Määritä palautettu arvo front endiin','Return Value'=>'Palauta arvo','Add Image'=>'Lisää kuva','No image selected'=>'Ei kuvia valittu','Remove'=>'Poista','Edit'=>'Muokkaa','All images'=>'Kaikki kuvat','Update Image'=>'Päivitä kuva','Edit Image'=>'Muokkaa kuvaa','Select Image'=>'Valitse kuva','Image'=>'Kuva','Allow HTML markup to display as visible text instead of rendering'=>'Salli HTML-muotoilun näkyminen tekstinä renderöinnin sijaan','Escape HTML'=>'Escape HTML','No Formatting'=>'Ei muotoilua','Automatically add <br>'=>'Lisää automaattisesti <br>','Automatically add paragraphs'=>'Lisää automaattisesti kappale','Controls how new lines are rendered'=>'Määrittää kuinka uudet rivit muotoillaan','New Lines'=>'Uudet rivit','Week Starts On'=>'Viikon ensimmäinen päivä','The format used when saving a value'=>'Arvo tallennetaan tähän muotoon','Save Format'=>'Tallennusmuoto','Date Picker JS weekHeaderWk'=>'Vk','Date Picker JS prevTextPrev'=>'Edellinen','Date Picker JS nextTextNext'=>'Seuraava','Date Picker JS currentTextToday'=>'Tänään','Date Picker JS closeTextDone'=>'Sulje','Date Picker'=>'Päivämäärävalitsin','Width'=>'Leveys','Embed Size'=>'Upotuksen koko','Enter URL'=>'Syötä URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Teksti, joka näytetään kun valinta ei ole aktiivinen','Off Text'=>'Pois päältä -teksti','Text shown when active'=>'Teksti, joka näytetään kun valinta on aktiivinen','On Text'=>'Päällä -teksti','Stylized UI'=>'Tyylikäs käyttöliittymä','Default Value'=>'Oletusarvo','Displays text alongside the checkbox'=>'Näytä teksti valintaruudun rinnalla','Message'=>'Viesti','No'=>'Ei','Yes'=>'Kyllä','True / False'=>'”Tosi / Epätosi” -valinta','Row'=>'Rivi','Table'=>'Taulukko','Block'=>'Lohko','Specify the style used to render the selected fields'=>'Määritä tyyli, jota käytetään valittujen kenttien luomisessa','Layout'=>'Asettelu','Sub Fields'=>'Alakentät','Group'=>'Ryhmä','Customize the map height'=>'Kartan korkeuden mukauttaminen','Height'=>'Korkeus','Set the initial zoom level'=>'Aseta oletuszoomaus','Zoom'=>'Zoomaus','Center the initial map'=>'Kartan oletussijainti','Center'=>'Sijainti','Search for address...'=>'Etsi osoite...','Find current location'=>'Etsi nykyinen sijainti','Clear location'=>'Tyhjennä paikkatieto','Search'=>'Etsi','Sorry, this browser does not support geolocation'=>'Pahoittelut, tämä selain ei tue paikannusta','Google Map'=>'Google-kartta','The format returned via template functions'=>'Sivupohjan funktioiden palauttama päivämäärän muoto','Return Format'=>'Palautusmuoto','Custom:'=>'Mukautettu:','The format displayed when editing a post'=>'Päivämäärän muoto muokkausnäkymässä','Display Format'=>'Muokkausnäkymän muoto','Time Picker'=>'Kellonaikavalitsin','Inactive (%s)'=>'Poistettu käytöstä (%s)' . "\0" . 'Poistettu käytöstä (%s)','No Fields found in Trash'=>'Kenttiä ei löytynyt roskakorista','No Fields found'=>'Ei löytynyt kenttiä','Search Fields'=>'Etsi kenttiä','View Field'=>'Näytä kenttä','New Field'=>'Uusi kenttä','Edit Field'=>'Muokkaa kenttää','Add New Field'=>'Lisää uusi kenttä','Field'=>'Kenttä','Fields'=>'Kentät','No Field Groups found in Trash'=>'Kenttäryhmiä ei löytynyt roskakorista','No Field Groups found'=>'Kenttäryhmiä ei löytynyt','Search Field Groups'=>'Etsi kenttäryhmiä','View Field Group'=>'Katso kenttäryhmää','New Field Group'=>'Lisää uusi kenttäryhmä','Edit Field Group'=>'Muokkaa kenttäryhmää','Add New Field Group'=>'Lisää uusi kenttäryhmä','Add New'=>'Lisää uusi','Field Group'=>'Kenttäryhmä','Field Groups'=>'Kenttäryhmät','Customize WordPress with powerful, professional and intuitive fields.'=>'Mukauta WordPressiä tehokkailla, ammattimaisilla ja intuitiivisilla kentillä.','https://www.advancedcustomfields.com'=>'http://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Lohkotyypin nimi on pakollinen.','Block type "%s" is already registered.'=>'Lohkotyyppi "%s" on jo rekisteröity.','Switch to Edit'=>'Siirry muokkaamaan','Switch to Preview'=>'Siirry esikatseluun','Change content alignment'=>'Sisällön tasauksen muuttaminen','%s settings'=>'%s asetusta','Options Updated'=>'Asetukset päivitetty','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Ottaaksesi käyttöön päivitykset, syötä lisenssiavaimesi Päivitykset -sivulle. Jos sinulla ei ole lisenssiavainta, katso tiedot ja hinnoittelu.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF:n aktivointivirhe. Määritetty käyttöoikeusavain on muuttunut, mutta vanhan käyttöoikeuden poistamisessa tapahtui virhe','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF:n aktivointivirhe. Määritetty käyttöoikeusavain on muuttunut, mutta aktivointipalvelimeen yhdistämisessä tapahtui virhe','ACF Activation Error'=>'ACF:n aktivointivirhe','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF käynnistysvirhe. Tapahtui virhe päivityspalvelimeen yhdistettäessä','Check Again'=>'Tarkista uudelleen','ACF Activation Error. Could not connect to activation server'=>'ACF käynnistysvirhe. Ei voitu yhdistää käynnistyspalvelimeen','Publish'=>'Julkaistu','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Yhtään lisäkenttäryhmää ei löytynyt tälle asetussivulle. Luo lisäkenttäryhmä','Error. Could not connect to update server'=>'Virhe. Ei voitu yhdistää päivityspalvelimeen','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Virhe. Päivityspakettia ei voitu todentaa. Tarkista uudelleen tai poista käytöstä ACF PRO -lisenssi ja aktivoi se uudelleen.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Virhe. Lisenssisi on umpeutunut tai poistettu käytöstä. Aktivoi ACF PRO -lisenssisi uudelleen.','Select one or more fields you wish to clone'=>'Valitse kentät, jotka haluat kopioida','Display'=>'Näytä','Specify the style used to render the clone field'=>'Määritä tyyli, jota käytetään kloonikentän luomisessa','Group (displays selected fields in a group within this field)'=>'Ryhmä (valitut kentät näytetään ryhmänä tämän klooni-kentän sisällä)','Seamless (replaces this field with selected fields)'=>'Saumaton (korvaa tämä klooni-kenttä valituilla kentillä)','Labels will be displayed as %s'=>'Kentän nimiö näytetään seuraavassa muodossa: %s','Prefix Field Labels'=>'Kentän nimiön etuliite','Values will be saved as %s'=>'Arvot tallennetaan muodossa: %s','Prefix Field Names'=>'Kentän nimen etuliite','Unknown field'=>'Tuntematon kenttä','Unknown field group'=>'Tuntematon kenttäryhmä','All fields from %s field group'=>'Kaikki kentät kenttäryhmästä %s','Add Row'=>'Lisää rivi','layout'=>'asettelu' . "\0" . 'asettelut','layouts'=>'asettelua','This field requires at least {min} {label} {identifier}'=>'Tämä kenttä vaatii vähintään {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Tämän kentän yläraja on {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} saatavilla (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} vaadittu (min {min})','Flexible Content requires at least 1 layout'=>'Vaaditaan vähintään yksi asettelu','Click the "%s" button below to start creating your layout'=>'Klikkaa ”%s” -painiketta luodaksesi oman asettelun','Add layout'=>'Lisää asettelu','Duplicate layout'=>'Monista asettelu','Remove layout'=>'Poista asettelu','Click to toggle'=>'Piilota/Näytä','Delete Layout'=>'Poista asettelu','Duplicate Layout'=>'Monista asettelu','Add New Layout'=>'Lisää uusi asettelu','Add Layout'=>'Lisää asettelu','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Asetteluita vähintään','Maximum Layouts'=>'Asetteluita enintään','Button Label'=>'Painikkeen teksti','%s must be of type array or null.'=>'%s tyypin on oltava matriisi tai tyhjä.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s täytyy sisältää vähintään %2$s %3$s asettelu.' . "\0" . '%1$s täytyy sisältää vähintään %2$s %3$s asettelua.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s täytyy sisältää korkeintaan %2$s %3$s asettelu.' . "\0" . '%1$s täytyy sisältää korkeintaan %2$s %3$s asettelua.','Add Image to Gallery'=>'Lisää kuva galleriaan','Maximum selection reached'=>'Et voi valita enempää kuvia','Length'=>'Pituus','Caption'=>'Kuvateksti','Alt Text'=>'Vaihtoehtoinen teksti','Add to gallery'=>'Lisää galleriaan','Bulk actions'=>'Massatoiminnot','Sort by date uploaded'=>'Lajittele latauksen päivämäärän mukaan','Sort by date modified'=>'Lajittele viimeisimmän muokkauksen päivämäärän mukaan','Sort by title'=>'Lajittele otsikon mukaan','Reverse current order'=>'Käännän nykyinen järjestys','Close'=>'Sulje','Minimum Selection'=>'Pienin määrä kuvia','Maximum Selection'=>'Suurin määrä kuvia','Allowed file types'=>'Sallitut tiedostotyypit','Insert'=>'Lisää','Specify where new attachments are added'=>'Määritä mihin uudet liitteet lisätään','Append to the end'=>'Lisää loppuun','Prepend to the beginning'=>'Lisää alkuun','Minimum rows not reached ({min} rows)'=>'Pienin määrä rivejä saavutettu ({min} riviä)','Maximum rows reached ({max} rows)'=>'Suurin määrä rivejä saavutettu ({max} riviä)','Error loading page'=>'Virhe ladattaessa kenttää.','Rows Per Page'=>'Artikkelit -sivu','Set the number of rows to be displayed on a page.'=>'Valitse taksonomia, joka näytetään','Minimum Rows'=>'Pienin määrä rivejä','Maximum Rows'=>'Suurin määrä rivejä','Collapsed'=>'Piilotettu','Select a sub field to show when row is collapsed'=>'Valitse alakenttä, joka näytetään, kun rivi on piilotettu','Invalid field key or name.'=>'Virheellinen kenttäryhmän tunnus.','Click to reorder'=>'Muuta järjestystä vetämällä ja pudottamalla','Add row'=>'Lisää rivi','Duplicate row'=>'Monista rivi','Remove row'=>'Poista rivi','Current Page'=>'Nykyinen käyttäjä','First Page'=>'Etusivu','Previous Page'=>'Artikkelit -sivu','paging%1$s of %2$s'=>'%1$s ei ole yksi näistä: %2$s','Next Page'=>'Etusivu','Last Page'=>'Artikkelit -sivu','No block types exist'=>'Lohkotyyppejä ei ole','No options pages exist'=>'Yhtään asetussivua ei ole olemassa','Deactivate License'=>'Poista lisenssi käytöstä','Activate License'=>'Aktivoi lisenssi','License Information'=>'Näytä lisenssitiedot','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Ottaaksesi käyttöön päivitykset, syötä alle lisenssiavaimesi. Jos sinulla ei ole lisenssiavainta, katso tarkemmat tiedot ja hinnoittelu.','License Key'=>'Lisenssiavain','Your license key is defined in wp-config.php.'=>'Käyttöoikeusavain on määritelty wp-config.php:ssa.','Retry Activation'=>'Yritä aktivointia uudelleen','Update Information'=>'Päivitä tiedot','Current Version'=>'Nykyinen versio','Latest Version'=>'Uusin versio','Update Available'=>'Päivitys saatavilla','Upgrade Notice'=>'Päivitys Ilmoitus','Enter your license key to unlock updates'=>'Syötä lisenssiavain saadaksesi päivityksiä','Update Plugin'=>'Päivitä lisäosa','Please reactivate your license to unlock updates'=>'Aktivoi käyttöoikeus saadaksesi päivityksiä']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'Uusi ACF PRO -lisenssi','Renew License'=>'Uusi lisenssi','Manage License'=>'Hallinnoi lisenssiä','\'High\' position not supported in the Block Editor'=>'\'Korkeaa\' sijoittelua ei tueta lohkoeditorissa.','Upgrade to ACF PRO'=>'Päivitä ACF PRO -versioon','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF asetussivut ovat mukautettuja pääkäyttäjäsivuja yleisten asetusten muuttamiseksi kenttien avulla. Voit luoda useita sivuja ja alisivuja.','Add Options Page'=>'Lisää Asetukset-sivu','In the editor used as the placeholder of the title.'=>'Käytetään editorissa otsikon paikanvaraajana.','Title Placeholder'=>'Otsikon paikanvaraaja','4 Months Free'=>'4 kuukautta maksutta','(Duplicated from %s)'=>'','Select Options Pages'=>'Valitse asetussivut','Duplicate taxonomy'=>'Monista taksonomia','Create taxonomy'=>'Luo taksonomia','Duplicate post type'=>'Monista sisältötyyppi','Create post type'=>'Luo sisältötyyppi','Link field groups'=>'Linkitä kenttäryhmä','Add fields'=>'Lisää kenttiä','This Field'=>'Tämä kenttä','ACF PRO'=>'ACF PRO','Feedback'=>'Palaute','Support'=>'Tuki','is developed and maintained by'=>'kehittää ja ylläpitää','Add this %s to the location rules of the selected field groups.'=>'Aseta tämä %s valittujen kenttäryhmien sijaintiasetuksiin.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Kaksisuuntaisen asetuksen kytkeminen sallii sinun päivittää kohdekenttien arvon jokaiselle tässä kentässä valitulle arvolle, lisäten tai poistaen päivitettävän artikkelin, taksonomian tai käyttäjän ID tunnisteen. Tarkemmat tiedot luettavissa dokumentaatiossa.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Valitse kenttä (kentät) johon tallennetaan viite takaisin päivitettävään kohteeseen. Voit valita tämän kentän. Kohdekenttien tulee olla yhteensopivia kentän esityspaikan kanssa. Esimerkiksi jos tämä kenttä esitetään taksonomian yhteydessä, kentän tulee olla taksonomia-tyyppiä','Target Field'=>'Kohdekenttä','Update a field on the selected values, referencing back to this ID'=>'Päivitä valittujen arvojen kenttä viittaamalla takaisin tähän tunnisteeseen','Bidirectional'=>'Kaksisuuntainen','%s Field'=>'%s kenttä','Select Multiple'=>'Valitse useita','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Vain pieniä kirjaimia, alaviivoja sekä väliviivoja. Enimmillään 32 merkkiä.','The capability name for assigning terms of this taxonomy.'=>'Käyttöoikeuden nimi termien lisäämiseksi tähän taksonomiaan.','Assign Terms Capability'=>'Määritä termien käyttöoikeus','The capability name for deleting terms of this taxonomy.'=>'Käyttöoikeuden nimi termien poistamiseksi tästä taksonomiasta.','Delete Terms Capability'=>'Poista termin käyttöoikeus','The capability name for editing terms of this taxonomy.'=>'Käyttöoikeuden nimi taksonomian termien muokkaamiseksi.','Edit Terms Capability'=>'Muokkaa termin käyttöoikeutta','The capability name for managing terms of this taxonomy.'=>'Käyttöoikeuden nimi taksonomian termien hallinnoimiseksi.','Manage Terms Capability'=>'Hallitse termin käyttöoikeutta','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Määrittää piilotetaanko artikkelit hakutuloksista ja taksonomian arkistosivuilta.','More Tools from WP Engine'=>'Lisää työkaluja WP Engineltä','Built for those that build with WordPress, by the team at %s'=>'Tehty niille jotka tekevät WordPressillä, %s tiimin toimesta','View Pricing & Upgrade'=>'Näytä hinnoittelu & päivitä','Learn More'=>'Lue lisää','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Nopeuta työnkulkuasi ja kehitä parempia verkkosivustoja ominaisuuksilla kuten ACF lohkot ja asetussivut, sekä kehittyneillä kenttätyypeillä kuten toistin, joustava sisältö, kloonaus sekä galleria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Avaa lisäominaisuudet ja luo vielä enemmän ACF PRO:n avulla','%s fields'=>'%s kentät','No terms'=>'Ei termejä','No post types'=>'Ei sisältötyyppejä','No posts'=>'Ei artikkeleita','No taxonomies'=>'Ei taksonomioita','No field groups'=>'Ei kenttäryhmiä','No fields'=>'Ei kenttiä','No description'=>'Ei kuvausta','Any post status'=>'Mikä tahansa artikkelin tila','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Tämän taksonomian avain on jo käytössä toisella taksonomialla ACF:n ulkopuolella, eikä sitä voida käyttää.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Tämän taksonomian avain on jo käytössä toisella taksonomialla ACF:ssä, eikä sitä voida käyttää.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Taksonomian avaimen tulee sisältää ainoastaan pieniä kirjaimia, numeroita, alaviivoja tai väliviivoja.','The taxonomy key must be under 32 characters.'=>'Taksonomian avaimen tulee olla alle 20 merkkiä pitkä.','No Taxonomies found in Trash'=>'Roskakorista ei löytynyt taksonomioita','No Taxonomies found'=>'Taksonomioita ei löytynyt','Search Taxonomies'=>'Hae taksonomioita','View Taxonomy'=>'Näytä taksonomia','New Taxonomy'=>'Uusi taksonomia','Edit Taxonomy'=>'Muokkaa taksonomiaa','Add New Taxonomy'=>'Luo uusi taksonomia','No Post Types found in Trash'=>'Ei sisältötyyppejä roskakorissa','No Post Types found'=>'Sisältötyyppejä ei löytynyt','Search Post Types'=>'Etsi sisältötyyppejä','View Post Type'=>'Näytä sisältötyyppi','New Post Type'=>'Uusi sisältötyyppi','Edit Post Type'=>'Muokkaa sisältötyyppiä','Add New Post Type'=>'Lisää uusi sisältötyyppi','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Tämä sisältötyyppi on jo käytössä sisältötyypillä joka on rekisteröity ACF ulkopuolella, eikä sitä voida käyttää.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Tämä sisältötyyppi on jo käytössä sisältötyypillä ACF:ssä, eikä sitä voida käyttää.','This field must not be a WordPress reserved term.'=>'Tämän kentän ei tule olla WordPressin varattu termi.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Sisältötyypin avaimen tulee sisältää vain pieniä kirjaimia, numeroita, alaviivoja ja väliviivoja.','The post type key must be under 20 characters.'=>'Sisältötyypin avaimen tulee olla alle 20 merkkiä pitkä.','We do not recommend using this field in ACF Blocks.'=>'Emme suosittele tämän kentän käyttämistä ACF-lohkoissa.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Näyttää WordPress WYSIWYG -editorin kuten artikkeleissa ja sivuilla, mahdollistaen monipuolisemman tekstin muokkauskokemuksen, joka mahdollistaa myös multimediasisällön.','WYSIWYG Editor'=>'WYSIWYG-editori','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Sallii yhden tai useamman käyttäjän valitsemisen tieto-objektien välisten suhteiden luomiseksi.','A text input specifically designed for storing web addresses.'=>'Tekstikenttä erityisesti verkko-osoitteiden tallentamiseksi.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Kytkin joka sallii 1 tai 0 arvon valitsemisen (päälle tai pois, tosi tai epätosi, jne.). Voidaan esittää tyyliteltynä kytkimenä tai valintaruutuna.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktiivinen käyttölittymä ajan valitsemiseen. Aikamuotoa voidaan muokata kentän asetuksissa.','A basic textarea input for storing paragraphs of text.'=>'Yksinkertainen tekstialue tekstikappaleiden tallentamiseen.','A basic text input, useful for storing single string values.'=>'Yksinkertainen tekstikenttä, hyödyllinen yksittäisten merkkijonojen arvojen tallentamiseen.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Mahdollistaa yhden tai useamman taksonomiatermin valitsemisen kentän asetuksissa asetettujen kriteerien ja asetusten perusteella.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Mahdollistaa kenttien ryhmittelemisen välilehdillä erotettuihin osioihin muokkausnäkymässä. Hyödyllinen kenttien pitämiseen järjestyksessä ja jäsenneltynä.','A dropdown list with a selection of choices that you specify.'=>'Pudotusvalikko joka listaa määrittelemäsi vaihtoehdot.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'Kenttä numeroarvon valitsemiseksi määritetyllä asteikolla hyödyntäen liukuvalitsinelementtiä.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Ryhmä valintanappisyötteitä, joiden avulla käyttäjä voi tehdä yksittäisen valinnan määrittämistäsi arvoista.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktiivinen ja mukautettava käyttöliittymä yhden tai useamman artikkelin, sivun tai artikkelityyppikohteen valitsemiseksi, hakumahdollisuudella. ','An input for providing a password using a masked field.'=>'Kenttä salasanan antamiseen peitetyn kentän avulla.','Filter by Post Status'=>'Suodata artikkelin tilan mukaan','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'Numeroarvoihin rajoitettu kenttä.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Käytetään viestin esittämiseksi muiden kenttien rinnalla. Kätevä lisäkontekstin tai -ohjeiden tarjoamiseen kenttien ympärillä.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Sallii linkin ja sen ominaisuuksien, kuten otsikon ja kohteen, määrittämisen hyödyntäen WordPressin omaa linkinvalitsinta.','Uses the native WordPress media picker to upload, or choose images.'=>'Käyttää WordPressin omaa mediavalitsinta kuvien lisäämisen tai valitsemiseen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Antaa tavan jäsentää kenttiä ryhmiin tietojen ja muokkausnäkymän järjestämiseksi paremmin.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktiivinen käyttöliittymä sijainnin lisäämiseksi Google Maps:in avulla. Vaatii Google Maps API -avaimen sekä lisämäärityksiä näkyäkseen oikein.','Uses the native WordPress media picker to upload, or choose files.'=>'Käyttää WordPressin omaa mediavalitsinta tiedostojen lisäämiseen ja valitsemiseen.','A text input specifically designed for storing email addresses.'=>'Tekstikenttä erityisesti sähköpostiosoitteiden tallentamiseksi.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktiivinen käyttöliittymä päivämäärän ja kellonajan valitsemiseen. Päivämäärän palautusmuotoa voidaan muokata kentän asetuksissa.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktiivinen käyttöliittymä päivämäärän valitsemiseen. Päivämäärän palautusmuotoa voidaan muokata kentän asetuksissa.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktiivinen käyttöliittymä värin valitsemiseksi, tai hex-arvon määrittämiseksi.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Joukko valintaruutuja jotka sallivat käyttäjän valita yhden tai useamman määrittämistäsi arvoista.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Joukko painikkeita joiden arvot määrität. Käyttäjät voivat valita yhden määrittämistäsi arvoista.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Mahdollistaa lisäkenttien järjestelemisen suljettaviin paneeleihin jotka esitetään sisällön muokkaamisen yhteydessä. Kätevä suurten tietojoukkojen siistinä pitämiseen.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Tarjoaa ratkaisun toistuvan sisällön kuten diojen, tiimin jäsenten, tai toimintakehotekorttien toistamiseen. Toimii ylätasona alakentille, jotka voidaan toistaa uudestaan ja uudestaan.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Tarjoaa interaktiivisen käyttöliittymän liitekokoelman hallintaan. Useimmat asetukset ovat samanlaisia kuin kuvakenttätyypillä. Lisäasetukset mahdollistavat uusien liitteiden sijoituspaikan määrittämiseen galleriassa, sekä sallitun minimi- ja maksimiliitemäärien asettamiseksi.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Klooni','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Päivitykset','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Lisäosien Advanced Custom Fields ja Advanced Custom Fields PRO ei pitäisi olla käytössä yhtäaikaa. Suljimme Advanced Custom Fields PRO -lisäosan automaattisesti.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Lisäosien Advanced Custom Fields ja Advanced Custom Fields PRO ei pitäisi olla käytössä yhtäaikaa. Suljimme Advanced Custom Fields -lisäosan automaattisesti.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Olemme havainneet yhden tai useamman kutsun ACF-kenttäarvojen noutamiseksi ennen ACF:n alustamista. Tätä ei tueta ja se voi johtaa väärin muotoiltuihin tai puuttuviin tietoihin. Lue lisää tämän korjaamisesta.','%1$s must have a user with the %2$s role.'=>'%1$s:lla pitää olla käyttäjä roolilla %2$s.' . "\0" . '%1$s:lla pitää olla käyttäjä jollakin näistä rooleista: %2$s','%1$s must have a valid user ID.'=>'%1$s:lla on oltava kelvollinen käyttäjätunnus.','Invalid request.'=>'Virheellinen pyyntö.','%1$s is not one of %2$s'=>'%1$s ei ole yksi näistä: %2$s','%1$s must have term %2$s.'=>'%1$s:lla pitää olla termi %2$s.' . "\0" . '%1$s:lla pitää olla jokin seuraavista termeistä: %2$s','%1$s must be of post type %2$s.'=>'%1$s pitää olla artikkelityyppiä %2$s.' . "\0" . '%1$s pitää olla joku seuraavista artikkelityypeistä: %2$s','%1$s must have a valid post ID.'=>'%1$s:lla on oltava kelvollinen artikkelitunnus (post ID).','%s requires a valid attachment ID.'=>'%s edellyttää kelvollista liitetunnusta (ID).','Show in REST API'=>'Näytä REST API:ssa','Enable Transparency'=>'Ota läpinäkyvyys käyttöön','RGBA Array'=>'RGBA-taulukko','RGBA String'=>'RGBA-merkkijono','Hex String'=>'Heksamerkkijono','Upgrade to PRO'=>'Päivitä Pro-versioon','post statusActive'=>'Käytössä','\'%s\' is not a valid email address'=>'\'%s\' ei ole kelvollinen sähköpostiosoite','Color value'=>'Väriarvo','Select default color'=>'Valitse oletusväri','Clear color'=>'Tyhjennä väri','Blocks'=>'Lohkot','Options'=>'Asetukset','Users'=>'Käyttäjät','Menu items'=>'Valikkokohteet','Widgets'=>'Vimpaimet','Attachments'=>'Liitteet','Taxonomies'=>'Taksonomiat','Posts'=>'Artikkelit','Last updated: %s'=>'Päivitetty viimeksi: %s','Sorry, this post is unavailable for diff comparison.'=>'Tämä kenttäryhmä ei valitettavasti ole käytettävissä diff-vertailua varten.','Invalid field group parameter(s).'=>'Virheelliset kenttäryhmän parametrit.','Awaiting save'=>'Odottaa tallentamista','Saved'=>'Tallennettu','Import'=>'Tuo','Review changes'=>'Tarkista muutokset','Located in: %s'=>'Sijaitsee: %s','Located in plugin: %s'=>'Lisäosalla: %s','Located in theme: %s'=>'Teemalla: %s','Various'=>'Sekalaisia','Sync changes'=>'Synkronoi muutokset','Loading diff'=>'Ladataan diff','Review local JSON changes'=>'Tarkista paikalliset JSON-muutokset','Visit website'=>'Siirry verkkosivuille','View details'=>'Näytä tarkemmat tiedot','Version %s'=>'Versio %s','Information'=>'Tiedot','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Tukipalvelu. Tukipalvelumme ammattilaiset auttavat syvällisemmissä teknisissä haasteissasi.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Keskustelut. Yhteisöfoorumeillamme on aktiivinen ja ystävällinen yhteisö, joka voi ehkä auttaa sinua selvittämään ACF-maailman ihmeellisyyksiä.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentaatio. Laaja dokumentaatiomme sisältää viittauksia ja oppaita useimpiin kohtaamiisi tilanteisiin.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Olemme fanaattisia tuen suhteen ja haluamme, että saat kaiken mahdollisen irti verkkosivustostasi ACF:n avulla. Jos kohtaat ongelmia, apua löytyy useista paikoista:','Help & Support'=>'Ohjeet & tukipalvelut','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Ota yhteyttä Ohjeet & tukipalvelut -välilehdessä, jos huomaat tarvitsevasi apua.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Ennen kuin luot ensimmäisen kenttäryhmäsi, suosittelemme lukemaan aloitusoppaamme, jossa tutustutaan lisäosan filosofiaan ja parhaisiin käytäntöihin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields -lisäosa tarjoaa visuaalisen lomaketyökalun WordPressin muokkausnäyttöjen mukauttamiseksi ylimääräisillä kentillä ja intuitiivisen API:n mukautettujen kenttäarvojen näyttämiseksi missä tahansa teeman mallitiedostossa.','Overview'=>'Yleiskatsaus','Location type "%s" is already registered.'=>'Sijaintityyppi "%s" on jo rekisteröity.','Class "%s" does not exist.'=>'Luokkaa "%s" ei ole.','Invalid nonce.'=>'Virheellinen nonce.','Error loading field.'=>'Virhe ladattaessa kenttää.','Error: %s'=>'Virhe: %s','Widget'=>'Vimpain','User Role'=>'Käyttäjän rooli','Comment'=>'Kommentti','Post Format'=>'Artikkelin muoto','Menu Item'=>'Valikkokohde','Post Status'=>'Artikkelin tila','Menus'=>'Valikot','Menu Locations'=>'Valikkosijainnit','Menu'=>'Valikko','Post Taxonomy'=>'Artikkelin taksonomia','Child Page (has parent)'=>'Lapsisivu (sivu, jolla on vanhempi)','Parent Page (has children)'=>'Vanhempi sivu (sivu, jolla on alasivuja)','Top Level Page (no parent)'=>'Ylätason sivu (sivu, jolla ei ole vanhempia)','Posts Page'=>'Artikkelit -sivu','Front Page'=>'Etusivu','Page Type'=>'Sivun tyyppi','Viewing back end'=>'Käyttää back endiä','Viewing front end'=>'Käyttää front endiä','Logged in'=>'Kirjautunut sisään','Current User'=>'Nykyinen käyttäjä','Page Template'=>'Sivupohja','Register'=>'Rekisteröi','Add / Edit'=>'Lisää / Muokkaa','User Form'=>'Käyttäjälomake','Page Parent'=>'Sivun vanhempi','Super Admin'=>'Super pääkäyttäjä','Current User Role'=>'Nykyinen käyttäjärooli','Default Template'=>'Oletus sivupohja','Post Template'=>'Sivupohja','Post Category'=>'Artikkelin kategoria','All %s formats'=>'Kaikki %s muodot','Attachment'=>'Liite','%s value is required'=>'%s arvo on pakollinen','Show this field if'=>'Näytä tämä kenttä, jos','Conditional Logic'=>'Ehdollinen logiikka','and'=>'ja','Local JSON'=>'Paikallinen JSON','Clone Field'=>'','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Varmista myös, että kaikki premium-lisäosat (%s) on päivitetty uusimpaan versioon.','This version contains improvements to your database and requires an upgrade.'=>'Tämä versio sisältää parannuksia tietokantaan ja edellyttää päivitystä.','Thank you for updating to %1$s v%2$s!'=>'Kiitos päivityksestä: %1$s v%2$s!','Database Upgrade Required'=>'Tietokanta on päivitettävä','Options Page'=>'Asetukset-sivu','Gallery'=>'Galleria','Flexible Content'=>'Joustava sisältö','Repeater'=>'Toista rivejä','Back to all tools'=>'Takaisin kaikkiin työkaluihin','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)'=>'Jos muokkausnäkymässä on useita kenttäryhmiä, käytetään ensimmäisen (pienin järjestysnumero) kenttäryhmän asetuksia','Select items to hide them from the edit screen.'=>'Valitse kohteita piilottaaksesi ne muokkausnäkymästä.','Hide on screen'=>'Piilota näytöltä','Send Trackbacks'=>'Lähetä paluuviitteet','Tags'=>'Avainsanat','Categories'=>'Kategoriat','Page Attributes'=>'Sivun attribuutit','Format'=>'Muoto','Author'=>'Kirjoittaja','Slug'=>'Polkutunnus (slug)','Revisions'=>'Tarkastettu','Comments'=>'Kommentit','Discussion'=>'Keskustelu','Excerpt'=>'Katkelma','Content Editor'=>'Sisältöeditori','Permalink'=>'Kestolinkki','Shown in field group list'=>'Näytetään kenttäryhmien listauksessa','Field groups with a lower order will appear first'=>'Kenttäryhmät, joilla on pienempi järjestysnumero, tulostetaan ensimmäisenä','Order No.'=>'Järjestysnro.','Below fields'=>'Tasaa kentän alapuolelle','Below labels'=>'Tasaa nimiön alapuolelle','Instruction Placement'=>'Ohjeen sijainti','Label Placement'=>'Nimiön sijainti','Side'=>'Reuna','Normal (after content)'=>'Normaali (sisällön jälkeen)','High (after title)'=>'Korkea (otsikon jälkeen)','Position'=>'Sijainti','Seamless (no metabox)'=>'Saumaton (ei metalaatikkoa)','Standard (WP metabox)'=>'Standardi (WP-metalaatikko)','Style'=>'Tyyli','Type'=>'Tyyppi','Key'=>'Avain','Order'=>'Järjestys','Close Field'=>'Sulje kenttä','id'=>'id','class'=>'class','width'=>'leveys','Wrapper Attributes'=>'Kääreen määritteet','Required'=>'Pakollinen?','Instructions'=>'Ohjeet','Field Type'=>'Kenttätyyppi','Single word, no spaces. Underscores and dashes allowed'=>'Yksi sana, ei välilyöntejä. Alaviivat ja ajatusviivat sallitaan','Field Name'=>'Kentän nimi','This is the name which will appear on the EDIT page'=>'Tätä nimeä käytetään MUOKKAA-sivulla','Field Label'=>'Kentän nimiö','Delete'=>'Poista','Delete field'=>'Poista kenttä','Move'=>'Siirrä','Move field to another group'=>'Siirrä kenttä toiseen ryhmään','Duplicate field'=>'Monista kenttä','Edit field'=>'Muokkaa kenttää','Drag to reorder'=>'Muuta järjestystä vetämällä ja pudottamalla','Show this field group if'=>'Näytä tämä kenttäryhmä, jos','No updates available.'=>'Päivityksiä ei ole saatavilla.','Database upgrade complete. See what\'s new'=>'Tietokannan päivitys on valmis. Katso mikä on uutta','Reading upgrade tasks...'=>'Luetaan päivitystehtäviä...','Upgrade failed.'=>'Päivitys epäonnistui.','Upgrade complete.'=>'Päivitys valmis.','Upgrading data to version %s'=>'Päivitetään data versioon %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Tietokannan varmuuskopio on erittäin suositeltavaa ennen kuin jatkat. Oletko varma, että haluat jatkaa päivitystä nyt?','Please select at least one site to upgrade.'=>'Valitse vähintään yksi päivitettävä sivusto.','Database Upgrade complete. Return to network dashboard'=>'Tietokanta on päivitetty. Palaa verkon hallinnan ohjausnäkymään','Site is up to date'=>'Sivusto on ajan tasalla','Site requires database upgrade from %1$s to %2$s'=>'Sivusto edellyttää tietokannan päivityksen (%1$s -> %2$s)','Site'=>'Sivusto','Upgrade Sites'=>'Päivitä sivustot','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Seuraavat sivustot vaativat tietokantapäivityksen. Valitse ne, jotka haluat päivittää ja klikkaa %s.','Add rule group'=>'Lisää sääntöryhmä','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Tästä voit määrittää, missä muokkausnäkymässä tämä kenttäryhmä näytetään','Rules'=>'Säännöt','Copied'=>'Kopioitu','Copy to clipboard'=>'Kopioi leikepöydälle','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Valitse kenttäryhmät','No field groups selected'=>'Ei kenttäryhmää valittu','Generate PHP'=>'Luo PHP-koodi','Export Field Groups'=>'Vie kenttäryhmiä','Import file empty'=>'Tuotu tiedosto on tyhjä','Incorrect file type'=>'Virheellinen tiedostomuoto','Error uploading file. Please try again'=>'Virhe tiedostoa ladattaessa. Yritä uudelleen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Valitse JSON-tiedosto, jonka haluat tuoda. Kenttäryhmät tuodaan, kun klikkaat Tuo-painiketta.','Import Field Groups'=>'Tuo kenttäryhmiä','Sync'=>'Synkronointi','Select %s'=>'Valitse %s','Duplicate'=>'Monista','Duplicate this item'=>'Monista tämä kohde','Supports'=>'','Documentation'=>'','Description'=>'Kuvaus','Sync available'=>'Synkronointi saatavissa','Field group synchronized.'=>'Kenttäryhmä synkronoitu.' . "\0" . '%s kenttäryhmää synkronoitu.','Field group duplicated.'=>'Kenttäryhmä monistettu.' . "\0" . '%s kenttäryhmää monistettu.','Active (%s)'=>'Käytössä (%s)' . "\0" . 'Käytössä (%s)','Review sites & upgrade'=>'Tarkastele sivuja & päivitä','Upgrade Database'=>'Päivitä tietokanta','Custom Fields'=>'Lisäkentät','Move Field'=>'Siirrä kenttä','Please select the destination for this field'=>'Valitse kohde kentälle','The %1$s field can now be found in the %2$s field group'=>'Kenttä %1$s löytyy nyt kenttäryhmästä %2$s','Move Complete.'=>'Siirto valmis.','Active'=>'Käytössä','Field Keys'=>'Kenttäavaimet','Settings'=>'Asetukset','Location'=>'Sijainti','Null'=>'Tyhjä','copy'=>'kopio','(this field)'=>'(tämä kenttä)','Checked'=>'Valittu','Move Custom Field'=>'Siirrä muokattua kenttää','No toggle fields available'=>'Ei vaihtokenttiä saatavilla','Field group title is required'=>'Kenttäryhmän otsikko on pakollinen','This field cannot be moved until its changes have been saved'=>'Tätä kenttää ei voi siirtää ennen kuin muutokset on talletettu','The string "field_" may not be used at the start of a field name'=>'Merkkijonoa "field_" ei saa käyttää kentän nimen alussa','Field group draft updated.'=>'Luonnos kenttäryhmästä päivitetty.','Field group scheduled for.'=>'Kenttäryhmä ajoitettu.','Field group submitted.'=>'Kenttäryhmä lähetetty.','Field group saved.'=>'Kenttäryhmä tallennettu.','Field group published.'=>'Kenttäryhmä julkaistu.','Field group deleted.'=>'Kenttäryhmä poistettu.','Field group updated.'=>'Kenttäryhmä päivitetty.','Tools'=>'Työkalut','is not equal to'=>'ei ole sama kuin','is equal to'=>'on sama kuin','Forms'=>'Lomakkeet','Page'=>'Sivu','Post'=>'Artikkeli','Relational'=>'Relationaalinen','Choice'=>'Valintakentät','Basic'=>'Perus','Unknown'=>'Tuntematon','Field type does not exist'=>'Kenttätyyppi ei ole olemassa','Spam Detected'=>'Roskapostia havaittu','Post updated'=>'Artikkeli päivitetty','Update'=>'Päivitä','Validate Email'=>'Validoi sähköposti','Content'=>'Sisältö','Title'=>'Otsikko','Edit field group'=>'Muokkaa kenttäryhmää','Selection is less than'=>'Valinta on pienempi kuin','Selection is greater than'=>'Valinta on suurempi kuin','Value is less than'=>'Arvo on pienempi kuin','Value is greater than'=>'Arvo on suurempi kuin','Value contains'=>'Arvo sisältää','Value matches pattern'=>'Arvo vastaa kaavaa','Value is not equal to'=>'Arvo ei ole sama kuin','Value is equal to'=>'Arvo on sama kuin','Has no value'=>'Ei ole arvoa','Has any value'=>'On mitään arvoa','Cancel'=>'Peruuta','Are you sure?'=>'Oletko varma?','%d fields require attention'=>'%d kenttää vaativat huomiota','1 field requires attention'=>'Yksi kenttä vaatii huomiota','Validation failed'=>'Lisäkentän validointi epäonnistui','Validation successful'=>'Kenttäryhmän validointi onnistui','Restricted'=>'Rajoitettu','Collapse Details'=>'Vähemmän tietoja','Expand Details'=>'Enemmän tietoja','Uploaded to this post'=>'Tähän kenttäryhmään ladatut kuvat','verbUpdate'=>'Päivitä','verbEdit'=>'Muokkaa','The changes you made will be lost if you navigate away from this page'=>'Tekemäsi muutokset menetetään, jos siirryt pois tältä sivulta','File type must be %s.'=>'Tiedoston koko täytyy olla %s.','or'=>'tai','File size must not exceed %s.'=>'Tiedoston koko ei saa ylittää %s.','File size must be at least %s.'=>'Tiedoston koko täytyy olla vähintään %s.','Image height must not exceed %dpx.'=>'Kuvan korkeus ei saa ylittää %dpx.','Image height must be at least %dpx.'=>'Kuvan korkeus täytyy olla vähintään %dpx.','Image width must not exceed %dpx.'=>'Kuvan leveys ei saa ylittää %dpx.','Image width must be at least %dpx.'=>'Kuvan leveys täytyy olla vähintään %dpx.','(no title)'=>'(ei otsikkoa)','Full Size'=>'Täysikokoinen','Large'=>'Iso','Medium'=>'Keskikokoinen','Thumbnail'=>'Pienoiskuva','(no label)'=>'(ei nimiötä)','Sets the textarea height'=>'Aseta tekstialueen koko','Rows'=>'Rivit','Text Area'=>'Tekstialue','Prepend an extra checkbox to toggle all choices'=>'Näytetäänkö ”Valitse kaikki” -valintaruutu','Save \'custom\' values to the field\'s choices'=>'Tallenna \'Muu’-kentän arvo kentän valinta vaihtoehdoksi tulevaisuudessa','Allow \'custom\' values to be added'=>'Salli käyttäjän syöttää omia arvojaan','Add new choice'=>'Lisää uusi valinta','Toggle All'=>'Valitse kaikki','Allow Archives URLs'=>'Salli arkistojen URL-osoitteita','Archives'=>'Arkistot','Page Link'=>'Sivun URL','Add'=>'Lisää','Name'=>'Nimi','%s added'=>'%s lisättiin','%s already exists'=>'%s on jo olemassa','User unable to add new %s'=>'Käyttäjä ei voi lisätä uutta %s','Term ID'=>'Ehdon ID','Term Object'=>'Ehto','Load value from posts terms'=>'Lataa arvo artikkelin ehdoista','Load Terms'=>'Lataa ehdot','Connect selected terms to the post'=>'Yhdistä valitut ehdot artikkeliin','Save Terms'=>'Tallenna ehdot','Allow new terms to be created whilst editing'=>'Salli uusien ehtojen luominen samalla kun muokataan','Create Terms'=>'Uusien ehtojen luominen','Radio Buttons'=>'Valintanappi','Single Value'=>'Yksi arvo','Multi Select'=>'Valitse useita','Checkbox'=>'Valintaruutu','Multiple Values'=>'Useita arvoja','Select the appearance of this field'=>'Valitse ulkoasu tälle kenttälle','Appearance'=>'Ulkoasu','Select the taxonomy to be displayed'=>'Valitse taksonomia, joka näytetään','No TermsNo %s'=>'Ei %s','Value must be equal to or lower than %d'=>'Arvon täytyy olla sama tai pienempi kuin %d','Value must be equal to or higher than %d'=>'Arvon täytyy olla sama tai suurempi kuin %d','Value must be a number'=>'Arvon täytyy olla numero','Number'=>'Numero','Save \'other\' values to the field\'s choices'=>'Tallenna \'muu\'-kentän arvo kentän valinnaksi','Add \'other\' choice to allow for custom values'=>'Lisää \'muu\' vaihtoehto salliaksesi mukautettuja arvoja','Other'=>'Muu','Radio Button'=>'Valintanappi','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Määritä päätepiste aiemmalle haitarille. Tämä haitari ei tule näkyviin.','Allow this accordion to open without closing others.'=>'Salli tämän haitarin avautua sulkematta muita.','Multi-Expand'=>'Avaa useita','Display this accordion as open on page load.'=>'Näytä tämä haitari avoimena sivun latautuessa.','Open'=>'Avoinna','Accordion'=>'Haitari (Accordion)','Restrict which files can be uploaded'=>'Määritä tiedoston koko','File ID'=>'Tiedoston ID','File URL'=>'Tiedoston URL','File Array'=>'Tiedosto','Add File'=>'Lisää tiedosto','No file selected'=>'Ei valittua tiedostoa','File name'=>'Tiedoston nimi','Update File'=>'Päivitä tiedosto','Edit File'=>'Muokkaa tiedostoa','Select File'=>'Valitse tiedosto','File'=>'Tiedosto','Password'=>'Salasana','Specify the value returned'=>'Määritä palautetun arvon muoto','Use AJAX to lazy load choices?'=>'Haluatko ladata valinnat laiskasti (käyttää AJAXia)?','Enter each default value on a new line'=>'Syötä jokainen oletusarvo uudelle riville','verbSelect'=>'Valitse','Select2 JS load_failLoading failed'=>'Lataus epäonnistui','Select2 JS searchingSearching…'=>'Etsii…','Select2 JS load_moreLoading more results…'=>'Lataa lisää tuloksia …','Select2 JS selection_too_long_nYou can only select %d items'=>'Voit valita vain %d kohdetta','Select2 JS selection_too_long_1You can only select 1 item'=>'Voit valita vain yhden kohteen','Select2 JS input_too_long_nPlease delete %d characters'=>'Poista %d merkkiä','Select2 JS input_too_long_1Please delete 1 character'=>'Poista 1 merkki','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Kirjoita %d tai useampi merkkiä','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Kirjoita yksi tai useampi merkki','Select2 JS matches_0No matches found'=>'Osumia ei löytynyt','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d tulosta on saatavilla. Voit navigoida tuloksian välillä käyttämällä ”ylös” ja ”alas” -näppäimiä.','Select2 JS matches_1One result is available, press enter to select it.'=>'Yksi tulos on saatavilla. Valitse se painamalla enter-näppäintä.','nounSelect'=>'Valintalista','User ID'=>'Käyttäjätunnus','User Object'=>'Käyttäjäobjekti','User Array'=>'Käyttäjätaulukko','All user roles'=>'Kaikki käyttäjäroolit','Filter by Role'=>'Suodata roolin mukaan','User'=>'Käyttäjä','Separator'=>'Erotusmerkki','Select Color'=>'Valitse väri','Default'=>'Oletus','Clear'=>'Tyhjennä','Color Picker'=>'Värinvalitsin','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Valitse','Date Time Picker JS closeTextDone'=>'Sulje','Date Time Picker JS currentTextNow'=>'Nyt','Date Time Picker JS timezoneTextTime Zone'=>'Aikavyöhyke','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunti','Date Time Picker JS millisecTextMillisecond'=>'Millisekunti','Date Time Picker JS secondTextSecond'=>'Sekunti','Date Time Picker JS minuteTextMinute'=>'Minuutti','Date Time Picker JS hourTextHour'=>'Tunti','Date Time Picker JS timeTextTime'=>'Aika','Date Time Picker JS timeOnlyTitleChoose Time'=>'Valitse aika','Date Time Picker'=>'Päivämäärä- ja kellonaikavalitsin','Endpoint'=>'Päätepiste','Left aligned'=>'Tasaa vasemmalle','Top aligned'=>'Tasaa ylös','Placement'=>'Sijainti','Tab'=>'Välilehti','Value must be a valid URL'=>'Arvon täytyy olla validi URL','Link URL'=>'Linkin URL-osoite','Link Array'=>'Linkkitaulukko (array)','Opens in a new window/tab'=>'Avaa uuteen ikkunaan/välilehteen','Select Link'=>'Valitse linkki','Link'=>'Linkki','Email'=>'Sähköposti','Step Size'=>'Askelluksen koko','Maximum Value'=>'Maksimiarvo','Minimum Value'=>'Minimiarvo','Range'=>'Liukusäädin','Both (Array)'=>'Molemmat (palautusmuoto on tällöin taulukko)','Label'=>'Nimiö','Value'=>'Arvo','Vertical'=>'Pystysuuntainen','Horizontal'=>'Vaakasuuntainen','red : Red'=>'koira_istuu : Koira istuu','For more control, you may specify both a value and label like this:'=>'Halutessasi voit määrittää sekä arvon että nimiön tähän tapaan:','Enter each choice on a new line.'=>'Syötä jokainen valinta uudelle riville.','Choices'=>'Valinnat','Button Group'=>'Painikeryhmä','Allow Null'=>'Salli tyhjä?','Parent'=>'Vanhempi','TinyMCE will not be initialized until field is clicked'=>'TinyMCE:tä ei alusteta ennen kuin kenttää napsautetaan','Delay Initialization'=>'Viivytä alustusta?','Show Media Upload Buttons'=>'Näytä Lisää media -painike?','Toolbar'=>'Työkalupalkki','Text Only'=>'Vain teksti','Visual Only'=>'Vain graafinen','Visual & Text'=>'Graafinen ja teksti','Tabs'=>'Välilehdet','Click to initialize TinyMCE'=>'Klikkaa ottaaksesi käyttöön graafisen editorin','Name for the Text editor tab (formerly HTML)Text'=>'Teksti','Visual'=>'Graafinen','Value must not exceed %d characters'=>'Arvo ei saa olla suurempi kuin %d merkkiä','Leave blank for no limit'=>'Jos et halua rajoittaa, jätä tyhjäksi','Character Limit'=>'Merkkirajoitus','Appears after the input'=>'Näkyy input-kentän jälkeen','Append'=>'Loppuliite','Appears before the input'=>'Näkyy ennen input-kenttää','Prepend'=>'Etuliite','Appears within the input'=>'Näkyy input-kentän sisällä','Placeholder Text'=>'Täyteteksti','Appears when creating a new post'=>'Kentän oletusarvo','Text'=>'Teksti','%1$s requires at least %2$s selection'=>'%1$s vaatii vähintään %2$s valinnan' . "\0" . '%1$s vaatii vähintään %2$s valintaa','Post ID'=>'Artikkelin ID','Post Object'=>'Artikkeliolio','Maximum Posts'=>'Maksimimäärä artikkeleita','Minimum Posts'=>'Vähimmäismäärä artikkeleita','Featured Image'=>'Artikkelikuva','Selected elements will be displayed in each result'=>'Valitut elementit näytetään jokaisessa tuloksessa','Elements'=>'Elementit','Taxonomy'=>'Taksonomia','Post Type'=>'Artikkelityyppi','Filters'=>'Suodattimet','All taxonomies'=>'Kaikki taksonomiat','Filter by Taxonomy'=>'Suodata taksonomian mukaan','All post types'=>'Kaikki artikkelityypit','Filter by Post Type'=>'Suodata tyypin mukaan','Search...'=>'Etsi...','Select taxonomy'=>'Valitse taksonomia','Select post type'=>'Valitse artikkelityyppi','No matches found'=>'Ei yhtään osumaa','Loading'=>'Ladataan','Maximum values reached ( {max} values )'=>'Maksimiarvo saavutettu ( {max} artikkelia )','Relationship'=>'Suodata artikkeleita','Comma separated list. Leave blank for all types'=>'Erota pilkulla. Jätä tyhjäksi, jos haluat sallia kaikki tiedostyypit','Allowed File Types'=>'Sallitut tiedostotyypit','Maximum'=>'Maksimiarvo(t)','File size'=>'Tiedoston koko','Restrict which images can be uploaded'=>'Määritä millaisia kuvia voidaan ladata','Minimum'=>'Minimiarvo(t)','Uploaded to post'=>'Vain tähän artikkeliin ladatut','All'=>'Kaikki','Limit the media library choice'=>'Rajoita valintaa mediakirjastosta','Library'=>'Kirjasto','Preview Size'=>'Esikatselukuvan koko','Image ID'=>'Kuvan ID','Image URL'=>'Kuvan URL','Image Array'=>'Kuva','Specify the returned value on front end'=>'Määritä palautettu arvo front endiin','Return Value'=>'Palauta arvo','Add Image'=>'Lisää kuva','No image selected'=>'Ei kuvia valittu','Remove'=>'Poista','Edit'=>'Muokkaa','All images'=>'Kaikki kuvat','Update Image'=>'Päivitä kuva','Edit Image'=>'Muokkaa kuvaa','Select Image'=>'Valitse kuva','Image'=>'Kuva','Allow HTML markup to display as visible text instead of rendering'=>'Salli HTML-muotoilun näkyminen tekstinä renderöinnin sijaan','Escape HTML'=>'Escape HTML','No Formatting'=>'Ei muotoilua','Automatically add <br>'=>'Lisää automaattisesti <br>','Automatically add paragraphs'=>'Lisää automaattisesti kappale','Controls how new lines are rendered'=>'Määrittää kuinka uudet rivit muotoillaan','New Lines'=>'Uudet rivit','Week Starts On'=>'Viikon ensimmäinen päivä','The format used when saving a value'=>'Arvo tallennetaan tähän muotoon','Save Format'=>'Tallennusmuoto','Date Picker JS weekHeaderWk'=>'Vk','Date Picker JS prevTextPrev'=>'Edellinen','Date Picker JS nextTextNext'=>'Seuraava','Date Picker JS currentTextToday'=>'Tänään','Date Picker JS closeTextDone'=>'Sulje','Date Picker'=>'Päivämäärävalitsin','Width'=>'Leveys','Embed Size'=>'Upotuksen koko','Enter URL'=>'Syötä URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Teksti, joka näytetään kun valinta ei ole aktiivinen','Off Text'=>'Pois päältä -teksti','Text shown when active'=>'Teksti, joka näytetään kun valinta on aktiivinen','On Text'=>'Päällä -teksti','Stylized UI'=>'Tyylikäs käyttöliittymä','Default Value'=>'Oletusarvo','Displays text alongside the checkbox'=>'Näytä teksti valintaruudun rinnalla','Message'=>'Viesti','No'=>'Ei','Yes'=>'Kyllä','True / False'=>'”Tosi / Epätosi” -valinta','Row'=>'Rivi','Table'=>'Taulukko','Block'=>'Lohko','Specify the style used to render the selected fields'=>'Määritä tyyli, jota käytetään valittujen kenttien luomisessa','Layout'=>'Asettelu','Sub Fields'=>'Alakentät','Group'=>'Ryhmä','Customize the map height'=>'Kartan korkeuden mukauttaminen','Height'=>'Korkeus','Set the initial zoom level'=>'Aseta oletuszoomaus','Zoom'=>'Zoomaus','Center the initial map'=>'Kartan oletussijainti','Center'=>'Sijainti','Search for address...'=>'Etsi osoite...','Find current location'=>'Etsi nykyinen sijainti','Clear location'=>'Tyhjennä paikkatieto','Search'=>'Etsi','Sorry, this browser does not support geolocation'=>'Pahoittelut, tämä selain ei tue paikannusta','Google Map'=>'Google-kartta','The format returned via template functions'=>'Sivupohjan funktioiden palauttama päivämäärän muoto','Return Format'=>'Palautusmuoto','Custom:'=>'Mukautettu:','The format displayed when editing a post'=>'Päivämäärän muoto muokkausnäkymässä','Display Format'=>'Muokkausnäkymän muoto','Time Picker'=>'Kellonaikavalitsin','Inactive (%s)'=>'Poistettu käytöstä (%s)' . "\0" . 'Poistettu käytöstä (%s)','No Fields found in Trash'=>'Kenttiä ei löytynyt roskakorista','No Fields found'=>'Ei löytynyt kenttiä','Search Fields'=>'Etsi kenttiä','View Field'=>'Näytä kenttä','New Field'=>'Uusi kenttä','Edit Field'=>'Muokkaa kenttää','Add New Field'=>'Lisää uusi kenttä','Field'=>'Kenttä','Fields'=>'Kentät','No Field Groups found in Trash'=>'Kenttäryhmiä ei löytynyt roskakorista','No Field Groups found'=>'Kenttäryhmiä ei löytynyt','Search Field Groups'=>'Etsi kenttäryhmiä','View Field Group'=>'Katso kenttäryhmää','New Field Group'=>'Lisää uusi kenttäryhmä','Edit Field Group'=>'Muokkaa kenttäryhmää','Add New Field Group'=>'Lisää uusi kenttäryhmä','Add New'=>'Lisää uusi','Field Group'=>'Kenttäryhmä','Field Groups'=>'Kenttäryhmät','Customize WordPress with powerful, professional and intuitive fields.'=>'Mukauta WordPressiä tehokkailla, ammattimaisilla ja intuitiivisilla kentillä.','https://www.advancedcustomfields.com'=>'http://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Lohkotyypin nimi on pakollinen.','Block type "%s" is already registered.'=>'Lohkotyyppi "%s" on jo rekisteröity.','Switch to Edit'=>'Siirry muokkaamaan','Switch to Preview'=>'Siirry esikatseluun','Change content alignment'=>'Sisällön tasauksen muuttaminen','%s settings'=>'%s asetusta','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Asetukset päivitetty','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Ottaaksesi käyttöön päivitykset, syötä lisenssiavaimesi Päivitykset -sivulle. Jos sinulla ei ole lisenssiavainta, katso tiedot ja hinnoittelu.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF:n aktivointivirhe. Määritetty käyttöoikeusavain on muuttunut, mutta vanhan käyttöoikeuden poistamisessa tapahtui virhe','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF:n aktivointivirhe. Määritetty käyttöoikeusavain on muuttunut, mutta aktivointipalvelimeen yhdistämisessä tapahtui virhe','ACF Activation Error'=>'ACF:n aktivointivirhe','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF käynnistysvirhe. Tapahtui virhe päivityspalvelimeen yhdistettäessä','Check Again'=>'Tarkista uudelleen','ACF Activation Error. Could not connect to activation server'=>'ACF käynnistysvirhe. Ei voitu yhdistää käynnistyspalvelimeen','Publish'=>'Julkaistu','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Yhtään lisäkenttäryhmää ei löytynyt tälle asetussivulle. Luo lisäkenttäryhmä','Error. Could not connect to update server'=>'Virhe. Ei voitu yhdistää päivityspalvelimeen','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Virhe. Päivityspakettia ei voitu todentaa. Tarkista uudelleen tai poista käytöstä ACF PRO -lisenssi ja aktivoi se uudelleen.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Virhe. Lisenssisi on umpeutunut tai poistettu käytöstä. Aktivoi ACF PRO -lisenssisi uudelleen.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Valitse kentät, jotka haluat kopioida','Display'=>'Näytä','Specify the style used to render the clone field'=>'Määritä tyyli, jota käytetään kloonikentän luomisessa','Group (displays selected fields in a group within this field)'=>'Ryhmä (valitut kentät näytetään ryhmänä tämän klooni-kentän sisällä)','Seamless (replaces this field with selected fields)'=>'Saumaton (korvaa tämä klooni-kenttä valituilla kentillä)','Labels will be displayed as %s'=>'Kentän nimiö näytetään seuraavassa muodossa: %s','Prefix Field Labels'=>'Kentän nimiön etuliite','Values will be saved as %s'=>'Arvot tallennetaan muodossa: %s','Prefix Field Names'=>'Kentän nimen etuliite','Unknown field'=>'Tuntematon kenttä','Unknown field group'=>'Tuntematon kenttäryhmä','All fields from %s field group'=>'Kaikki kentät kenttäryhmästä %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Lisää rivi','layout'=>'asettelu' . "\0" . 'asettelut','layouts'=>'asettelua','This field requires at least {min} {label} {identifier}'=>'Tämä kenttä vaatii vähintään {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Tämän kentän yläraja on {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} saatavilla (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} vaadittu (min {min})','Flexible Content requires at least 1 layout'=>'Vaaditaan vähintään yksi asettelu','Click the "%s" button below to start creating your layout'=>'Klikkaa ”%s” -painiketta luodaksesi oman asettelun','Add layout'=>'Lisää asettelu','Duplicate layout'=>'Monista asettelu','Remove layout'=>'Poista asettelu','Click to toggle'=>'Piilota/Näytä','Delete Layout'=>'Poista asettelu','Duplicate Layout'=>'Monista asettelu','Add New Layout'=>'Lisää uusi asettelu','Add Layout'=>'Lisää asettelu','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Asetteluita vähintään','Maximum Layouts'=>'Asetteluita enintään','Button Label'=>'Painikkeen teksti','%s must be of type array or null.'=>'%s tyypin on oltava matriisi tai tyhjä.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s täytyy sisältää vähintään %2$s %3$s asettelu.' . "\0" . '%1$s täytyy sisältää vähintään %2$s %3$s asettelua.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s täytyy sisältää korkeintaan %2$s %3$s asettelu.' . "\0" . '%1$s täytyy sisältää korkeintaan %2$s %3$s asettelua.','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Lisää kuva galleriaan','Maximum selection reached'=>'Et voi valita enempää kuvia','Length'=>'Pituus','Caption'=>'Kuvateksti','Alt Text'=>'Vaihtoehtoinen teksti','Add to gallery'=>'Lisää galleriaan','Bulk actions'=>'Massatoiminnot','Sort by date uploaded'=>'Lajittele latauksen päivämäärän mukaan','Sort by date modified'=>'Lajittele viimeisimmän muokkauksen päivämäärän mukaan','Sort by title'=>'Lajittele otsikon mukaan','Reverse current order'=>'Käännän nykyinen järjestys','Close'=>'Sulje','Minimum Selection'=>'Pienin määrä kuvia','Maximum Selection'=>'Suurin määrä kuvia','Allowed file types'=>'Sallitut tiedostotyypit','Insert'=>'Lisää','Specify where new attachments are added'=>'Määritä mihin uudet liitteet lisätään','Append to the end'=>'Lisää loppuun','Prepend to the beginning'=>'Lisää alkuun','Minimum rows not reached ({min} rows)'=>'Pienin määrä rivejä saavutettu ({min} riviä)','Maximum rows reached ({max} rows)'=>'Suurin määrä rivejä saavutettu ({max} riviä)','Error loading page'=>'Virhe ladattaessa kenttää.','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Artikkelit -sivu','Set the number of rows to be displayed on a page.'=>'Valitse taksonomia, joka näytetään','Minimum Rows'=>'Pienin määrä rivejä','Maximum Rows'=>'Suurin määrä rivejä','Collapsed'=>'Piilotettu','Select a sub field to show when row is collapsed'=>'Valitse alakenttä, joka näytetään, kun rivi on piilotettu','Invalid field key or name.'=>'Virheellinen kenttäryhmän tunnus.','There was an error retrieving the field.'=>'','Click to reorder'=>'Muuta järjestystä vetämällä ja pudottamalla','Add row'=>'Lisää rivi','Duplicate row'=>'Monista rivi','Remove row'=>'Poista rivi','Current Page'=>'Nykyinen käyttäjä','First Page'=>'Etusivu','Previous Page'=>'Artikkelit -sivu','paging%1$s of %2$s'=>'%1$s ei ole yksi näistä: %2$s','Next Page'=>'Etusivu','Last Page'=>'Artikkelit -sivu','No block types exist'=>'Lohkotyyppejä ei ole','No options pages exist'=>'Yhtään asetussivua ei ole olemassa','Deactivate License'=>'Poista lisenssi käytöstä','Activate License'=>'Aktivoi lisenssi','License Information'=>'Näytä lisenssitiedot','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Ottaaksesi käyttöön päivitykset, syötä alle lisenssiavaimesi. Jos sinulla ei ole lisenssiavainta, katso tarkemmat tiedot ja hinnoittelu.','License Key'=>'Lisenssiavain','Your license key is defined in wp-config.php.'=>'Käyttöoikeusavain on määritelty wp-config.php:ssa.','Retry Activation'=>'Yritä aktivointia uudelleen','Update Information'=>'Päivitä tiedot','Current Version'=>'Nykyinen versio','Latest Version'=>'Uusin versio','Update Available'=>'Päivitys saatavilla','Upgrade Notice'=>'Päivitys Ilmoitus','Check For Updates'=>'','Enter your license key to unlock updates'=>'Syötä lisenssiavain saadaksesi päivityksiä','Update Plugin'=>'Päivitä lisäosa','Please reactivate your license to unlock updates'=>'Aktivoi käyttöoikeus saadaksesi päivityksiä'],'language'=>'fi','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fi.mo b/lang/acf-fi.mo
index b537a3d..1e638b0 100644
Binary files a/lang/acf-fi.mo and b/lang/acf-fi.mo differ
diff --git a/lang/acf-fi.po b/lang/acf-fi.po
index dba5622..62d873b 100644
--- a/lang/acf-fi.po
+++ b/lang/acf-fi.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: fi\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2021,21 +2037,21 @@ msgstr "Lisää kenttiä"
msgid "This Field"
msgstr "Tämä kenttä"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Palaute"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Tuki"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "kehittää ja ylläpitää"
@@ -4450,7 +4466,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr ""
@@ -4769,7 +4785,7 @@ msgstr ""
msgid "Move field group to trash?"
msgstr ""
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4782,7 +4798,7 @@ msgstr ""
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4791,7 +4807,7 @@ msgstr ""
"olla käytössä yhtäaikaa. Suljimme Advanced Custom Fields PRO -lisäosan "
"automaattisesti."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5242,7 +5258,7 @@ msgstr "Kaikki %s muodot"
msgid "Attachment"
msgstr "Liite"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s arvo on pakollinen"
@@ -5731,7 +5747,7 @@ msgstr "Monista tämä kohde"
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr ""
@@ -6028,8 +6044,8 @@ msgstr "%d kenttää vaativat huomiota"
msgid "1 field requires attention"
msgstr "Yksi kenttä vaatii huomiota"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Lisäkentän validointi epäonnistui"
@@ -7406,90 +7422,90 @@ msgid "Time Picker"
msgstr "Kellonaikavalitsin"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Poistettu käytöstä (%s)"
msgstr[1] "Poistettu käytöstä (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Kenttiä ei löytynyt roskakorista"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Ei löytynyt kenttiä"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Etsi kenttiä"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Näytä kenttä"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Uusi kenttä"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Muokkaa kenttää"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Lisää uusi kenttä"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Kenttä"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Kentät"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Kenttäryhmiä ei löytynyt roskakorista"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Kenttäryhmiä ei löytynyt"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Etsi kenttäryhmiä"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Katso kenttäryhmää"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Lisää uusi kenttäryhmä"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Muokkaa kenttäryhmää"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Lisää uusi kenttäryhmä"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Lisää uusi"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Kenttäryhmä"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-fr_CA.l10n.php b/lang/acf-fr_CA.l10n.php
index 1d7c4e6..aa83378 100644
--- a/lang/acf-fr_CA.l10n.php
+++ b/lang/acf-fr_CA.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'fr_CA','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Le nom de type de bloc est requis.','Block type "%s" is already registered.'=>'Le type de bloc "%s" est déjà enregistré.','Switch to Edit'=>'Passer en Édition','Switch to Preview'=>'Passer en Prévisualisation','%s settings'=>'Réglages de %s','Options'=>'Options','Update'=>'Mise à jour','Options Updated'=>'Options mises à jours','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pour activer les mises à jour, veuillez entrer votre clé de licence sur la page Mises à jour. Si vous n’en avez pas, rendez-vous sur nos détails & tarifs.','ACF Activation Error. An error occurred when connecting to activation server'=>'Erreur. Impossible de joindre le serveur','Check Again'=>'Vérifier à nouveau','ACF Activation Error. Could not connect to activation server'=>'Erreur. Impossible de joindre le serveur','Publish'=>'Publier','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Aucun groupe de champs trouvé pour cette page d’options. Créer un groupe de champs','Edit field group'=>'Modifier le groupe de champs','Error. Could not connect to update server'=>'Erreur. Impossible de joindre le serveur','Updates'=>'Mises à jour','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erreur. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erreur. 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.','nounClone'=>'Clone','Fields'=>'Champs','Select one or more fields you wish to clone'=>'Sélectionnez un ou plusieurs champs à cloner','Display'=>'Format d’affichage','Specify the style used to render the clone field'=>'Définit le style utilisé pour générer le champ dupliqué','Group (displays selected fields in a group within this field)'=>'Groupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)','Seamless (replaces this field with selected fields)'=>'Remplace ce champ par les champs sélectionnés','Layout'=>'Mise en page','Specify the style used to render the selected fields'=>'Style utilisé pour générer les champs sélectionnés','Block'=>'Bloc','Table'=>'Tableau','Row'=>'Rangée','Labels will be displayed as %s'=>'Les labels seront affichés en tant que %s','Prefix Field Labels'=>'Préfixer les labels de champs','Values will be saved as %s'=>'Les valeurs seront enregistrées en tant que %s','Prefix Field Names'=>'Préfixer les noms de champs','Unknown field'=>'Champ inconnu','(no title)'=>'(sans titre)','Unknown field group'=>'Groupe de champ inconnu','All fields from %s field group'=>'Tous les champs du groupe %s','Flexible Content'=>'Contenu flexible','Add Row'=>'Ajouter un élément','layout'=>'mise-en-forme' . "\0" . 'mises-en-forme','layouts'=>'mises-en-forme','This field requires at least {min} {label} {identifier}'=>'Ce champ requiert au moins {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Ce champ a une limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} requis (min {min})','Flexible Content requires at least 1 layout'=>'Le contenu flexible nécessite au moins une mise-en-forme','Click the "%s" button below to start creating your layout'=>'Cliquez sur le bouton « %s » ci-dessous pour créer votre première mise-en-forme','Drag to reorder'=>'Faites glisser pour réorganiser','Add layout'=>'Ajouter une mise-en-forme','Duplicate layout'=>'Dupliquer la mise-en-forme','Remove layout'=>'Retirer la mise-en-forme','Click to toggle'=>'Cliquer pour intervertir','Delete Layout'=>'Supprimer la mise-en-forme','Duplicate Layout'=>'Dupliquer la mise-en-forme','Add New Layout'=>'Ajouter une nouvelle mise-en-forme','Add Layout'=>'Ajouter une mise-en-forme','Label'=>'Intitulé','Name'=>'Nom','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Nombre minimum de mises-en-forme','Maximum Layouts'=>'Nombre maximum de mises-en-forme','Button Label'=>'Intitulé du bouton','Gallery'=>'Galerie','Add Image to Gallery'=>'Ajouter l’image à la galerie','Maximum selection reached'=>'Nombre de sélections maximales atteint','Length'=>'Longueur','Edit'=>'Modifier','Remove'=>'Enlever','Title'=>'Titre','Caption'=>'Légende','Alt Text'=>'Texte alternatif','Description'=>'Description','Add to gallery'=>'Ajouter à la galerie','Bulk actions'=>'Actions de groupe','Sort by date uploaded'=>'Ordonner par date d’import','Sort by date modified'=>'Ranger par date de modification','Sort by title'=>'Ranger par titre','Reverse current order'=>'Inverser l’ordre actuel','Close'=>'Fermer','Return Format'=>'Format de la valeur retournée','Image Array'=>'Données de l’image (tableau/Array)','Image URL'=>'URL de l‘image','Image ID'=>'ID de l‘image','Library'=>'Média','Limit the media library choice'=>'Limiter le choix dans la médiathèque','All'=>'Tous','Uploaded to post'=>'Liés à cet article','Minimum Selection'=>'Nombre minimum','Maximum Selection'=>'Nombre maximum','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Restreindre les images envoyées','Width'=>'Largeur','Height'=>'Hauteur','File size'=>'Taille du fichier','Maximum'=>'Maximum','Allowed file types'=>'Types de fichiers autorisés','Comma separated list. Leave blank for all types'=>'Extensions autorisées séparées par une virgule. Laissez vide pour autoriser toutes les extensions','Insert'=>'Insérer','Specify where new attachments are added'=>'Définir où les nouveaux fichiers attachés sont ajoutés','Append to the end'=>'Ajouter à la fin','Prepend to the beginning'=>'Insérer au début','Preview Size'=>'Taille de prévisualisation','%1$s requires at least %2$s selection'=>'%s requiert au moins %s sélection' . "\0" . '%s requiert au moins %s sélections','Repeater'=>'Répéteur','Minimum rows not reached ({min} rows)'=>'Nombre minimum d’éléments atteint ({min} éléments)','Maximum rows reached ({max} rows)'=>'Nombre maximum d’éléments atteint ({max} éléments)','Error loading page'=>'Échec du chargement du champ.','Sub Fields'=>'Sous-champs','Pagination'=>'Position','Rows Per Page'=>'Page des articles','Set the number of rows to be displayed on a page.'=>'Choisissez la taxonomie à afficher','Minimum Rows'=>'Nombre minimum d’éléments','Maximum Rows'=>'Nombre maximum d’éléments','Collapsed'=>'Replié','Select a sub field to show when row is collapsed'=>'Choisir un sous champ à afficher lorsque l’élément est replié','Invalid nonce.'=>'Nonce invalide.','Invalid field key or name.'=>'Nonce invalide.','Click to reorder'=>'Faites glisser pour réorganiser','Add row'=>'Ajouter un élément','Duplicate row'=>'Dupliquer','Remove row'=>'Retirer l’élément','Current Page'=>'Utilisateur courant','First Page'=>'Page d’accueil','Previous Page'=>'Page des articles','Next Page'=>'Page d’accueil','Last Page'=>'Page des articles','No block types exist'=>'Aucune page d’option n’existe','Options Page'=>'Page d‘options','No options pages exist'=>'Aucune page d’option n’existe','Deactivate License'=>'Désactiver la licence','Activate License'=>'Activer votre licence','License Information'=>'Informations sur la licence','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Pour débloquer les mises à jour, veuillez entrer votre clé de licence ci-dessous. Si vous n’en avez pas, rendez-vous sur nos détails & tarifs.','License Key'=>'Code de licence','Retry Activation'=>'Meilleure validation','Update Information'=>'Informations concernant les mises à jour','Current Version'=>'Version installée','Latest Version'=>'Version disponible','Update Available'=>'Mise à jour disponible','No'=>'Non','Yes'=>'Oui','Upgrade Notice'=>'Informations de mise à niveau','Enter your license key to unlock updates'=>'Entrez votre clé de licence ci-dessus pour activer les mises à jour','Update Plugin'=>'Mettre à jour l’extension','Please reactivate your license to unlock updates'=>'Entrez votre clé de licence ci-dessus pour activer les mises à jour']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Le nom de type de bloc est requis.','Block type "%s" is already registered.'=>'Le type de bloc "%s" est déjà enregistré.','Switch to Edit'=>'Passer en Édition','Switch to Preview'=>'Passer en Prévisualisation','Change content alignment'=>'','%s settings'=>'Réglages de %s','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Options','Update'=>'Mise à jour','Options Updated'=>'Options mises à jours','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pour activer les mises à jour, veuillez entrer votre clé de licence sur la page Mises à jour. Si vous n’en avez pas, rendez-vous sur nos détails & tarifs.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Erreur. Impossible de joindre le serveur','Check Again'=>'Vérifier à nouveau','ACF Activation Error. Could not connect to activation server'=>'Erreur. Impossible de joindre le serveur','Publish'=>'Publier','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Aucun groupe de champs trouvé pour cette page d’options. Créer un groupe de champs','Edit field group'=>'Modifier le groupe de champs','Error. Could not connect to update server'=>'Erreur. Impossible de joindre le serveur','Updates'=>'Mises à jour','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erreur. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erreur. 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.','nounClone'=>'Clone','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Champs','Select one or more fields you wish to clone'=>'Sélectionnez un ou plusieurs champs à cloner','Display'=>'Format d’affichage','Specify the style used to render the clone field'=>'Définit le style utilisé pour générer le champ dupliqué','Group (displays selected fields in a group within this field)'=>'Groupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)','Seamless (replaces this field with selected fields)'=>'Remplace ce champ par les champs sélectionnés','Layout'=>'Mise en page','Specify the style used to render the selected fields'=>'Style utilisé pour générer les champs sélectionnés','Block'=>'Bloc','Table'=>'Tableau','Row'=>'Rangée','Labels will be displayed as %s'=>'Les labels seront affichés en tant que %s','Prefix Field Labels'=>'Préfixer les labels de champs','Values will be saved as %s'=>'Les valeurs seront enregistrées en tant que %s','Prefix Field Names'=>'Préfixer les noms de champs','Unknown field'=>'Champ inconnu','(no title)'=>'(sans titre)','Unknown field group'=>'Groupe de champ inconnu','All fields from %s field group'=>'Tous les champs du groupe %s','Flexible Content'=>'Contenu flexible','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Ajouter un élément','layout'=>'mise-en-forme' . "\0" . 'mises-en-forme','layouts'=>'mises-en-forme','This field requires at least {min} {label} {identifier}'=>'Ce champ requiert au moins {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Ce champ a une limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} requis (min {min})','Flexible Content requires at least 1 layout'=>'Le contenu flexible nécessite au moins une mise-en-forme','Click the "%s" button below to start creating your layout'=>'Cliquez sur le bouton « %s » ci-dessous pour créer votre première mise-en-forme','Drag to reorder'=>'Faites glisser pour réorganiser','Add layout'=>'Ajouter une mise-en-forme','Duplicate layout'=>'Dupliquer la mise-en-forme','Remove layout'=>'Retirer la mise-en-forme','Click to toggle'=>'Cliquer pour intervertir','Delete Layout'=>'Supprimer la mise-en-forme','Duplicate Layout'=>'Dupliquer la mise-en-forme','Add New Layout'=>'Ajouter une nouvelle mise-en-forme','Add Layout'=>'Ajouter une mise-en-forme','Label'=>'Intitulé','Name'=>'Nom','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Nombre minimum de mises-en-forme','Maximum Layouts'=>'Nombre maximum de mises-en-forme','Button Label'=>'Intitulé du bouton','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','Gallery'=>'Galerie','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Ajouter l’image à la galerie','Maximum selection reached'=>'Nombre de sélections maximales atteint','Length'=>'Longueur','Edit'=>'Modifier','Remove'=>'Enlever','Title'=>'Titre','Caption'=>'Légende','Alt Text'=>'Texte alternatif','Description'=>'Description','Add to gallery'=>'Ajouter à la galerie','Bulk actions'=>'Actions de groupe','Sort by date uploaded'=>'Ordonner par date d’import','Sort by date modified'=>'Ranger par date de modification','Sort by title'=>'Ranger par titre','Reverse current order'=>'Inverser l’ordre actuel','Close'=>'Fermer','Return Format'=>'Format de la valeur retournée','Image Array'=>'Données de l’image (tableau/Array)','Image URL'=>'URL de l‘image','Image ID'=>'ID de l‘image','Library'=>'Média','Limit the media library choice'=>'Limiter le choix dans la médiathèque','All'=>'Tous','Uploaded to post'=>'Liés à cet article','Minimum Selection'=>'Nombre minimum','Maximum Selection'=>'Nombre maximum','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Restreindre les images envoyées','Width'=>'Largeur','Height'=>'Hauteur','File size'=>'Taille du fichier','Maximum'=>'Maximum','Allowed file types'=>'Types de fichiers autorisés','Comma separated list. Leave blank for all types'=>'Extensions autorisées séparées par une virgule. Laissez vide pour autoriser toutes les extensions','Insert'=>'Insérer','Specify where new attachments are added'=>'Définir où les nouveaux fichiers attachés sont ajoutés','Append to the end'=>'Ajouter à la fin','Prepend to the beginning'=>'Insérer au début','Preview Size'=>'Taille de prévisualisation','%1$s requires at least %2$s selection'=>'%s requiert au moins %s sélection' . "\0" . '%s requiert au moins %s sélections','Repeater'=>'Répéteur','Minimum rows not reached ({min} rows)'=>'Nombre minimum d’éléments atteint ({min} éléments)','Maximum rows reached ({max} rows)'=>'Nombre maximum d’éléments atteint ({max} éléments)','Error loading page'=>'Échec du chargement du champ.','Order will be assigned upon save'=>'','Sub Fields'=>'Sous-champs','Pagination'=>'Position','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Page des articles','Set the number of rows to be displayed on a page.'=>'Choisissez la taxonomie à afficher','Minimum Rows'=>'Nombre minimum d’éléments','Maximum Rows'=>'Nombre maximum d’éléments','Collapsed'=>'Replié','Select a sub field to show when row is collapsed'=>'Choisir un sous champ à afficher lorsque l’élément est replié','Invalid nonce.'=>'Nonce invalide.','Invalid field key or name.'=>'Nonce invalide.','There was an error retrieving the field.'=>'','Click to reorder'=>'Faites glisser pour réorganiser','Add row'=>'Ajouter un élément','Duplicate row'=>'Dupliquer','Remove row'=>'Retirer l’élément','Current Page'=>'Utilisateur courant','First Page'=>'Page d’accueil','Previous Page'=>'Page des articles','paging%1$s of %2$s'=>'','Next Page'=>'Page d’accueil','Last Page'=>'Page des articles','No block types exist'=>'Aucune page d’option n’existe','Options Page'=>'Page d‘options','No options pages exist'=>'Aucune page d’option n’existe','Deactivate License'=>'Désactiver la licence','Activate License'=>'Activer votre licence','License Information'=>'Informations sur la licence','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Pour débloquer les mises à jour, veuillez entrer votre clé de licence ci-dessous. Si vous n’en avez pas, rendez-vous sur nos détails & tarifs.','License Key'=>'Code de licence','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Meilleure validation','Update Information'=>'Informations concernant les mises à jour','Current Version'=>'Version installée','Latest Version'=>'Version disponible','Update Available'=>'Mise à jour disponible','No'=>'Non','Yes'=>'Oui','Upgrade Notice'=>'Informations de mise à niveau','Check For Updates'=>'','Enter your license key to unlock updates'=>'Entrez votre clé de licence ci-dessus pour activer les mises à jour','Update Plugin'=>'Mettre à jour l’extension','Please reactivate your license to unlock updates'=>'Entrez votre clé de licence ci-dessus pour activer les mises à jour'],'language'=>'fr_CA','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fr_CA.mo b/lang/acf-fr_CA.mo
index deb86b4..5f96cb1 100644
Binary files a/lang/acf-fr_CA.mo and b/lang/acf-fr_CA.mo differ
diff --git a/lang/acf-fr_CA.po b/lang/acf-fr_CA.po
index ebbe5f8..359ff33 100644
--- a/lang/acf-fr_CA.po
+++ b/lang/acf-fr_CA.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: fr_CA\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-fr_FR.l10n.php b/lang/acf-fr_FR.l10n.php
index 7d9aabf..52ebbf0 100644
--- a/lang/acf-fr_FR.l10n.php
+++ b/lang/acf-fr_FR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'fr_FR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF n’a pas pu effectuer la validation en raison d’un nonce de sécurité invalide.','Allow Access to Value in Editor UI'=>'Autoriser l’accès à la valeur dans l’interface de l’éditeur','Learn more.'=>'En savoir plus.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Autoriser aux éditeurs et éditrices de contenu d’accéder à la valeur du champ et de l’afficher dans l’interface de l’éditeur en utilisant les blocs bindings ou le code court ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Le type de champ ACF demandé ne prend pas en charge la sortie via les Block Bindings ou le code court ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Le champ ACF demandé n’est pas autorisé à être affiché via les bindings ou le code court ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Le type de champ ACF demandé ne prend pas en charge l’affichage via les bindings ou le code court ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Le code court ACF ne peut pas afficher les champs des publications non publiques]','[The ACF shortcode is disabled on this site]'=>'[Le code court ACF est désactivé sur ce site]','Businessman Icon'=>'Icône d’homme d’affaires','Forums Icon'=>'Icône de forums','YouTube Icon'=>'Icône YouTube','Yes (alt) Icon'=>'Icône Oui (alt)','Xing Icon'=>'Icône Xing','WordPress (alt) Icon'=>'Icône WordPress (alt)','WhatsApp Icon'=>'Icône WhatsApp','Write Blog Icon'=>'Icône Rédaction de blog','Widgets Menus Icon'=>'Icône de widgets de menus','View Site Icon'=>'Voir l’icône du site','Learn More Icon'=>'Icône En savoir plus','Add Page Icon'=>'Icône Ajouter une page','Video (alt3) Icon'=>'Icône Vidéo (alt3)','Video (alt2) Icon'=>'Icône vidéo (alt2)','Video (alt) Icon'=>'Icône vidéo (alt)','Update (alt) Icon'=>'Icône de mise à jour (alt)','Twitter (alt) Icon'=>'Icône Twitter (alt)','Twitch Icon'=>'Icône Twitch','Tide Icon'=>'Icône de marée','Tickets (alt) Icon'=>'Icône de billets (alt)','Text Page Icon'=>'Icône de page de texte','Superhero Icon'=>'Icône de super-héros','Spotify Icon'=>'Icône Spotify','Shortcode Icon'=>'Icône de code court','Shield (alt) Icon'=>'Icône de bouclier (alt)','Share (alt2) Icon'=>'Icône de partage (alt2)','Share (alt) Icon'=>'Icône de partage (alt)','Saved Icon'=>'Icône enregistrée','RSS Icon'=>'Icône RSS','REST API Icon'=>'Icône d’API REST','Remove Icon'=>'Retirer l’icône','Reddit Icon'=>'Icône Reddit','Privacy Icon'=>'Icône de confidentialité','Printer Icon'=>'Icône d’imprimante','Podio Icon'=>'Icône Podio','Plus (alt2) Icon'=>'Icône Plus (alt2)','Plus (alt) Icon'=>'Icône Plus (alt)','Plugins Checked Icon'=>'Icône d’extensions cochée','Pinterest Icon'=>'Icône Pinterest','Pets Icon'=>'Icône d’animaux','PDF Icon'=>'Icône de PDF','Palm Tree Icon'=>'Icône de palmier','Open Folder Icon'=>'Icône d’ouverture du dossier','No (alt) Icon'=>'Pas d’icône (alt)','Money (alt) Icon'=>'Icône d’argent (alt)','Spreadsheet Icon'=>'Icône de feuille de calcul','Interactive Icon'=>'Icône interactive','Document Icon'=>'Icône de document','Default Icon'=>'Icône par défaut','LinkedIn Icon'=>'Icône LinkedIn','Instagram Icon'=>'Icône Instagram','Insert Icon'=>'Insérer un icône','Rotate Icon'=>'Icône de rotation','Crop Icon'=>'Icône de recadrage','ID (alt) Icon'=>'Icône d’ID (alt)','HTML Icon'=>'Icône HTML','Hourglass Icon'=>'Icône de sablier','Heading Icon'=>'Icône de titre','Google Icon'=>'Icône Google','Games Icon'=>'Icône de jeux','Fullscreen (alt) Icon'=>'Icône plein écran (alt)','Status Icon'=>'Icône d’état','Image Icon'=>'Icône d’image','Gallery Icon'=>'Icône de galerie','Chat Icon'=>'Icône de chat','Audio Icon'=>'Icône audio','Aside Icon'=>'Icône Aparté','Food Icon'=>'Icône d’alimentation','Exit Icon'=>'Icône de sortie','Ellipsis Icon'=>'Icône de points de suspension','RTL Icon'=>'Icône RTL','LTR Icon'=>'Icône LTR','Custom Character Icon'=>'Icône de caractère personnalisé','Drumstick Icon'=>'Icône de pilon','Database Icon'=>'Icône de base de données','Repeat Icon'=>'Icône de répétition','Play Icon'=>'Icône de lecture','Pause Icon'=>'Icône de pause','Forward Icon'=>'Icône de transfert','Back Icon'=>'Icône de retour','Columns Icon'=>'Icône de colonnes','Color Picker Icon'=>'Icône de sélecteur de couleurs','Coffee Icon'=>'Icône de café','Car Icon'=>'Icône de voiture','Camera (alt) Icon'=>'Icône d’appareil photo (alt)','Calculator Icon'=>'Icône de calculatrice','Button Icon'=>'Icône de bouton','Tracking Icon'=>'Icône de suivi','Topics Icon'=>'Icône de sujets','Replies Icon'=>'Icône de réponses','PM Icon'=>'Icône Pm','Friends Icon'=>'Icône d’amis','Community Icon'=>'Icône de communauté','BuddyPress Icon'=>'Icône BuddyPress','bbPress Icon'=>'Icône bbPress','Activity Icon'=>'Icône d’activité','Book (alt) Icon'=>'Icône de livre (alt)','Block Default Icon'=>'Icône de bloc par défaut','Bell Icon'=>'Icône de cloche','Beer Icon'=>'Icône de bière','Bank Icon'=>'Icône de banque','Amazon Icon'=>'Icône Amazon','Airplane Icon'=>'Icône d’avion','Site (alt3) Icon'=>'Icône de site (alt3)','Site (alt2) Icon'=>'Icône de site (alt2)','Site (alt) Icon'=>'Icône de site (alt)','Invalid request args.'=>'Arguments de requête invalides.','ACF PRO logo'=>'Logo ACF PRO','ACF PRO Logo'=>'Logo ACF PRO','WordPress Icon'=>'Icône WordPress','Warning Icon'=>'Icône d’avertissement','Visibility Icon'=>'Icône de visibilité','Vault Icon'=>'Icône de coffre-fort','Upload Icon'=>'Icône de téléversement','Update Icon'=>'Mettre à jour l’icône','Unlock Icon'=>'Icône de déverrouillage','Universal Access Icon'=>'Icône d’accès universel','Undo Icon'=>'Icône d’annulation','Twitter Icon'=>'Icône Twitter','Trash Icon'=>'Icône de corbeille','Translation Icon'=>'Icône de traduction','Text Icon'=>'Icône de texte','Testimonial Icon'=>'Icône de témoignage','Tagcloud Icon'=>'Icône Tagcloud','Tag Icon'=>'Icône de balise','Tablet Icon'=>'Icône de tablette','Store Icon'=>'Icône de boutique','Sticky Icon'=>'Icône d’épinglage','Sos Icon'=>'Icône Sos','Sort Icon'=>'Icône de tri','Smiley Icon'=>'Icône Smiley','Slides Icon'=>'Icône de diapositives','Shield Icon'=>'Icône de bouclier','Share Icon'=>'Icône de partage','Search Icon'=>'Icône de recherche','Schedule Icon'=>'Icône de calendrier','Redo Icon'=>'Icône de rétablissement','Products Icon'=>'Icône de produits','Pressthis Icon'=>'Icône Pressthis','Portfolio Icon'=>'Icône de portfolio','Plus Icon'=>'Icône Plus','Phone Icon'=>'Icône de téléphone','Paperclip Icon'=>'Icône de trombone','No Icon'=>'Pas d\'icône','Move Icon'=>'Icône de déplacement','Money Icon'=>'Icône d’argent','Minus Icon'=>'Icône Moins','Migrate Icon'=>'Icône de migration','Microphone Icon'=>'Icône de micro','Megaphone Icon'=>'Icône de mégaphone','Marker Icon'=>'Icône de marqueur','Lock Icon'=>'Icône de verrouillage','Location Icon'=>'Icône d’emplacement','Lightbulb Icon'=>'Icône d’ampoule','Laptop Icon'=>'Icône de portable','Info Icon'=>'Icône d’information','Heart Icon'=>'Icône de coeur','Groups Icon'=>'Icône de groupes','Forms Icon'=>'Icône de formulaires','Flag Icon'=>'Icône de drapeau','Filter Icon'=>'Icône de filtre','Facebook Icon'=>'Icône Facebook','External Icon'=>'Icône externe','Email Icon'=>'Icône d’e-mail','Video Icon'=>'Icône de vidéo','Unlink Icon'=>'Icône de dissociation','Underline Icon'=>'Icône de soulignement','Text Color Icon'=>'Icône de couleur de texte','Table Icon'=>'Icône de tableau','Spellcheck Icon'=>'Icône de vérification orthographique','Quote Icon'=>'Icône de citation','Outdent Icon'=>'Icône de retrait','Justify Icon'=>'Justifier l’icône','Italic Icon'=>'Icône italique','Help Icon'=>'Icône d’aide','Code Icon'=>'Icône de code','Edit Icon'=>'Modifier l’icône','Download Icon'=>'Icône de téléchargement','Desktop Icon'=>'Icône d’ordinateur','Dashboard Icon'=>'Icône de tableau de bord','Cloud Icon'=>'Icône de nuage','Clock Icon'=>'Icône d’horloge','Clipboard Icon'=>'Icône de presse-papiers','Category Icon'=>'Icône de catégorie','Cart Icon'=>'Icône de panier','Carrot Icon'=>'Icône de carotte','Calendar Icon'=>'Icône de calendrier','Businesswoman Icon'=>'Icône de femme d’affaires','Book Icon'=>'Icône de livre','Backup Icon'=>'Icône de sauvegarde','Art Icon'=>'Icône d’art','Archive Icon'=>'Icône d’archive','Analytics Icon'=>'Icône de statistiques','Album Icon'=>'Icône d’album','Users Icon'=>'Icône d’utilisateurs/utilisatrices','Tools Icon'=>'Icône d’outils','Site Icon'=>'Icône de site','Settings Icon'=>'Icône de réglages','Post Icon'=>'Icône de publication','Plugins Icon'=>'Icône d’extensions','Page Icon'=>'Icône de page','Network Icon'=>'Icône de réseau','Multisite Icon'=>'Icône multisite','Media Icon'=>'Icône de média','Links Icon'=>'Icône de liens','Customizer Icon'=>'Icône de personnalisation','Comments Icon'=>'Icône de commentaires','Collapse Icon'=>'Icône de réduction','Appearance Icon'=>'Icône d’apparence','Generic Icon'=>'Icône générique','No results found for that search term'=>'Aucun résultat trouvé pour ce terme de recherche','Array'=>'Tableau','String'=>'Chaîne','Browse Media Library'=>'Parcourir la médiathèque','Media Library'=>'Médiathèque','Dashicons'=>'Dashicons','Icon Picker'=>'Sélecteur d’icône','Shortcode Enabled'=>'Code court activé','Light'=>'Clair','Standard'=>'Normal','REST API Format'=>'Format de l’API REST','Active Plugins'=>'Extensions actives','Parent Theme'=>'Thème parent','Active Theme'=>'Thème actif','Is Multisite'=>'Est un multisite','MySQL Version'=>'Version MySQL','WordPress Version'=>'Version de WordPress','License Status'=>'État de la licence','License Type'=>'Type de licence','Licensed URL'=>'URL sous licence','License Activated'=>'Licence activée','Free'=>'Gratuit','Plugin Type'=>'Type d’extension','Plugin Version'=>'Version de l’extension','Has no term selected'=>'N’a aucun terme sélectionné','Terms do not contain'=>'Les termes ne contiennent pas','Terms contain'=>'Les termes contiennent','Users contain'=>'Les utilisateurs contiennent','Has no page selected'=>'N’a pas de page sélectionnée','Pages contain'=>'Les pages contiennent','Has no relationship selected'=>'N’a aucune relation sélectionnée','Has no post selected'=>'N’a aucune publication sélectionnée','Posts contain'=>'Les publications contiennent','The core ACF block binding source name for fields on the current pageACF Fields'=>'Champs ACF','ACF PRO Feature'=>'Fonctionnalité ACF PRO','Renew PRO to Unlock'=>'Renouvelez la version PRO pour déverrouiller','Renew PRO License'=>'Renouveler la licence PRO','PRO fields cannot be edited without an active license.'=>'Les champs PRO ne peuvent pas être modifiés sans une licence active.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Veuillez activer votre licence ACF PRO pour modifier les groupes de champs assignés à un bloc ACF.','Please activate your ACF PRO license to edit this options page.'=>'Veuillez activer votre licence ACF PRO pour modifier cette page d’options.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Le renvoi des valeurs HTML n’est possible que lorsque format_value est également vrai. Les valeurs des champs n’ont pas été renvoyées pour des raisons de sécurité.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Le renvoi d’une valeur HTML n’est possible que lorsque format_value est également vrai. La valeur du champ n’a pas été renvoyée pour des raisons de sécurité.','Please contact your site administrator or developer for more details.'=>'Veuillez contacter l’admin ou le développeur/développeuse de votre site pour plus de détails.','Learn more'=>'Lire la suite','Hide details'=>'Masquer les détails','Show details'=>'Afficher les détails','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - rendu via %3$s','Renew ACF PRO License'=>'Renouveler la licence ACF PRO','Renew License'=>'Renouveler la licence','Manage License'=>'Gérer la licence','\'High\' position not supported in the Block Editor'=>'La position « Haute » n’est pas prise en charge par l’éditeur de bloc','Upgrade to ACF PRO'=>'Mettre à niveau vers ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Les pages d’options ACF sont des pages d’administration personnalisées pour gérer des réglages globaux via des champs. Vous pouvez créer plusieurs pages et sous-pages.','Add Options Page'=>'Ajouter une page d’options','In the editor used as the placeholder of the title.'=>'Dans l’éditeur, utilisé comme texte indicatif du titre.','Title Placeholder'=>'Texte indicatif du titre','4 Months Free'=>'4 mois gratuits','(Duplicated from %s)'=>' (Dupliqué depuis %s)','Select Options Pages'=>'Sélectionner des pages d’options','Duplicate taxonomy'=>'Dupliquer une taxonomie','Create taxonomy'=>'Créer une taxonomie','Duplicate post type'=>'Dupliquer un type de publication','Create post type'=>'Créer un type de publication','Link field groups'=>'Lier des groupes de champs','Add fields'=>'Ajouter des champs','This Field'=>'Ce champ','ACF PRO'=>'ACF Pro','Feedback'=>'Retour','Support'=>'Support','is developed and maintained by'=>'est développé et maintenu par','Add this %s to the location rules of the selected field groups.'=>'Ajoutez ce(tte) %s aux règles de localisation des groupes de champs sélectionnés.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'L’activation du paramètre bidirectionnel vous permet de mettre à jour une valeur dans les champs cibles pour chaque valeur sélectionnée pour ce champ, en ajoutant ou en supprimant l’ID de publication, l’ID de taxonomie ou l’ID d’utilisateur de l’élément en cours de mise à jour. Pour plus d’informations, veuillez lire la documentation.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Sélectionnee le(s) champ(s) pour stocker la référence à l’élément en cours de mise à jour. Vous pouvez sélectionner ce champ. Les champs cibles doivent être compatibles avec l’endroit où ce champ est affiché. Par exemple, si ce champ est affiché sur une taxonomie, votre champ cible doit être de type Taxonomie','Target Field'=>'Champ cible','Update a field on the selected values, referencing back to this ID'=>'Mettre à jour un champ sur les valeurs sélectionnées, en faisant référence à cet ID','Bidirectional'=>'Bidirectionnel','%s Field'=>'Champ %s','Select Multiple'=>'Sélection multiple','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Lettres minuscules, tirets hauts et tirets bas uniquement. Maximum 32 caractères.','The capability name for assigning terms of this taxonomy.'=>'Le nom de la permission pour assigner les termes de cette taxonomie.','Assign Terms Capability'=>'Permission d’assigner les termes','The capability name for deleting terms of this taxonomy.'=>'Le nom de la permission pour supprimer les termes de cette taxonomie.','Delete Terms Capability'=>'Permission de supprimer les termes','The capability name for editing terms of this taxonomy.'=>'Le nom de la permission pour modifier les termes de cette taxonomie.','Edit Terms Capability'=>'Permission de modifier les termes','The capability name for managing terms of this taxonomy.'=>'Le nom de la permission pour gérer les termes de cette taxonomie.','Manage Terms Capability'=>'Permission de gérer les termes','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Définit si les publications doivent être exclues des résultats de recherche et des pages d’archive de taxonomie.','More Tools from WP Engine'=>'Autres outils de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Conçu pour ceux qui construisent avec WordPress, par l’équipe %s','View Pricing & Upgrade'=>'Voir les tarifs & mettre à niveau','Learn More'=>'En Savoir Plus','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accélérez votre productivité et développez de meilleurs sites avec des fonctionnalités comme les blocs ACF et les pages d’options, ainsi que des champs avancés comme répéteur, contenu flexible, clones et galerie.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Débloquer les fonctionnalités avancées et aller encore plus loin avec ACF PRO','%s fields'=>'%s champs','No terms'=>'Aucun terme','No post types'=>'Aucun type de publication','No posts'=>'Aucun article','No taxonomies'=>'Aucune taxonomie','No field groups'=>'Aucun groupe de champs','No fields'=>'Aucun champ','No description'=>'Aucune description','Any post status'=>'Tout état de publication','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Cette clé de taxonomie est déjà utilisée par une autre taxonomie enregistrée en dehors d’ACF et ne peut pas être utilisée.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Cette clé de taxonomie est déjà utilisée par une autre taxonomie dans ACF et ne peut pas être utilisée.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clé de taxonomie doit uniquement contenir des caractères alphanumériques, des tirets bas ou des tirets.','The taxonomy key must be under 32 characters.'=>'La clé de taxonomie doit comporter moins de 32 caractères.','No Taxonomies found in Trash'=>'Aucune taxonomie trouvée dans la corbeille','No Taxonomies found'=>'Aucune taxonomie trouvée','Search Taxonomies'=>'Rechercher des taxonomies','View Taxonomy'=>'Afficher la taxonomie','New Taxonomy'=>'Nouvelle taxonomie','Edit Taxonomy'=>'Modifier la taxonomie','Add New Taxonomy'=>'Ajouter une nouvelle taxonomie','No Post Types found in Trash'=>'Aucun type de publication trouvé dans la corbeille','No Post Types found'=>'Aucun type de publication trouvé','Search Post Types'=>'Rechercher des types de publication','View Post Type'=>'Voir le type de publication','New Post Type'=>'Nouveau type de publication','Edit Post Type'=>'Modifier le type de publication','Add New Post Type'=>'Ajouter un nouveau type de publication personnalisé','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Cette clé de type de publication est déjà utilisée par un autre type de publication enregistré en dehors d’ACF et ne peut pas être utilisée.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Cette clé de type de publication est déjà utilisée par un autre type de publication dans ACF et ne peut pas être utilisée.','This field must not be a WordPress reserved term.'=>'Ce champ ne doit pas être un terme réservé WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clé du type de publication doit contenir uniquement des caractères alphanumériques, des tirets bas ou des tirets.','The post type key must be under 20 characters.'=>'La clé du type de publication doit comporter moins de 20 caractères.','We do not recommend using this field in ACF Blocks.'=>'Nous vous déconseillons d’utiliser ce champ dans les blocs ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Affiche l’éditeur WordPress WYSIWYG tel qu’il apparaît dans les articles et pages, permettant une expérience d’édition de texte riche qui autorise également du contenu multimédia.','WYSIWYG Editor'=>'Éditeur WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Autorise la sélection d’un ou plusieurs comptes pouvant être utilisés pour créer des relations entre les objets de données.','A text input specifically designed for storing web addresses.'=>'Une saisie de texte spécialement conçue pour stocker des adresses web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Une permutation qui vous permet de choisir une valeur de 1 ou 0 (actif ou inactif, vrai ou faux, etc.). Peut être présenté sous la forme de commutateur stylisé ou de case à cocher.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une heure. Le format de retour de date peut être personnalisé à l’aide des réglages du champ.','A basic textarea input for storing paragraphs of text.'=>'Une entrée de zone de texte de base pour stocker des paragraphes de texte.','A basic text input, useful for storing single string values.'=>'Une entrée de texte de base, utile pour stocker des valeurs de chaîne unique.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permet de choisir un ou plusieurs termes de taxonomie en fonction des critères et options spécifiés dans les réglages des champs.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Permet de regrouper les champs en sections à onglets dans l’écran d’édition. Utile pour garder les champs organisés et structurés.','A dropdown list with a selection of choices that you specify.'=>'Une liste déroulante avec une sélection de choix que vous spécifiez.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Une interface à deux colonnes pour choisir une ou plusieurs publications, pages ou éléments de type publication personnalisés afin de créer une relation avec l’élément que vous êtes en train de modifier. Inclut des options de recherche et de filtrage.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Entrée permettant de choisir une valeur numérique dans une plage spécifiée à l’aide d’un élément de curseur de plage.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Groupe d’entrées de boutons radio qui permet à l’utilisateur d’effectuer une sélection unique parmi les valeurs que vous spécifiez.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Une interface utilisateur interactive et personnalisable pour choisir un ou plusieurs articles, pages ou éléments de type publication avec la possibilité de rechercher. ','An input for providing a password using a masked field.'=>'Une entrée pour fournir un mot de passe à l’aide d’un champ masqué.','Filter by Post Status'=>'Filtrer par état de publication','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Une liste déroulante interactive pour choisir un ou plusieurs articles, pages, éléments de type de publication personnalisés ou URL d’archive, avec la possibilité de rechercher.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un composant interactif pour intégrer des vidéos, des images, des tweets, de l’audio et d’autres contenus en utilisant la fonctionnalité native WordPress oEmbed.','An input limited to numerical values.'=>'Une entrée limitée à des valeurs numériques.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Utilisé pour afficher un message aux éditeurs à côté d’autres champs. Utile pour fournir un contexte ou des instructions supplémentaires concernant vos champs.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Permet de spécifier un lien et ses propriétés, telles que le titre et la cible en utilisant le sélecteur de liens de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilise le sélecteur de média natif de WordPress pour téléverser ou choisir des images.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Permet de structurer les champs en groupes afin de mieux organiser les données et l’écran d‘édition.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Une interface utilisateur interactive pour sélectionner un emplacement à l’aide de Google Maps. Nécessite une clé de l’API Google Maps et une configuration supplémentaire pour s’afficher correctement.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilise le sélecteur de médias WordPress natif pour téléverser ou choisir des fichiers.','A text input specifically designed for storing email addresses.'=>'Une saisie de texte spécialement conçue pour stocker des adresses e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une date et un horaire. Le format de la date retour peut être personnalisé à l’aide des réglages du champ.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une date. Le format de la date retour peut être personnalisé en utilisant les champs de réglages.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Une interface utilisateur interactive pour sélectionner une couleur ou spécifier la valeur hexa.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un groupe de case à cocher autorisant l’utilisateur/utilisatrice à sélectionner une ou plusieurs valeurs que vous spécifiez.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un groupe de boutons avec des valeurs que vous spécifiez, les utilisateurs/utilisatrices peuvent choisir une option parmi les valeurs fournies.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Autorise à regrouper et organiser les champs personnalisés dans des volets dépliants qui s’affichent lors de la modification du contenu. Utile pour garder de grands ensembles de données ordonnés.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Cela propose une solution pour dupliquer des contenus tels que des diapositive, des membres de l’équipe et des boutons d’appel à l‘action, en agissant comme un parent pour un ensemble de sous-champs qui peuvent être répétés à l’infini.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Cela propose une interface interactive permettant de gérer une collection de fichiers joints. La plupart des réglages sont similaires à ceux du champ Image. Des réglages supplémentaires vous autorise à spécifier l’endroit où les nouveaux fichiers joints sont ajoutés dans la galerie et le nombre minimum/maximum de fichiers joints autorisées.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Cela fournit un éditeur simple, structuré et basé sur la mise en page. Le champ Contenu flexible vous permet de définir, créer et gérer du contenu avec un contrôle total en utilisant des mises en page et des sous-champs pour concevoir les blocs disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Cela vous permet de choisir et d’afficher les champs existants. Il ne duplique aucun champ de la base de données, mais charge et affiche les champs sélectionnés au moment de l’exécution. Le champ Clone peut soit se remplacer par les champs sélectionnés, soit afficher les champs sélectionnés sous la forme d’un groupe de sous-champs.','nounClone'=>'Cloner','PRO'=>'Pro','Advanced'=>'Avancé','JSON (newer)'=>'JSON (plus récent)','Original'=>'Original','Invalid post ID.'=>'ID de publication invalide.','Invalid post type selected for review.'=>'Type de publication sélectionné pour révision invalide.','More'=>'Plus','Tutorial'=>'Tutoriel','Select Field'=>'Sélectionner le champ','Try a different search term or browse %s'=>'Essayez un autre terme de recherche ou parcourez %s','Popular fields'=>'Champs populaires','No search results for \'%s\''=>'Aucun résultat de recherche pour « %s »','Search fields...'=>'Rechercher des champs…','Select Field Type'=>'Sélectionner le type de champ','Popular'=>'Populaire','Add Taxonomy'=>'Ajouter une taxonomie','Create custom taxonomies to classify post type content'=>'Créer des taxonomies personnalisées pour classer le contenu du type de publication','Add Your First Taxonomy'=>'Ajouter votre première taxonomie','Hierarchical taxonomies can have descendants (like categories).'=>'Les taxonomies hiérarchiques peuvent avoir des enfants (comme les catégories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Rend une taxonomie visible sur l’interface publique et dans le tableau de bord d’administration.','One or many post types that can be classified with this taxonomy.'=>'Un ou plusieurs types de publication peuvant être classés avec cette taxonomie.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Contrôleur personnalisé facultatif à utiliser à la place de « WP_REST_Terms_Controller ».','Expose this post type in the REST API.'=>'Exposez ce type de publication dans l’API REST.','Customize the query variable name'=>'Personnaliser le nom de la variable de requête','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Les termes sont accessibles en utilisant le permalien non joli, par exemple, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termes parent-enfant dans les URL pour les taxonomies hiérarchiques.','Customize the slug used in the URL'=>'Personnaliser le slug utilisé dans l’URL','Permalinks for this taxonomy are disabled.'=>'Les permaliens sont désactivés pour cette taxonomie.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Réécrire l’URL en utilisant la clé de taxonomie comme slug. Votre structure de permalien sera','Taxonomy Key'=>'Clé de taxonomie','Select the type of permalink to use for this taxonomy.'=>'Sélectionnez le type de permalien à utiliser pour cette taxonomie.','Display a column for the taxonomy on post type listing screens.'=>'Affichez une colonne pour la taxonomie sur les écrans de liste de type de publication.','Show Admin Column'=>'Afficher la colonne « Admin »','Show the taxonomy in the quick/bulk edit panel.'=>'Afficher la taxonomie dans le panneau de modification rapide/groupée.','Quick Edit'=>'Modification rapide','List the taxonomy in the Tag Cloud Widget controls.'=>'Lister la taxonomie dans les contrôles du widget « Nuage d’étiquettes ».','Tag Cloud'=>'Nuage d’étiquettes','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nom de fonction PHP à appeler pour nettoyer les données de taxonomie enregistrées à partir d’une boîte méta.','Meta Box Sanitization Callback'=>'Rappel de désinfection de la méta-boîte','Register Meta Box Callback'=>'Enregistrer le rappel de la boîte méta','No Meta Box'=>'Aucune boîte méta','Custom Meta Box'=>'Boîte méta personnalisée','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Contrôle la boîte méta sur l’écran de l’éditeur de contenu. Par défaut, la boîte méta Catégories est affichée pour les taxonomies hiérarchiques et la boîte de métadonnées Étiquettes est affichée pour les taxonomies non hiérarchiques.','Meta Box'=>'Boîte méta','Categories Meta Box'=>'Boîte méta des catégories','Tags Meta Box'=>'Boîte méta des étiquettes','A link to a tag'=>'Un lien vers une étiquette','Describes a navigation link block variation used in the block editor.'=>'Décrit une variante de bloc de lien de navigation utilisée dans l’éditeur de blocs.','A link to a %s'=>'Un lien vers un %s','Tag Link'=>'Lien de l’étiquette','Assigns a title for navigation link block variation used in the block editor.'=>'Assigner un titre à la variante de bloc de lien de navigation utilisée dans l’éditeur de blocs.','← Go to tags'=>'← Aller aux étiquettes','Assigns the text used to link back to the main index after updating a term.'=>'Assigner le texte utilisé pour renvoyer à l’index principal après la mise à jour d’un terme.','Back To Items'=>'Retour aux éléments','← Go to %s'=>'← Aller à « %s »','Tags list'=>'Liste des étiquettes','Assigns text to the table hidden heading.'=>'Assigne du texte au titre masqué du tableau.','Tags list navigation'=>'Navigation de la liste des étiquettes','Assigns text to the table pagination hidden heading.'=>'Affecte du texte au titre masqué de pagination de tableau.','Filter by category'=>'Filtrer par catégorie','Assigns text to the filter button in the posts lists table.'=>'Affecte du texte au bouton de filtre dans le tableau des listes de publications.','Filter By Item'=>'Filtrer par élément','Filter by %s'=>'Filtrer par %s','The description is not prominent by default; however, some themes may show it.'=>'La description n’est pas très utilisée par défaut, cependant de plus en plus de thèmes l’affichent.','Describes the Description field on the Edit Tags screen.'=>'Décrit le champ « Description » sur l’écran « Modifier les étiquettes ».','Description Field Description'=>'Description du champ « Description »','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Affectez un terme parent pour créer une hiérarchie. Le terme Jazz, par exemple, serait le parent du Bebop et du Big Band.','Describes the Parent field on the Edit Tags screen.'=>'Décrit le champ parent sur l’écran « Modifier les étiquettes ».','Parent Field Description'=>'Description du champ « Parent »','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Le « slug » est la version URL conviviale du nom. Il est généralement tout en minuscules et contient uniquement des lettres, des chiffres et des traits d’union.','Describes the Slug field on the Edit Tags screen.'=>'Décrit le slug du champ sur l’écran « Modifier les étiquettes ».','Slug Field Description'=>'Description du champ « Slug »','The name is how it appears on your site'=>'Le nom est la façon dont il apparaît sur votre site','Describes the Name field on the Edit Tags screen.'=>'Décrit le champ « Nom » sur l’écran « Modifier les étiquettes ».','Name Field Description'=>'Description du champ « Nom »','No tags'=>'Aucune étiquette','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Attribue le texte affiché dans les tableaux de liste des publications et des médias lorsqu’aucune balise ou catégorie n’est disponible.','No Terms'=>'Aucun terme','No %s'=>'Aucun %s','No tags found'=>'Aucune étiquette trouvée','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigne le texte affiché lorsque vous cliquez sur le texte « choisir parmi les plus utilisés » dans la boîte de méta de taxonomie lorsqu’aucune étiquette n’est disponible, et affecte le texte utilisé dans le tableau de liste des termes lorsqu’il n’y a pas d’élément pour une taxonomie.','Not Found'=>'Non trouvé','Assigns text to the Title field of the Most Used tab.'=>'Affecte du texte au champ Titre de l’onglet Utilisation la plus utilisée.','Most Used'=>'Les plus utilisés','Choose from the most used tags'=>'Choisir parmi les étiquettes les plus utilisées','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Attribue le texte « choisir parmi les plus utilisés » utilisé dans la méta-zone lorsque JavaScript est désactivé. Utilisé uniquement sur les taxonomies non hiérarchiques.','Choose From Most Used'=>'Choisir parmi les plus utilisés','Choose from the most used %s'=>'Choisir parmi les %s les plus utilisés','Add or remove tags'=>'Ajouter ou retirer des étiquettes','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigne le texte d’ajout ou de suppression d’éléments utilisé dans la boîte méta lorsque JavaScript est désactivé. Utilisé uniquement sur les taxonomies non hiérarchiques','Add Or Remove Items'=>'Ajouter ou supprimer des éléments','Add or remove %s'=>'Ajouter ou retirer %s','Separate tags with commas'=>'Séparer les étiquettes par des virgules','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Affecte l’élément distinct avec des virgules utilisées dans la méta-zone de taxonomie. Utilisé uniquement sur les taxonomies non hiérarchiques.','Separate Items With Commas'=>'Séparer les éléments par des virgules','Separate %s with commas'=>'Séparer les %s avec une virgule','Popular Tags'=>'Étiquettes populaires','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Affecte le texte des éléments populaires. Utilisé uniquement pour les taxonomies non hiérarchiques.','Popular Items'=>'Éléments populaires','Popular %s'=>'%s populaire','Search Tags'=>'Rechercher des étiquettes','Assigns search items text.'=>'Assigne le texte des éléments de recherche.','Parent Category:'=>'Catégorie parente :','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigne le texte de l’élément parent, mais avec deux points (:) ajouté à la fin.','Parent Item With Colon'=>'Élément parent avec deux-points','Parent Category'=>'Catégorie parente','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigne le texte de l’élément parent. Utilisé uniquement sur les taxonomies hiérarchiques.','Parent Item'=>'Élément parent','Parent %s'=>'%s parent','New Tag Name'=>'Nom de la nouvelle étiquette','Assigns the new item name text.'=>'Assigne le texte du nom du nouvel élément.','New Item Name'=>'Nom du nouvel élément','New %s Name'=>'Nom du nouveau %s','Add New Tag'=>'Ajouter une nouvelle étiquette','Assigns the add new item text.'=>'Assigne le texte « Ajouter un nouvel élément ».','Update Tag'=>'Mettre à jour l’étiquette','Assigns the update item text.'=>'Assigne le texte de l’élément « Mettre à jour ».','Update Item'=>'Mettre à jour l’élément','Update %s'=>'Mettre à jour %s','View Tag'=>'Voir l’étiquette','In the admin bar to view term during editing.'=>'Dans la barre d’administration pour voir le terme lors de la modification.','Edit Tag'=>'Modifier l’étiquette','At the top of the editor screen when editing a term.'=>'En haut de l’écran de l’éditeur lors de la modification d’un terme.','All Tags'=>'Toutes les étiquettes','Assigns the all items text.'=>'Assigne le texte « Tous les éléments ».','Assigns the menu name text.'=>'Assigne le texte du nom du menu.','Menu Label'=>'Libellé du menu','Active taxonomies are enabled and registered with WordPress.'=>'Les taxonomies actives sont activées et enregistrées avec WordPress.','A descriptive summary of the taxonomy.'=>'Un résumé descriptif de la taxonomie.','A descriptive summary of the term.'=>'Un résumé descriptif du terme.','Term Description'=>'Description du terme','Single word, no spaces. Underscores and dashes allowed.'=>'Un seul mot, aucun espace. Tirets bas et tirets autorisés.','Term Slug'=>'Slug du terme','The name of the default term.'=>'Nom du terme par défaut.','Term Name'=>'Nom du terme','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Créez un terme pour la taxonomie qui ne peut pas être supprimé. Il ne sera pas sélectionné pour les publications par défaut.','Default Term'=>'Terme par défaut','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si les termes de cette taxonomie doivent être triés dans l’ordre dans lequel ils sont fournis à « wp_set_object_terms() ».','Sort Terms'=>'Trier les termes','Add Post Type'=>'Ajouter un type de publication','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Étendez les fonctionnalités de WordPress au-delà des publications standard et des pages avec des types de publication personnalisés.','Add Your First Post Type'=>'Ajouter votre premier type de publication','I know what I\'m doing, show me all the options.'=>'Je sais ce que je fais, affichez-moi toutes les options.','Advanced Configuration'=>'Configuration avancée','Hierarchical post types can have descendants (like pages).'=>'Les types de publication hiérarchiques peuvent avoir des descendants (comme les pages).','Hierarchical'=>'Hiérachique','Visible on the frontend and in the admin dashboard.'=>'Visible sur l’interface publique et dans le tableau de bord de l’administration.','Public'=>'Public','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Lettres minuscules, tiret bas et tirets uniquement, maximum 20 caractères.','Movie'=>'Film','Singular Label'=>'Libellé au singulier','Movies'=>'Films','Plural Label'=>'Libellé au pluriel','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Contrôleur personnalisé facultatif à utiliser à la place de « WP_REST_Posts_Controller ».','Controller Class'=>'Classe de contrôleur','The namespace part of the REST API URL.'=>'Partie de l’espace de noms de l’URL DE L’API REST.','Namespace Route'=>'Route de l’espace de noms','The base URL for the post type REST API URLs.'=>'URL de base pour les URL de l’API REST du type de publication.','Base URL'=>'URL de base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expose ce type de publication dans l’API REST. Nécessaire pour utiliser l’éditeur de bloc.','Show In REST API'=>'Afficher dans l’API Rest','Customize the query variable name.'=>'Personnaliser le nom de la variable de requête.','Query Variable'=>'Variable de requête','No Query Variable Support'=>'Aucune prise en charge des variables de requête','Custom Query Variable'=>'Variable de requête personnalisée','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Les articles sont accessibles en utilisant le permalien non-jolie, par exemple. {post_type}={post_slug}.','Query Variable Support'=>'Prise en charge des variables de requête','URLs for an item and items can be accessed with a query string.'=>'Les URL d’un élément et d’éléments sont accessibles à l’aide d’une chaîne de requête.','Publicly Queryable'=>'Publiquement interrogeable','Custom slug for the Archive URL.'=>'Slug personnalisé pour l’URL de l’archive.','Archive Slug'=>'Slug de l’archive','Has an item archive that can be customized with an archive template file in your theme.'=>'Possède une archive d’élément qui peut être personnalisée avec un fichier de modèle d’archive dans votre thème.','Archive'=>'Archive','Pagination support for the items URLs such as the archives.'=>'Prise en charge de la pagination pour les URL des éléments tels que les archives.','Pagination'=>'Pagination','RSS feed URL for the post type items.'=>'URL de flux RSS pour les éléments du type de publication.','Feed URL'=>'URL du flux','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Modifie la structure du permalien pour ajouter le préfixe « WP_Rewrite::$front » aux URL.','Front URL Prefix'=>'Préfixe d’URL avant','Customize the slug used in the URL.'=>'Personnalisez le slug utilisé dans l’URL.','URL Slug'=>'Slug de l’URL','Permalinks for this post type are disabled.'=>'Les permaliens sont désactivés pour ce type de publication.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Réécrivez l’URL à l’aide d’un identifiant d’URL personnalisé défini dans l’entrée ci-dessous. Votre structure de permalien sera','No Permalink (prevent URL rewriting)'=>'Aucun permalien (empêcher la réécriture d’URL)','Custom Permalink'=>'Permalien personnalisé','Post Type Key'=>'Clé du type de publication','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Réécrire l’URL en utilisant la clé du type de publication comme slug. Votre structure de permalien sera','Permalink Rewrite'=>'Réécriture du permalien','Delete items by a user when that user is deleted.'=>'Supprimer les éléments d’un compte lorsque ce dernier est supprimé.','Delete With User'=>'Supprimer avec le compte','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Autoriser l’exportation du type de publication depuis « Outils » > « Exporter ».','Can Export'=>'Exportable','Optionally provide a plural to be used in capabilities.'=>'Fournissez éventuellement un pluriel à utiliser dans les fonctionnalités.','Plural Capability Name'=>'Nom de la capacité au pluriel','Choose another post type to base the capabilities for this post type.'=>'Choisissez un autre type de publication pour baser les fonctionnalités de ce type de publication.','Singular Capability Name'=>'Nom de capacité singulier','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Par défaut, les capacités du type de publication hériteront des noms de capacité « Post », par exemple. edit_post, delete_posts. Permet d’utiliser des fonctionnalités spécifiques au type de publication, par exemple. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renommer les permissions','Exclude From Search'=>'Exclure de la recherche','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Autorisez l’ajout d’éléments aux menus dans l’écran « Apparence » > « Menus ». Doit être activé dans « Options de l’écran ».','Appearance Menus Support'=>'Prise en charge des menus d’apparence','Appears as an item in the \'New\' menu in the admin bar.'=>'Apparaît en tant qu’élément dans le menu « Nouveau » de la barre d’administration.','Show In Admin Bar'=>'Afficher dans la barre d’administration','Custom Meta Box Callback'=>'Rappel de boîte méta personnalisée','Menu Icon'=>'Icône de menu','The position in the sidebar menu in the admin dashboard.'=>'Position dans le menu de la colonne latérale du tableau de bord d’administration.','Menu Position'=>'Position du menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Par défaut, le type de publication obtiendra un nouvel élément de niveau supérieur dans le menu d’administration. Si un élément de niveau supérieur existant est fourni ici, le type de publication sera ajouté en tant qu’élément de sous-menu sous celui-ci.','Admin Menu Parent'=>'Parent du menu d’administration','Admin editor navigation in the sidebar menu.'=>'Navigation de l’éditeur d’administration dans le menu de la colonne latérale.','Show In Admin Menu'=>'Afficher dans le menu d’administration','Items can be edited and managed in the admin dashboard.'=>'Les éléments peuvent être modifiés et gérés dans le tableau de bord d’administration.','Show In UI'=>'Afficher dans l’interface utilisateur','A link to a post.'=>'Un lien vers une publication.','Description for a navigation link block variation.'=>'Description d’une variation de bloc de lien de navigation.','Item Link Description'=>'Description du lien de l’élément','A link to a %s.'=>'Un lien vers un %s.','Post Link'=>'Lien de publication','Title for a navigation link block variation.'=>'Titre d’une variante de bloc de lien de navigation.','Item Link'=>'Lien de l’élément','%s Link'=>'Lien %s','Post updated.'=>'Publication mise à jour.','In the editor notice after an item is updated.'=>'Dans l’éditeur, notification après la mise à jour d’un élément.','Item Updated'=>'Élément mis à jour','%s updated.'=>'%s mis à jour.','Post scheduled.'=>'Publication planifiée.','In the editor notice after scheduling an item.'=>'Dans l’éditeur, notification après la planification d’un élément.','Item Scheduled'=>'Élément planifié','%s scheduled.'=>'%s planifié.','Post reverted to draft.'=>'Publication reconvertie en brouillon.','In the editor notice after reverting an item to draft.'=>'Dans l’éditeur, notification après avoir rétabli un élément en brouillon.','Item Reverted To Draft'=>'Élément repassé en brouillon','%s reverted to draft.'=>'%s repassé en brouillon.','Post published privately.'=>'Publication publiée en privé.','In the editor notice after publishing a private item.'=>'Dans l’éditeur, notification après avoir rétabli un élément en privé.','Item Published Privately'=>'Élément publié en privé','%s published privately.'=>'%s publié en privé.','Post published.'=>'Publication mise en ligne.','In the editor notice after publishing an item.'=>'Dans la notification de l’éditeur après la publication d’un élément.','Item Published'=>'Élément publié','%s published.'=>'%s publié.','Posts list'=>'Liste des publications','Used by screen readers for the items list on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour la liste des éléments sur l’écran de la liste des types de publication.','Items List'=>'Liste des éléments','%s list'=>'Liste %s','Posts list navigation'=>'Navigation dans la liste des publications','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour la pagination de la liste de filtres sur l’écran de liste des types de publication.','Items List Navigation'=>'Liste des éléments de navigation','%s list navigation'=>'Navigation dans la liste %s','Filter posts by date'=>'Filtrer les publications par date','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour l’en-tête de filtre par date sur l’écran de liste des types de publication.','Filter Items By Date'=>'Filtrer les éléments par date','Filter %s by date'=>'Filtrer %s par date','Filter posts list'=>'Filtrer la liste des publications','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour l’en-tête des liens de filtre sur l’écran de liste des types de publication.','Filter Items List'=>'Filtrer la liste des éléments','Filter %s list'=>'Filtrer la liste %s','In the media modal showing all media uploaded to this item.'=>'Dans le mode modal multimédia affichant tous les médias téléchargés sur cet élément.','Uploaded To This Item'=>'Téléversé dans l’élément','Uploaded to this %s'=>'Téléversé sur ce %s','Insert into post'=>'Insérer dans la publication','As the button label when adding media to content.'=>'En tant que libellé du bouton lors de l’ajout de média au contenu.','Insert Into Media Button'=>'Bouton « Insérer dans le média »','Insert into %s'=>'Insérer dans %s','Use as featured image'=>'Utiliser comme image mise en avant','As the button label for selecting to use an image as the featured image.'=>'Comme étiquette de bouton pour choisir d’utiliser une image comme image en vedette.','Use Featured Image'=>'Utiliser l’image mise en avant','Remove featured image'=>'Retirer l’image mise en avant','As the button label when removing the featured image.'=>'Comme étiquette de bouton lors de la suppression de l’image en vedette.','Remove Featured Image'=>'Retirer l’image mise en avant','Set featured image'=>'Définir l’image mise en avant','As the button label when setting the featured image.'=>'Comme étiquette de bouton lors de la définition de l’image en vedette.','Set Featured Image'=>'Définir l’image mise en avant','Featured image'=>'Image mise en avant','In the editor used for the title of the featured image meta box.'=>'Dans l’éditeur utilisé pour le titre de la méta-boîte d’image en vedette.','Featured Image Meta Box'=>'Boîte méta de l’image mise en avant','Post Attributes'=>'Attributs de la publication','In the editor used for the title of the post attributes meta box.'=>'Dans l’éditeur utilisé pour le titre de la boîte méta des attributs de publication.','Attributes Meta Box'=>'Boîte méta Attributs','%s Attributes'=>'Attributs des %s','Post Archives'=>'Archives de publication','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Ajoute les éléments « Archive de types de publication » avec ce libellé à la liste des publications affichées lors de l’ajout d’éléments à un menu existant dans un CPT avec les archives activées. N’apparaît que lors de l’édition des menus en mode « Aperçu en direct » et qu’un identifiant d”URL d’archive personnalisé a été fourni.','Archives Nav Menu'=>'Menu de navigation des archives','%s Archives'=>'Archives des %s','No posts found in Trash'=>'Aucune publication trouvée dans la corbeille','At the top of the post type list screen when there are no posts in the trash.'=>'En haut de l’écran de liste des types de publication lorsqu’il n’y a pas de publications dans la corbeille.','No Items Found in Trash'=>'Aucun élément trouvé dans la corbeille','No %s found in Trash'=>'Aucun %s trouvé dans la corbeille','No posts found'=>'Aucune publication trouvée','At the top of the post type list screen when there are no posts to display.'=>'En haut de l’écran de liste des types de publication lorsqu’il n’y a pas de publications à afficher.','No Items Found'=>'Aucun élément trouvé','No %s found'=>'Aucun %s trouvé','Search Posts'=>'Rechercher des publications','At the top of the items screen when searching for an item.'=>'En haut de l’écran des éléments lors de la recherche d’un élément.','Search Items'=>'Rechercher des éléments','Search %s'=>'Rechercher %s','Parent Page:'=>'Page parente :','For hierarchical types in the post type list screen.'=>'Pour les types hiérarchiques dans l’écran de liste des types de publication.','Parent Item Prefix'=>'Préfixe de l’élément parent','Parent %s:'=>'%s parent :','New Post'=>'Nouvelle publication','New Item'=>'Nouvel élément','New %s'=>'Nouveau %s','Add New Post'=>'Ajouter une nouvelle publication','At the top of the editor screen when adding a new item.'=>'En haut de l’écran de l’éditeur lors de l’ajout d’un nouvel élément.','Add New Item'=>'Ajouter un nouvel élément','Add New %s'=>'Ajouter %s','View Posts'=>'Voir les publications','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Apparaît dans la barre d’administration dans la vue « Tous les messages », à condition que le type de publication prenne en charge les archives et que la page d’accueil ne soit pas une archive de ce type de publication.','View Items'=>'Voir les éléments','View Post'=>'Voir la publication','In the admin bar to view item when editing it.'=>'Dans la barre d’administration pour afficher l’élément lors de sa modification.','View Item'=>'Voir l’élément','View %s'=>'Voir %s','Edit Post'=>'Modifier la publication','At the top of the editor screen when editing an item.'=>'En haut de l’écran de l’éditeur lors de la modification d’un élément.','Edit Item'=>'Modifier l’élément','Edit %s'=>'Modifier %s','All Posts'=>'Toutes les publications','In the post type submenu in the admin dashboard.'=>'Dans le sous-menu de type de publication du tableau de bord d’administration.','All Items'=>'Tous les éléments','All %s'=>'Tous les %s','Admin menu name for the post type.'=>'Nom du menu d’administration pour le type de publication.','Menu Name'=>'Nom du menu','Regenerate all labels using the Singular and Plural labels'=>'Régénérer tous les libellés avec des libellés « Singulier » et « Pluriel »','Regenerate'=>'Régénérer','Active post types are enabled and registered with WordPress.'=>'Les types de publication actifs sont activés et enregistrés avec WordPress.','A descriptive summary of the post type.'=>'Un résumé descriptif du type de publication.','Add Custom'=>'Ajouter une personalisation','Enable various features in the content editor.'=>'Activez diverses fonctionnalités dans l’éditeur de contenu.','Post Formats'=>'Formats des publications','Editor'=>'Éditeur','Trackbacks'=>'Rétroliens','Select existing taxonomies to classify items of the post type.'=>'Sélectionnez les taxonomies existantes pour classer les éléments du type de publication.','Browse Fields'=>'Parcourir les champs','Nothing to import'=>'Rien à importer','. The Custom Post Type UI plugin can be deactivated.'=>'. L’extension Custom Post Type UI peut être désactivée.','Imported %d item from Custom Post Type UI -'=>'Élément %d importé à partir de l’interface utilisateur de type de publication personnalisée -' . "\0" . 'Éléments %d importés à partir de l’interface utilisateur de type de publication personnalisée -','Failed to import taxonomies.'=>'Impossible d’importer des taxonomies.','Failed to import post types.'=>'Impossible d’importer les types de publication.','Nothing from Custom Post Type UI plugin selected for import.'=>'Rien depuis l’extension sélectionné Custom Post Type UI pour l’importation.','Imported 1 item'=>'Importé 1 élément' . "\0" . 'Importé %s éléments','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'L’importation d’un type de publication ou d’une taxonomie avec la même clé qu’une clé qui existe déjà remplacera les paramètres du type de publication ou de la taxonomie existants par ceux de l’importation.','Import from Custom Post Type UI'=>'Importer à partir de Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Le code suivant peut être utilisé pour enregistrer une version locale des éléments sélectionnés. Le stockage local de groupes de champs, de types de publications ou de taxonomies peut offrir de nombreux avantages, tels que des temps de chargement plus rapides, un contrôle de version et des champs/paramètres dynamiques. Copiez et collez simplement le code suivant dans le fichier des fonctions de votre thème.php ou incluez-le dans un fichier externe, puis désactivez ou supprimez les éléments de l’administrateur ACF.','Export - Generate PHP'=>'Exportation - Générer PHP','Export'=>'Exporter','Select Taxonomies'=>'Sélectionner les taxonomies','Select Post Types'=>'Sélectionner les types de publication','Exported 1 item.'=>'Exporté 1 élément.' . "\0" . 'Exporté %s éléments.','Category'=>'Catégorie','Tag'=>'Étiquette','%s taxonomy created'=>'%s taxonomie créée','%s taxonomy updated'=>'Taxonomie %s mise à jour','Taxonomy draft updated.'=>'Brouillon de taxonomie mis à jour.','Taxonomy scheduled for.'=>'Taxonomie planifiée pour.','Taxonomy submitted.'=>'Taxonomie envoyée.','Taxonomy saved.'=>'Taxonomie enregistrée.','Taxonomy deleted.'=>'Taxonomie supprimée.','Taxonomy updated.'=>'Taxonomie mise à jour.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Cette taxonomie n’a pas pu être enregistrée car sa clé est utilisée par une autre taxonomie enregistrée par une autre extension ou un thème.','Taxonomy synchronized.'=>'Taxonomie synchronisée.' . "\0" . '%s taxonomies synchronisées.','Taxonomy duplicated.'=>'Taxonomie dupliquée.' . "\0" . '%s taxonomies dupliquées.','Taxonomy deactivated.'=>'Taxonomie désactivée.' . "\0" . '%s taxonomies désactivées.','Taxonomy activated.'=>'Taxonomie activée.' . "\0" . '%s taxonomies activées.','Terms'=>'Termes','Post type synchronized.'=>'Type de publication synchronisé.' . "\0" . '%s types de publication synchronisés.','Post type duplicated.'=>'Type de publication dupliqué.' . "\0" . '%s types de publication dupliqués.','Post type deactivated.'=>'Type de publication désactivé.' . "\0" . '%s types de publication désactivés.','Post type activated.'=>'Type de publication activé.' . "\0" . '%s types de publication activés.','Post Types'=>'Types de publication','Advanced Settings'=>'Réglages avancés','Basic Settings'=>'Réglages de base','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Ce type de publication n’a pas pu être enregistré car sa clé est utilisée par un autre type de publication enregistré par une autre extensions ou un thème.','Pages'=>'Pages','Link Existing Field Groups'=>'Lier des groupes de champs existants','%s post type created'=>'%s type de publication créé','Add fields to %s'=>'Ajouter des champs à %s','%s post type updated'=>'Type de publication %s mis à jour','Post type draft updated.'=>'Le brouillon du type de publication a été mis à jour.','Post type scheduled for.'=>'Type de publication planifié pour.','Post type submitted.'=>'Type de publication envoyé.','Post type saved.'=>'Type de publication enregistré.','Post type updated.'=>'Type de publication mis à jour.','Post type deleted.'=>'Type de publication supprimé.','Type to search...'=>'Type à rechercher…','PRO Only'=>'Uniquement sur PRO','Field groups linked successfully.'=>'Les groupes de champs ont bien été liés.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importez les types de publication et les taxonomies enregistrés avec l’interface utilisateur de type de publication personnalisée et gérez-les avec ACF. Lancez-vous.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'type de publication','Done'=>'Terminé','Field Group(s)'=>'Groupe(s) de champs','Select one or many field groups...'=>'Sélectionner un ou plusieurs groupes de champs…','Please select the field groups to link.'=>'Veuillez choisir les groupes de champs à lier.','Field group linked successfully.'=>'Groupe de champs bien lié.' . "\0" . 'Groupes de champs bien liés.','post statusRegistration Failed'=>'Echec de l’enregistrement','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Cet élément n’a pas pu être enregistré car sa clé est utilisée par un autre élément enregistré par une autre extension ou un thème.','REST API'=>'REST API','Permissions'=>'Droits','URLs'=>'URL','Visibility'=>'Visibilité','Labels'=>'Libellés','Field Settings Tabs'=>'Onglets des réglages du champ','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valeur du code court ACF désactivée pour l’aperçu]','Close Modal'=>'Fermer la modale','Field moved to other group'=>'Champ déplacé vers un autre groupe','Close modal'=>'Fermer la modale','Start a new group of tabs at this tab.'=>'Commencez un nouveau groupe d’onglets dans cet onglet.','New Tab Group'=>'Nouveau groupe d’onglets','Use a stylized checkbox using select2'=>'Utiliser une case à cocher stylisée avec select2','Save Other Choice'=>'Enregistrer un autre choix','Allow Other Choice'=>'Autoriser un autre choix','Add Toggle All'=>'Ajouter « Tout basculer »','Save Custom Values'=>'Enregistrer les valeurs personnalisées','Allow Custom Values'=>'Autoriser les valeurs personnalisées','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Les valeurs personnalisées des cases à cocher ne peuvent pas être vides. Décochez toutes les valeurs vides.','Updates'=>'Mises à jour','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Enregistrer les modifications','Field Group Title'=>'Titre du groupe de champs','Add title'=>'Ajouter un titre','New to ACF? Take a look at our getting started guide.'=>'Nouveau sur ACF ? Jetez un œil à notre guide des premiers pas.','Add Field Group'=>'Ajouter un groupe de champs','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utilise des groupes de champs pour grouper des champs personnalisés et les associer aux écrans de modification.','Add Your First Field Group'=>'Ajouter votre premier groupe de champs','Options Pages'=>'Pages d’options','ACF Blocks'=>'Blocs ACF','Gallery Field'=>'Champ galerie','Flexible Content Field'=>'Champ de contenu flexible','Repeater Field'=>'Champ répéteur','Unlock Extra Features with ACF PRO'=>'Débloquer des fonctionnalités supplémentaires avec ACF PRO','Delete Field Group'=>'Supprimer le groupe de champ','Created on %1$s at %2$s'=>'Créé le %1$s à %2$s','Group Settings'=>'Réglages du groupe','Location Rules'=>'Règles de localisation','Choose from over 30 field types. Learn more.'=>'Choisissez parmi plus de 30 types de champs. En savoir plus.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Commencez à créer de nouveaux champs personnalisés pour vos articles, pages, types de publication personnalisés et autres contenus WordPress.','Add Your First Field'=>'Ajouter votre premier champ','#'=>'N°','Add Field'=>'Ajouter un champ','Presentation'=>'Présentation','Validation'=>'Validation','General'=>'Général','Import JSON'=>'Importer un JSON','Export As JSON'=>'Exporter en tant que JSON','Field group deactivated.'=>'Groupe de champs désactivé.' . "\0" . '%s groupes de champs désactivés.','Field group activated.'=>'Groupe de champs activé.' . "\0" . '%s groupes de champs activés.','Deactivate'=>'Désactiver','Deactivate this item'=>'Désactiver cet élément','Activate'=>'Activer','Activate this item'=>'Activer cet élément','Move field group to trash?'=>'Déplacer le groupe de champs vers la corbeille ?','post statusInactive'=>'Inactif','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields et Advanced Custom Fields Pro ne doivent pas être actives en même temps. Nous avons automatiquement désactivé Advanced Custom Fields Pro.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields et Advanced Custom Fields Pro ne doivent pas être actives en même temps. Nous avons automatiquement désactivé Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Nous avons détecté un ou plusieurs appels pour récupérer les valeurs des champs ACF avant l’initialisation d’ACF. Ceci n’est pas pris en charge et peut entraîner des données incorrectes ou manquantes. Découvrez comment corriger ce problème.','%1$s must have a user with the %2$s role.'=>'%1$s doit avoir un compte avec le rôle %2$s.' . "\0" . '%1$s doit avoir un compte avec l’un des rôles suivants : %2$s','%1$s must have a valid user ID.'=>'%1$s doit avoir un ID de compte valide.','Invalid request.'=>'Demande invalide.','%1$s is not one of %2$s'=>'%1$s n’est pas l’un des %2$s','%1$s must have term %2$s.'=>'%1$s doit contenir le terme %2$s.' . "\0" . '%1$s doit contenir l’un des termes suivants : %2$s','%1$s must be of post type %2$s.'=>'%1$s doit être une publication de type %2$s.' . "\0" . '%1$s doit appartenir à l’un des types de publication suivants : %2$s','%1$s must have a valid post ID.'=>'%1$s doit avoir un ID de publication valide.','%s requires a valid attachment ID.'=>'%s nécessite un ID de fichier jointe valide.','Show in REST API'=>'Afficher dans l’API REST','Enable Transparency'=>'Activer la transparence','RGBA Array'=>'Tableau RGBA','RGBA String'=>'Chaine RGBA','Hex String'=>'Chaine hexadécimale','Upgrade to PRO'=>'Passer à la version Pro','post statusActive'=>'Actif','\'%s\' is not a valid email address'=>'« %s » n’est pas une adresse e-mail valide','Color value'=>'Valeur de la couleur','Select default color'=>'Sélectionner une couleur par défaut','Clear color'=>'Effacer la couleur','Blocks'=>'Blocs','Options'=>'Options','Users'=>'Comptes','Menu items'=>'Éléments de menu','Widgets'=>'Widgets','Attachments'=>'Fichiers joints','Taxonomies'=>'Taxonomies','Posts'=>'Publications','Last updated: %s'=>'Dernière mise à jour : %s','Sorry, this post is unavailable for diff comparison.'=>'Désolé, cette publication n’est pas disponible pour la comparaison de différence.','Invalid field group parameter(s).'=>'Paramètres de groupe de champ invalides.','Awaiting save'=>'En attente d’enregistrement','Saved'=>'Enregistré','Import'=>'Importer','Review changes'=>'Évaluer les modifications','Located in: %s'=>'Situés dans : %s','Located in plugin: %s'=>'Situés dans l’extension : %s','Located in theme: %s'=>'Situés dans le thème : %s','Various'=>'Divers','Sync changes'=>'Synchroniser les modifications','Loading diff'=>'Chargement du différentiel','Review local JSON changes'=>'Vérifier les modifications JSON locales','Visit website'=>'Visiter le site','View details'=>'Voir les détails','Version %s'=>'Version %s','Information'=>'Informations','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Service d’assistance. Les professionnels du support de notre service d’assistance vous aideront à résoudre vos problèmes techniques les plus complexes.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussions. Nous avons une communauté active et amicale sur nos forums communautaires qui peut vous aider à comprendre le fonctionnement de l’écosystème ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Notre documentation complète contient des références et des guides pour la plupart des situations que vous pouvez rencontrer.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Nous sommes fanatiques du support et souhaitons que vous tiriez le meilleur parti de votre site avec ACF. Si vous rencontrez des difficultés, il existe plusieurs endroits où vous pouvez trouver de l’aide :','Help & Support'=>'Aide & support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Veuillez utiliser l’onglet « Aide & support » pour nous contacter si vous avez besoin d’assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Avant de créer votre premier groupe de champ, nous vous recommandons de lire notre guide Pour commencer afin de vous familiariser avec la philosophie et les meilleures pratiques de l’extension.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'L’extension Advanced Custom Fields fournit un constructeur visuel de formulaires pour modifier les écrans de WordPress avec des champs supplémentaires, ainsi qu’une API intuitive pour afficher les valeurs des champs personnalisés dans n’importe quel fichier de modèle de thème.','Overview'=>'Aperçu','Location type "%s" is already registered.'=>'Le type d’emplacement « %s » est déjà inscrit.','Class "%s" does not exist.'=>'La classe « %s » n’existe pas.','Invalid nonce.'=>'Nonce invalide.','Error loading field.'=>'Erreur lors du chargement du champ.','Error: %s'=>'Erreur : %s','Widget'=>'Widget','User Role'=>'Rôle du compte','Comment'=>'Commenter','Post Format'=>'Format de publication','Menu Item'=>'Élément de menu','Post Status'=>'État de la publication','Menus'=>'Menus','Menu Locations'=>'Emplacements de menus','Menu'=>'Menu','Post Taxonomy'=>'Taxonomie de la publication','Child Page (has parent)'=>'Page enfant (a un parent)','Parent Page (has children)'=>'Page parent (a des enfants)','Top Level Page (no parent)'=>'Page de plus haut niveau (aucun parent)','Posts Page'=>'Page des publications','Front Page'=>'Page d’accueil','Page Type'=>'Type de page','Viewing back end'=>'Affichage de l’interface d’administration','Viewing front end'=>'Vue de l’interface publique','Logged in'=>'Connecté','Current User'=>'Compte actuel','Page Template'=>'Modèle de page','Register'=>'S’inscrire','Add / Edit'=>'Ajouter/Modifier','User Form'=>'Formulaire de profil','Page Parent'=>'Page parente','Super Admin'=>'Super admin','Current User Role'=>'Rôle du compte actuel','Default Template'=>'Modèle par défaut','Post Template'=>'Modèle de publication','Post Category'=>'Catégorie de publication','All %s formats'=>'Tous les formats %s','Attachment'=>'Fichier joint','%s value is required'=>'La valeur %s est obligatoire','Show this field if'=>'Afficher ce champ si','Conditional Logic'=>'Logique conditionnelle','and'=>'et','Local JSON'=>'JSON Local','Clone Field'=>'Champ clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Veuillez également vérifier que tous les modules PRO (%s) soient mis à jour à la dernière version.','This version contains improvements to your database and requires an upgrade.'=>'Cette version contient des améliorations de la base de données et nécessite une mise à niveau.','Thank you for updating to %1$s v%2$s!'=>'Merci d‘avoir mis à jour %1$s v%2$s !','Database Upgrade Required'=>'Mise à niveau de la base de données requise','Options Page'=>'Page d’options','Gallery'=>'Galerie','Flexible Content'=>'Contenu flexible','Repeater'=>'Répéteur','Back to all tools'=>'Retour aux outils','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)'=>'Si plusieurs groupes de champs apparaissent sur un écran de modification, les options du premier groupe de champs seront utilisées (celle avec le numéro de commande le plus bas).','Select items to hide them from the edit screen.'=>'Sélectionner les éléments à masquer sur l’écran de modification.','Hide on screen'=>'Masquer de l’écran','Send Trackbacks'=>'Envoyer des rétroliens','Tags'=>'Étiquettes','Categories'=>'Catégories','Page Attributes'=>'Attributs de page','Format'=>'Format','Author'=>'Auteur/autrice','Slug'=>'Slug','Revisions'=>'Révisions','Comments'=>'Commentaires','Discussion'=>'Commentaires','Excerpt'=>'Extrait','Content Editor'=>'Éditeur de contenu','Permalink'=>'Permalien','Shown in field group list'=>'Affiché dans la liste des groupes de champs','Field groups with a lower order will appear first'=>'Les groupes de champs avec un ordre inférieur apparaitront en premier','Order No.'=>'N° d’ordre.','Below fields'=>'Sous les champs','Below labels'=>'Sous les libellés','Instruction Placement'=>'Emplacement des instructions','Label Placement'=>'Emplacement des libellés','Side'=>'Sur le côté','Normal (after content)'=>'Normal (après le contenu)','High (after title)'=>'Haute (après le titre)','Position'=>'Emplacement','Seamless (no metabox)'=>'Sans contour (pas de boîte meta)','Standard (WP metabox)'=>'Standard (boîte méta WP)','Style'=>'Style','Type'=>'Type','Key'=>'Clé','Order'=>'Ordre','Close Field'=>'Fermer le champ','id'=>'ID','class'=>'classe','width'=>'largeur','Wrapper Attributes'=>'Attributs du conteneur','Required'=>'Obligatoire','Instructions'=>'Instructions','Field Type'=>'Type de champ','Single word, no spaces. Underscores and dashes allowed'=>'Un seul mot. Aucun espace. Les tirets bas et les tirets sont autorisés.','Field Name'=>'Nom du champ','This is the name which will appear on the EDIT page'=>'Ceci est le nom qui apparaîtra sur la page de modification','Field Label'=>'Libellé du champ','Delete'=>'Supprimer','Delete field'=>'Supprimer le champ','Move'=>'Déplacer','Move field to another group'=>'Deplacer le champ vers un autre groupe','Duplicate field'=>'Dupliquer le champ','Edit field'=>'Modifier le champ','Drag to reorder'=>'Faites glisser pour réorganiser','Show this field group if'=>'Afficher ce groupe de champs si','No updates available.'=>'Aucune mise à jour disponible.','Database upgrade complete. See what\'s new'=>'Mise à niveau de base de données complète. Voir les nouveautés','Reading upgrade tasks...'=>'Lecture des tâches de mise à niveau…','Upgrade failed.'=>'Mise à niveau échouée.','Upgrade complete.'=>'Mise à niveau terminée.','Upgrading data to version %s'=>'Mise à niveau des données vers la version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Il est recommandé de sauvegarder votre base de données avant de procéder. Confirmez-vous le lancement de la mise à jour maintenant ?','Please select at least one site to upgrade.'=>'Veuillez choisir au moins un site à mettre à niveau.','Database Upgrade complete. Return to network dashboard'=>'Mise à niveau de la base de données effectuée. Retourner au tableau de bord du réseau','Site is up to date'=>'Le site est à jour','Site requires database upgrade from %1$s to %2$s'=>'Le site nécessite une mise à niveau de la base de données à partir de %1$s vers %2$s','Site'=>'Site','Upgrade Sites'=>'Mettre à niveau les sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Les sites suivants nécessitent une mise à niveau de la base de données. Sélectionner ceux que vous voulez mettre à jour et cliquer sur %s.','Add rule group'=>'Ajouter un groupe de règles','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Créer un ensemble de règles pour déterminer quels écrans de modification utiliseront ces champs personnalisés avancés','Rules'=>'Règles','Copied'=>'Copié','Copy to clipboard'=>'Copier dans le presse-papier','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Sélectionnez les éléments que vous souhaitez exporter, puis choisissez la méthode d’exportation. « Exporter comme JSON » pour exporter vers un fichier .json que vous pouvez ensuite importer dans une autre installation ACF. « Générer le PHP » pour exporter un code PHP que vous pouvez placer dans votre thème.','Select Field Groups'=>'Sélectionner les groupes de champs','No field groups selected'=>'Aucun groupe de champs sélectionné','Generate PHP'=>'Générer le PHP','Export Field Groups'=>'Exporter les groupes de champs','Import file empty'=>'Fichier d’importation vide','Incorrect file type'=>'Type de fichier incorrect','Error uploading file. Please try again'=>'Erreur de téléversement du fichier. Veuillez réessayer.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Sélectionnez le fichier JSON Advanced Custom Fields que vous souhaitez importer. Quand vous cliquez sur le bouton « Importer » ci-dessous, ACF importera les éléments dans ce fichier.','Import Field Groups'=>'Importer les groupes de champs','Sync'=>'Synchroniser','Select %s'=>'Sélectionner %s','Duplicate'=>'Dupliquer','Duplicate this item'=>'Dupliquer cet élément','Supports'=>'Prend en charge','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Synchronisation disponible','Field group synchronized.'=>'Groupe de champs synchronisé.' . "\0" . '%s groupes de champs synchronisés.','Field group duplicated.'=>'Groupe de champs dupliqué.' . "\0" . '%s groupes de champs dupliqués.','Active (%s)'=>'Actif (%s)' . "\0" . 'Actifs (%s)','Review sites & upgrade'=>'Examiner les sites et mettre à niveau','Upgrade Database'=>'Mettre à niveau la base de données','Custom Fields'=>'Champs personnalisés','Move Field'=>'Déplacer le champ','Please select the destination for this field'=>'Veuillez sélectionner la destination pour ce champ','The %1$s field can now be found in the %2$s field group'=>'Le champ %1$s peut maintenant être trouvé dans le groupe de champs %2$s','Move Complete.'=>'Déplacement effectué.','Active'=>'Actif','Field Keys'=>'Clés des champs','Settings'=>'Réglages','Location'=>'Emplacement','Null'=>'Null','copy'=>'copier','(this field)'=>'(ce champ)','Checked'=>'Coché','Move Custom Field'=>'Déplacer le champ personnalisé','No toggle fields available'=>'Aucun champ de sélection disponible','Field group title is required'=>'Le titre du groupe de champ est requis','This field cannot be moved until its changes have been saved'=>'Ce champ ne peut pas être déplacé tant que ses modifications n’ont pas été enregistrées','The string "field_" may not be used at the start of a field name'=>'La chaine « field_ » ne peut pas être utilisée au début du nom d’un champ','Field group draft updated.'=>'Brouillon du groupe de champs mis à jour.','Field group scheduled for.'=>'Groupe de champs programmé.','Field group submitted.'=>'Groupe de champs envoyé.','Field group saved.'=>'Groupe de champs sauvegardé.','Field group published.'=>'Groupe de champs publié.','Field group deleted.'=>'Groupe de champs supprimé.','Field group updated.'=>'Groupe de champs mis à jour.','Tools'=>'Outils','is not equal to'=>'n’est pas égal à','is equal to'=>'est égal à','Forms'=>'Formulaires','Page'=>'Page','Post'=>'Publication','Relational'=>'Relationnel','Choice'=>'Choix','Basic'=>'Basique','Unknown'=>'Inconnu','Field type does not exist'=>'Le type de champ n’existe pas','Spam Detected'=>'Indésirable détecté','Post updated'=>'Publication mise à jour','Update'=>'Mise à jour','Validate Email'=>'Valider l’e-mail','Content'=>'Contenu','Title'=>'Titre','Edit field group'=>'Modifier le groupe de champs','Selection is less than'=>'La sélection est inférieure à','Selection is greater than'=>'La sélection est supérieure à','Value is less than'=>'La valeur est plus petite que','Value is greater than'=>'La valeur est plus grande que','Value contains'=>'La valeur contient','Value matches pattern'=>'La valeur correspond au modèle','Value is not equal to'=>'La valeur n’est pas égale à','Value is equal to'=>'La valeur est égale à','Has no value'=>'A aucune valeur','Has any value'=>'A n’importe quelle valeur','Cancel'=>'Annuler','Are you sure?'=>'Confirmez-vous ?','%d fields require attention'=>'%d champs nécessitent votre attention','1 field requires attention'=>'Un champ nécessite votre attention','Validation failed'=>'Échec de la validation','Validation successful'=>'Validation réussie','Restricted'=>'Limité','Collapse Details'=>'Replier les détails','Expand Details'=>'Déplier les détails','Uploaded to this post'=>'Téléversé sur cette publication','verbUpdate'=>'Mettre à jour','verbEdit'=>'Modifier','The changes you made will be lost if you navigate away from this page'=>'Les modifications que vous avez effectuées seront perdues si vous quittez cette page','File type must be %s.'=>'Le type de fichier doit être %s.','or'=>'ou','File size must not exceed %s.'=>'La taille du fichier ne doit pas excéder %s.','File size must be at least %s.'=>'La taille du fichier doit être d’au moins %s.','Image height must not exceed %dpx.'=>'La hauteur de l’image ne doit pas excéder %d px.','Image height must be at least %dpx.'=>'La hauteur de l’image doit être au minimum de %d px.','Image width must not exceed %dpx.'=>'La largeur de l’image ne doit pas excéder %d px.','Image width must be at least %dpx.'=>'La largeur de l’image doit être au minimum de %d px.','(no title)'=>'(aucun titre)','Full Size'=>'Taille originale','Large'=>'Grand','Medium'=>'Moyen','Thumbnail'=>'Miniature','(no label)'=>'(aucun libellé)','Sets the textarea height'=>'Définir la hauteur de la zone de texte','Rows'=>'Lignes','Text Area'=>'Zone de texte','Prepend an extra checkbox to toggle all choices'=>'Ajouter une case à cocher pour basculer tous les choix','Save \'custom\' values to the field\'s choices'=>'Enregistrez les valeurs « personnalisées » dans les choix du champ','Allow \'custom\' values to be added'=>'Autoriser l’ajout de valeurs personnalisées','Add new choice'=>'Ajouter un nouveau choix','Toggle All'=>'Tout (dé)sélectionner','Allow Archives URLs'=>'Afficher les URL des archives','Archives'=>'Archives','Page Link'=>'Lien vers la page','Add'=>'Ajouter','Name'=>'Nom','%s added'=>'%s ajouté','%s already exists'=>'%s existe déjà','User unable to add new %s'=>'Compte incapable d’ajouter un nouveau %s','Term ID'=>'ID de terme','Term Object'=>'Objet de terme','Load value from posts terms'=>'Charger une valeur depuis les termes de publications','Load Terms'=>'Charger les termes','Connect selected terms to the post'=>'Lier les termes sélectionnés à la publication','Save Terms'=>'Enregistrer les termes','Allow new terms to be created whilst editing'=>'Autoriser la création de nouveaux termes pendant la modification','Create Terms'=>'Créer des termes','Radio Buttons'=>'Boutons radio','Single Value'=>'Valeur unique','Multi Select'=>'Liste déroulante à multiple choix','Checkbox'=>'Case à cocher','Multiple Values'=>'Valeurs multiples','Select the appearance of this field'=>'Sélectionner l’apparence de ce champ','Appearance'=>'Apparence','Select the taxonomy to be displayed'=>'Sélectionner la taxonomie à afficher','No TermsNo %s'=>'N° %s','Value must be equal to or lower than %d'=>'La valeur doit être inférieure ou égale à %d','Value must be equal to or higher than %d'=>'La valeur doit être être supérieure ou égale à %d','Value must be a number'=>'La valeur doit être un nombre','Number'=>'Nombre','Save \'other\' values to the field\'s choices'=>'Sauvegarder les valeurs « Autres » dans les choix des champs','Add \'other\' choice to allow for custom values'=>'Ajouter le choix « Autre » pour autoriser les valeurs personnalisées','Other'=>'Autre','Radio Button'=>'Bouton radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Définir un point de terminaison pour l’accordéon précédent. Cet accordéon ne sera pas visible.','Allow this accordion to open without closing others.'=>'Autoriser l’ouverture de cet accordéon sans fermer les autres.','Multi-Expand'=>'Ouverture multiple','Display this accordion as open on page load.'=>'Ouvrir l’accordéon au chargement de la page.','Open'=>'Ouvrir','Accordion'=>'Accordéon','Restrict which files can be uploaded'=>'Restreindre quels fichiers peuvent être téléversés','File ID'=>'ID du fichier','File URL'=>'URL du fichier','File Array'=>'Tableau de fichiers','Add File'=>'Ajouter un fichier','No file selected'=>'Aucun fichier sélectionné','File name'=>'Nom du fichier','Update File'=>'Mettre à jour le fichier','Edit File'=>'Modifier le fichier','Select File'=>'Sélectionner un fichier','File'=>'Fichier','Password'=>'Mot de Passe','Specify the value returned'=>'Spécifier la valeur retournée','Use AJAX to lazy load choices?'=>'Utiliser AJAX pour un chargement différé des choix ?','Enter each default value on a new line'=>'Saisir chaque valeur par défaut sur une nouvelle ligne','verbSelect'=>'Sélectionner','Select2 JS load_failLoading failed'=>'Le chargement a échoué','Select2 JS searchingSearching…'=>'Recherche en cours...','Select2 JS load_moreLoading more results…'=>'Chargement de résultats supplémentaires…','Select2 JS selection_too_long_nYou can only select %d items'=>'Vous ne pouvez choisir que %d éléments','Select2 JS selection_too_long_1You can only select 1 item'=>'Vous ne pouvez choisir qu’un seul élément','Select2 JS input_too_long_nPlease delete %d characters'=>'Veuillez supprimer %d caractères','Select2 JS input_too_long_1Please delete 1 character'=>'Veuillez supprimer 1 caractère','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Veuillez saisir %d caractères ou plus','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Veuillez saisir au minimum 1 caractère','Select2 JS matches_0No matches found'=>'Aucun résultat','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d résultats disponibles, utilisez les flèches haut et bas pour naviguer parmi ceux-ci.','Select2 JS matches_1One result is available, press enter to select it.'=>'Un résultat est disponible, appuyez sur « Entrée » pour le sélectionner.','nounSelect'=>'Liste déroulante','User ID'=>'ID du compte','User Object'=>'Objet du compte','User Array'=>'Tableau de comptes','All user roles'=>'Tous les rôles de comptes','Filter by Role'=>'Filtrer par rôle','User'=>'Compte','Separator'=>'Séparateur','Select Color'=>'Sélectionner une couleur','Default'=>'Par défaut','Clear'=>'Effacer','Color Picker'=>'Sélecteur de couleur','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Sélectionner','Date Time Picker JS closeTextDone'=>'Terminé','Date Time Picker JS currentTextNow'=>'Maintenant','Date Time Picker JS timezoneTextTime Zone'=>'Fuseau horaire','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Heure','Date Time Picker JS timeTextTime'=>'Heure','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choisir l’heure','Date Time Picker'=>'Sélecteur de date et heure','Endpoint'=>'Point de terminaison','Left aligned'=>'Aligné à gauche','Top aligned'=>'Aligné en haut','Placement'=>'Positionnement','Tab'=>'Onglet','Value must be a valid URL'=>'Le champ doit contenir une URL valide','Link URL'=>'URL du lien','Link Array'=>'Tableau de liens','Opens in a new window/tab'=>'Ouvrir dans une nouvelle fenêtre/onglet','Select Link'=>'Sélectionner un lien','Link'=>'Lien','Email'=>'E-mail','Step Size'=>'Taille de l’incrément','Maximum Value'=>'Valeur maximum','Minimum Value'=>'Valeur minimum','Range'=>'Plage','Both (Array)'=>'Les deux (tableau)','Label'=>'Libellé','Value'=>'Valeur','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rouge : Rouge','For more control, you may specify both a value and label like this:'=>'Pour plus de contrôle, vous pouvez spécifier une valeur et un libellé de cette manière :','Enter each choice on a new line.'=>'Saisir chaque choix sur une nouvelle ligne.','Choices'=>'Choix','Button Group'=>'Groupe de boutons','Allow Null'=>'Autoriser une valeur vide','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE ne sera pas initialisé avant un clic dans le champ','Delay Initialization'=>'Retarder l’initialisation','Show Media Upload Buttons'=>'Afficher les boutons de téléversement de média','Toolbar'=>'Barre d’outils','Text Only'=>'Texte Uniquement','Visual Only'=>'Visuel uniquement','Visual & Text'=>'Visuel & texte','Tabs'=>'Onglets','Click to initialize TinyMCE'=>'Cliquer pour initialiser TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texte','Visual'=>'Visuel','Value must not exceed %d characters'=>'La valeur ne doit pas excéder %d caractères','Leave blank for no limit'=>'Laisser vide pour ne fixer aucune limite','Character Limit'=>'Limite de caractères','Appears after the input'=>'Apparait après le champ','Append'=>'Ajouter après','Appears before the input'=>'Apparait avant le champ','Prepend'=>'Ajouter avant','Appears within the input'=>'Apparaît dans l’entrée','Placeholder Text'=>'Texte indicatif','Appears when creating a new post'=>'Apparaît à la création d’une nouvelle publication','Text'=>'Texte','%1$s requires at least %2$s selection'=>'%1$s requiert au moins %2$s sélection' . "\0" . '%1$s requiert au moins %2$s sélections','Post ID'=>'ID de la publication','Post Object'=>'Objet de la publication','Maximum Posts'=>'Maximum de publications','Minimum Posts'=>'Minimum de publications','Featured Image'=>'Image mise en avant','Selected elements will be displayed in each result'=>'Les éléments sélectionnés seront affichés dans chaque résultat','Elements'=>'Éléments','Taxonomy'=>'Taxonomie','Post Type'=>'Type de publication','Filters'=>'Filtres','All taxonomies'=>'Toutes les taxonomies','Filter by Taxonomy'=>'Filtrer par taxonomie','All post types'=>'Tous les types de publication','Filter by Post Type'=>'Filtrer par type de publication','Search...'=>'Rechercher…','Select taxonomy'=>'Sélectionner la taxonomie','Select post type'=>'Choisissez le type de publication','No matches found'=>'Aucune correspondance trouvée','Loading'=>'Chargement','Maximum values reached ( {max} values )'=>'Valeurs maximum atteintes ({max} valeurs)','Relationship'=>'Relation','Comma separated list. Leave blank for all types'=>'Séparez les valeurs par une virgule. Laissez blanc pour tout autoriser.','Allowed File Types'=>'Types de fichiers autorisés','Maximum'=>'Maximum','File size'=>'Taille du fichier','Restrict which images can be uploaded'=>'Restreindre quelles images peuvent être téléversées','Minimum'=>'Minimum','Uploaded to post'=>'Téléversé dans la publication','All'=>'Tous','Limit the media library choice'=>'Limiter le choix de la médiathèque','Library'=>'Médiathèque','Preview Size'=>'Taille de prévisualisation','Image ID'=>'ID de l’image','Image URL'=>'URL de l’image','Image Array'=>'Tableau de l’image','Specify the returned value on front end'=>'Spécifier la valeur renvoyée publiquement','Return Value'=>'Valeur de retour','Add Image'=>'Ajouter image','No image selected'=>'Aucune image sélectionnée','Remove'=>'Retirer','Edit'=>'Modifier','All images'=>'Toutes les images','Update Image'=>'Mettre à jour l’image','Edit Image'=>'Modifier l’image','Select Image'=>'Sélectionner une image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Permet l’affichage du code HTML à l’écran au lieu de l’interpréter','Escape HTML'=>'Autoriser le code HTML','No Formatting'=>'Aucun formatage','Automatically add <br>'=>'Ajouter automatiquement <br>','Automatically add paragraphs'=>'Ajouter automatiquement des paragraphes','Controls how new lines are rendered'=>'Contrôle comment les nouvelles lignes sont rendues','New Lines'=>'Nouvelles lignes','Week Starts On'=>'La semaine débute le','The format used when saving a value'=>'Le format utilisé lors de la sauvegarde d’une valeur','Save Format'=>'Enregistrer le format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Préc.','Date Picker JS nextTextNext'=>'Suivant','Date Picker JS currentTextToday'=>'Aujourd’hui','Date Picker JS closeTextDone'=>'Terminé','Date Picker'=>'Sélecteur de date','Width'=>'Largeur','Embed Size'=>'Taille d’intégration','Enter URL'=>'Saisissez l’URL','oEmbed'=>'Contenu oEmbed','Text shown when inactive'=>'Texte affiché lorsque inactif','Off Text'=>'Texte « Inactif »','Text shown when active'=>'Texte affiché lorsque actif','On Text'=>'Texte « Actif »','Stylized UI'=>'Interface (UI) stylisée','Default Value'=>'Valeur par défaut','Displays text alongside the checkbox'=>'Affiche le texte à côté de la case à cocher','Message'=>'Message','No'=>'Non','Yes'=>'Oui','True / False'=>'Vrai/Faux','Row'=>'Ligne','Table'=>'Tableau','Block'=>'Bloc','Specify the style used to render the selected fields'=>'Spécifier le style utilisé pour afficher les champs sélectionnés','Layout'=>'Mise en page','Sub Fields'=>'Sous-champs','Group'=>'Groupe','Customize the map height'=>'Personnaliser la hauteur de la carte','Height'=>'Hauteur','Set the initial zoom level'=>'Définir le niveau de zoom initial','Zoom'=>'Zoom','Center the initial map'=>'Centrer la carte initiale','Center'=>'Centrer','Search for address...'=>'Rechercher une adresse…','Find current location'=>'Obtenir l’emplacement actuel','Clear location'=>'Effacer la position','Search'=>'Rechercher','Sorry, this browser does not support geolocation'=>'Désolé, ce navigateur ne prend pas en charge la géolocalisation','Google Map'=>'Google Map','The format returned via template functions'=>'Le format retourné via les fonctions du modèle','Return Format'=>'Format de retour','Custom:'=>'Personnalisé :','The format displayed when editing a post'=>'Le format affiché lors de la modification d’une publication','Display Format'=>'Format d’affichage','Time Picker'=>'Sélecteur d’heure','Inactive (%s)'=>'(%s) inactif' . "\0" . '(%s) inactifs','No Fields found in Trash'=>'Aucun champ trouvé dans la corbeille','No Fields found'=>'Aucun champ trouvé','Search Fields'=>'Rechercher des champs','View Field'=>'Voir le champ','New Field'=>'Nouveau champ','Edit Field'=>'Modifier le champ','Add New Field'=>'Ajouter un nouveau champ','Field'=>'Champ','Fields'=>'Champs','No Field Groups found in Trash'=>'Aucun groupe de champs trouvé dans la corbeille','No Field Groups found'=>'Aucun groupe de champs trouvé','Search Field Groups'=>'Rechercher des groupes de champs','View Field Group'=>'Voir le groupe de champs','New Field Group'=>'Nouveau groupe de champs','Edit Field Group'=>'Modifier le groupe de champs','Add New Field Group'=>'Ajouter un groupe de champs','Add New'=>'Ajouter','Field Group'=>'Groupe de champs','Field Groups'=>'Groupes de champs','Customize WordPress with powerful, professional and intuitive fields.'=>'Personnalisez WordPress avec des champs intuitifs, puissants et professionnels.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com/','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Le nom du type de bloc est obligatoire.','Block type "%s" is already registered.'=>'Le type de bloc "%s" est déjà déclaré.','Switch to Edit'=>'Passer en mode Édition','Switch to Preview'=>'Passer en mode Aperçu','Change content alignment'=>'Modifier l’alignement du contenu','%s settings'=>'Réglages de %s','This block contains no editable fields.'=>'Ce bloc ne contient aucun champ éditable.','Assign a field group to add fields to this block.'=>'Assignez un groupe de champs pour ajouter des champs à ce bloc.','Options Updated'=>'Options mises à jour','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pour activer les mises à jour, veuillez indiquer votre clé de licence sur la page Mises à jour. Si vous n’en possédez pas encore une, jetez un oeil à nos détails & tarifs.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erreur d’activation d’ACF. Votre clé de licence a été modifiée, mais une erreur est survenue lors de la désactivation de votre précédente licence','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erreur d’activation d’ACF. Votre clé de licence définie a été modifiée, mais une erreur est survenue lors de la connexion au serveur d’activation','ACF Activation Error'=>'Erreur d’activation d’ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erreur d’activation d’ACF. Une erreur est survenue lors de la connexion au serveur d’activation','Check Again'=>'Vérifier à nouveau','ACF Activation Error. Could not connect to activation server'=>'Erreur d’activation d’ACF. Impossible de se connecter au serveur d’activation','Publish'=>'Publier','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Aucun groupe de champs trouvé pour cette page options. Créer un groupe de champs','Error. Could not connect to update server'=>'Erreur. Impossible de joindre le serveur','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erreur. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erreur. La licence pour ce site a expiré ou a été désactivée. Veuillez réactiver votre licence ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Vous permet de sélectionner et afficher des champs existants. Le clone ne duplique pas les champs dans la base de données, il récupère leurs valeurs au chargement de la page. Le Clone sera remplacé par les champs qu’il représente et les affiche comme un groupe de sous-champs.','Select one or more fields you wish to clone'=>'Sélectionnez un ou plusieurs champs à cloner','Display'=>'Format d’affichage','Specify the style used to render the clone field'=>'Définit le style utilisé pour générer le champ dupliqué','Group (displays selected fields in a group within this field)'=>'Groupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)','Seamless (replaces this field with selected fields)'=>'Remplace ce champ par les champs sélectionnés','Labels will be displayed as %s'=>'Les libellés seront affichés en tant que %s','Prefix Field Labels'=>'Préfixer les libellés de champs','Values will be saved as %s'=>'Les valeurs seront enregistrées en tant que %s','Prefix Field Names'=>'Préfixer les noms de champs','Unknown field'=>'Champ inconnu','Unknown field group'=>'Groupe de champ inconnu','All fields from %s field group'=>'Tous les champs du groupe %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Vous permet de définir, créer et gérer des contenus avec un contrôle total : les éditeurs peuvent créer des mises en page en sélectionnant des dispositions basées sur des sous-champs.','Add Row'=>'Ajouter un élément','layout'=>'disposition' . "\0" . 'dispositions','layouts'=>'dispositions','This field requires at least {min} {label} {identifier}'=>'Ce champ requiert au moins {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Ce champ a une limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} required (min {min})','Flexible Content requires at least 1 layout'=>'Le contenu flexible nécessite au moins une disposition','Click the "%s" button below to start creating your layout'=>'Cliquez sur le bouton "%s" ci-dessous pour créer votre première disposition','Add layout'=>'Ajouter une disposition','Duplicate layout'=>'Dupliquer la disposition','Remove layout'=>'Retirer la disposition','Click to toggle'=>'Cliquer pour afficher/cacher','Delete Layout'=>'Supprimer la disposition','Duplicate Layout'=>'Dupliquer la disposition','Add New Layout'=>'Ajouter une disposition','Add Layout'=>'Ajouter une disposition','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Nombre minimum de dispositions','Maximum Layouts'=>'Nombre maximum de dispositions','Button Label'=>'Intitulé du bouton','%s must be of type array or null.'=>'la valeur de %s doit être un tableau ou null.','%1$s must contain at least %2$s %3$s layout.'=>'Le champ %1$s doit contenir au moins %2$s %3$s disposition.' . "\0" . 'Le champ %1$s doit contenir au moins %2$s %3$s dispositions.','%1$s must contain at most %2$s %3$s layout.'=>'Le champ %1$s doit contenir au maximum %2$s %3$s disposition.' . "\0" . 'Le champ %1$s doit contenir au maximum %2$s %3$s dispositions.','An interactive interface for managing a collection of attachments, such as images.'=>'Une interface interactive pour gérer une collection de fichiers joints, telles que des images.','Add Image to Gallery'=>'Ajouter l’image à la galerie','Maximum selection reached'=>'Nombre de sélections maximales atteint','Length'=>'Longueur','Caption'=>'Légende','Alt Text'=>'Texte alternatif','Add to gallery'=>'Ajouter à la galerie','Bulk actions'=>'Actions de groupe','Sort by date uploaded'=>'Ranger par date d’import','Sort by date modified'=>'Ranger par date de modification','Sort by title'=>'Ranger par titre','Reverse current order'=>'Inverser l’ordre actuel','Close'=>'Appliquer','Minimum Selection'=>'Minimum d’images','Maximum Selection'=>'Maximum d’images','Allowed file types'=>'Types de fichiers autorisés','Insert'=>'Insérer','Specify where new attachments are added'=>'Définir comment les images sont insérées','Append to the end'=>'Insérer à la fin','Prepend to the beginning'=>'Insérer au début','Minimum rows not reached ({min} rows)'=>'Nombre minimal d’éléments insuffisant ({min} éléments)','Maximum rows reached ({max} rows)'=>'Nombre maximal d’éléments atteint ({max} éléments)','Error loading page'=>'Erreur de chargement de la page','Order will be assigned upon save'=>'L’ordre sera assigné après l’enregistrement','Useful for fields with a large number of rows.'=>'Utile pour les champs avec un grand nombre de lignes.','Rows Per Page'=>'Lignes par Page','Set the number of rows to be displayed on a page.'=>'Définir le nombre de lignes à afficher sur une page.','Minimum Rows'=>'Nombre minimum d’éléments','Maximum Rows'=>'Nombre maximum d’éléments','Collapsed'=>'Replié','Select a sub field to show when row is collapsed'=>'Choisir un sous champ à montrer lorsque la ligne est refermée','Invalid field key or name.'=>'Clé de champ invalide.','There was an error retrieving the field.'=>'Il y a une erreur lors de la récupération du champ.','Click to reorder'=>'Cliquer pour réorganiser','Add row'=>'Ajouter un élément','Duplicate row'=>'Dupliquer la ligne','Remove row'=>'Retirer l’élément','Current Page'=>'Page actuelle','First Page'=>'Première page','Previous Page'=>'Page précédente','paging%1$s of %2$s'=>'%1$s sur %2$s','Next Page'=>'Page suivante','Last Page'=>'Dernière page','No block types exist'=>'Aucun type de blocs existant','No options pages exist'=>'Aucune page d’option créée','Deactivate License'=>'Désactiver la licence','Activate License'=>'Activer votre licence','License Information'=>'Informations sur la licence','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 détails & tarifs.','License Key'=>'Clé de licence','Your license key is defined in wp-config.php.'=>'Votre clé de licence est définie dans le fichier wp-config.php.','Retry Activation'=>'Retenter l’activation','Update Information'=>'Informations de mise à jour','Current Version'=>'Version actuelle','Latest Version'=>'Dernière version','Update Available'=>'Mise à jour disponible','Upgrade Notice'=>'Améliorations','Check For Updates'=>'Vérifier les mises à jour','Enter your license key to unlock updates'=>'Indiquez votre clé de licence pour activer les mises à jour','Update Plugin'=>'Mettre à jour l’extension','Please reactivate your license to unlock updates'=>'Veuillez réactiver votre licence afin de débloquer les mises à jour']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'Autoriser l’accès à la valeur dans l’interface de l’éditeur','Learn more.'=>'En savoir plus.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Autoriser aux éditeurs et éditrices de contenu d’accéder à la valeur du champ et de l’afficher dans l’interface de l’éditeur en utilisant les blocs bindings ou le code court ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Le type de champ ACF demandé ne prend pas en charge la sortie via les Block Bindings ou le code court ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Le champ ACF demandé n’est pas autorisé à être affiché via les bindings ou le code court ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Le type de champ ACF demandé ne prend pas en charge l’affichage via les bindings ou le code court ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Le code court ACF ne peut pas afficher les champs des publications non publiques]','[The ACF shortcode is disabled on this site]'=>'[Le code court ACF est désactivé sur ce site]','Businessman Icon'=>'Icône d’homme d’affaires','Forums Icon'=>'Icône de forums','YouTube Icon'=>'Icône YouTube','Yes (alt) Icon'=>'Icône Oui (alt)','Xing Icon'=>'Icône Xing','WordPress (alt) Icon'=>'Icône WordPress (alt)','WhatsApp Icon'=>'Icône WhatsApp','Write Blog Icon'=>'Icône Rédaction de blog','Widgets Menus Icon'=>'Icône de widgets de menus','View Site Icon'=>'Voir l’icône du site','Learn More Icon'=>'Icône En savoir plus','Add Page Icon'=>'Icône Ajouter une page','Video (alt3) Icon'=>'Icône Vidéo (alt3)','Video (alt2) Icon'=>'Icône vidéo (alt2)','Video (alt) Icon'=>'Icône vidéo (alt)','Update (alt) Icon'=>'Icône de mise à jour (alt)','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'Icône Twitter (alt)','Twitch Icon'=>'Icône Twitch','Tide Icon'=>'Icône de marée','Tickets (alt) Icon'=>'Icône de billets (alt)','Text Page Icon'=>'Icône de page de texte','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'Icône de super-héros','Spotify Icon'=>'Icône Spotify','Shortcode Icon'=>'Icône de code court','Shield (alt) Icon'=>'Icône de bouclier (alt)','Share (alt2) Icon'=>'Icône de partage (alt2)','Share (alt) Icon'=>'Icône de partage (alt)','Saved Icon'=>'Icône enregistrée','RSS Icon'=>'Icône RSS','REST API Icon'=>'Icône d’API REST','Remove Icon'=>'Retirer l’icône','Reddit Icon'=>'Icône Reddit','Privacy Icon'=>'Icône de confidentialité','Printer Icon'=>'Icône d’imprimante','Podio Icon'=>'Icône Podio','Plus (alt2) Icon'=>'Icône Plus (alt2)','Plus (alt) Icon'=>'Icône Plus (alt)','Plugins Checked Icon'=>'Icône d’extensions cochée','Pinterest Icon'=>'Icône Pinterest','Pets Icon'=>'Icône d’animaux','PDF Icon'=>'Icône de PDF','Palm Tree Icon'=>'Icône de palmier','Open Folder Icon'=>'Icône d’ouverture du dossier','No (alt) Icon'=>'Pas d’icône (alt)','Money (alt) Icon'=>'Icône d’argent (alt)','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'Icône de feuille de calcul','Interactive Icon'=>'Icône interactive','Document Icon'=>'Icône de document','Default Icon'=>'Icône par défaut','Location (alt) Icon'=>'','LinkedIn Icon'=>'Icône LinkedIn','Instagram Icon'=>'Icône Instagram','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'Insérer un icône','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'Icône de rotation','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'Icône de recadrage','ID (alt) Icon'=>'Icône d’ID (alt)','HTML Icon'=>'Icône HTML','Hourglass Icon'=>'Icône de sablier','Heading Icon'=>'Icône de titre','Google Icon'=>'Icône Google','Games Icon'=>'Icône de jeux','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'Icône plein écran (alt)','Status Icon'=>'Icône d’état','Image Icon'=>'Icône d’image','Gallery Icon'=>'Icône de galerie','Chat Icon'=>'Icône de chat','Audio Icon'=>'Icône audio','Aside Icon'=>'Icône Aparté','Food Icon'=>'Icône d’alimentation','Exit Icon'=>'Icône de sortie','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'Icône de points de suspension','Unordered List Icon'=>'','RTL Icon'=>'Icône RTL','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'Icône LTR','Custom Character Icon'=>'Icône de caractère personnalisé','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'Icône de pilon','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'Icône de base de données','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'Icône de répétition','Play Icon'=>'Icône de lecture','Pause Icon'=>'Icône de pause','Forward Icon'=>'Icône de transfert','Back Icon'=>'Icône de retour','Columns Icon'=>'Icône de colonnes','Color Picker Icon'=>'Icône de sélecteur de couleurs','Coffee Icon'=>'Icône de café','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'Icône de voiture','Camera (alt) Icon'=>'Icône d’appareil photo (alt)','Calculator Icon'=>'Icône de calculatrice','Button Icon'=>'Icône de bouton','Businessperson Icon'=>'','Tracking Icon'=>'Icône de suivi','Topics Icon'=>'Icône de sujets','Replies Icon'=>'Icône de réponses','PM Icon'=>'Icône Pm','Friends Icon'=>'Icône d’amis','Community Icon'=>'Icône de communauté','BuddyPress Icon'=>'Icône BuddyPress','bbPress Icon'=>'Icône bbPress','Activity Icon'=>'Icône d’activité','Book (alt) Icon'=>'Icône de livre (alt)','Block Default Icon'=>'Icône de bloc par défaut','Bell Icon'=>'Icône de cloche','Beer Icon'=>'Icône de bière','Bank Icon'=>'Icône de banque','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'Icône Amazon','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Icône d’avion','Site (alt3) Icon'=>'Icône de site (alt3)','Site (alt2) Icon'=>'Icône de site (alt2)','Site (alt) Icon'=>'Icône de site (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'Arguments de requête invalides.','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'Logo ACF PRO','ACF PRO Logo'=>'Logo ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'Icône WordPress','Warning Icon'=>'Icône d’avertissement','Visibility Icon'=>'Icône de visibilité','Vault Icon'=>'Icône de coffre-fort','Upload Icon'=>'Icône de téléversement','Update Icon'=>'Mettre à jour l’icône','Unlock Icon'=>'Icône de déverrouillage','Universal Access Icon'=>'Icône d’accès universel','Undo Icon'=>'Icône d’annulation','Twitter Icon'=>'Icône Twitter','Trash Icon'=>'Icône de corbeille','Translation Icon'=>'Icône de traduction','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'Icône de texte','Testimonial Icon'=>'Icône de témoignage','Tagcloud Icon'=>'Icône Tagcloud','Tag Icon'=>'Icône de balise','Tablet Icon'=>'Icône de tablette','Store Icon'=>'Icône de boutique','Sticky Icon'=>'Icône d’épinglage','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'Icône Sos','Sort Icon'=>'Icône de tri','Smiley Icon'=>'Icône Smiley','Smartphone Icon'=>'','Slides Icon'=>'Icône de diapositives','Shield Icon'=>'Icône de bouclier','Share Icon'=>'Icône de partage','Search Icon'=>'Icône de recherche','Screen Options Icon'=>'','Schedule Icon'=>'Icône de calendrier','Redo Icon'=>'Icône de rétablissement','Randomize Icon'=>'','Products Icon'=>'Icône de produits','Pressthis Icon'=>'Icône Pressthis','Post Status Icon'=>'','Portfolio Icon'=>'Icône de portfolio','Plus Icon'=>'Icône Plus','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'Icône de téléphone','Performance Icon'=>'','Paperclip Icon'=>'Icône de trombone','No Icon'=>'Pas d\'icône','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'Icône de déplacement','Money Icon'=>'Icône d’argent','Minus Icon'=>'Icône Moins','Migrate Icon'=>'Icône de migration','Microphone Icon'=>'Icône de micro','Megaphone Icon'=>'Icône de mégaphone','Marker Icon'=>'Icône de marqueur','Lock Icon'=>'Icône de verrouillage','Location Icon'=>'Icône d’emplacement','List View Icon'=>'','Lightbulb Icon'=>'Icône d’ampoule','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'Icône de portable','Info Icon'=>'Icône d’information','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'Icône de coeur','Hammer Icon'=>'','Groups Icon'=>'Icône de groupes','Grid View Icon'=>'','Forms Icon'=>'Icône de formulaires','Flag Icon'=>'Icône de drapeau','Filter Icon'=>'Icône de filtre','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'Icône Facebook','External Icon'=>'Icône externe','Email (alt) Icon'=>'','Email Icon'=>'Icône d’e-mail','Video Icon'=>'Icône de vidéo','Unlink Icon'=>'Icône de dissociation','Underline Icon'=>'Icône de soulignement','Text Color Icon'=>'Icône de couleur de texte','Table Icon'=>'Icône de tableau','Strikethrough Icon'=>'','Spellcheck Icon'=>'Icône de vérification orthographique','Remove Formatting Icon'=>'','Quote Icon'=>'Icône de citation','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'Icône de retrait','Kitchen Sink Icon'=>'','Justify Icon'=>'Justifier l’icône','Italic Icon'=>'Icône italique','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'Icône d’aide','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'Icône de code','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'Modifier l’icône','Download Icon'=>'Icône de téléchargement','Dismiss Icon'=>'','Desktop Icon'=>'Icône d’ordinateur','Dashboard Icon'=>'Icône de tableau de bord','Cloud Icon'=>'Icône de nuage','Clock Icon'=>'Icône d’horloge','Clipboard Icon'=>'Icône de presse-papiers','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'Icône de catégorie','Cart Icon'=>'Icône de panier','Carrot Icon'=>'Icône de carotte','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'Icône de calendrier','Businesswoman Icon'=>'Icône de femme d’affaires','Building Icon'=>'','Book Icon'=>'Icône de livre','Backup Icon'=>'Icône de sauvegarde','Awards Icon'=>'','Art Icon'=>'Icône d’art','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'Icône d’archive','Analytics Icon'=>'Icône de statistiques','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'Icône d’album','Users Icon'=>'Icône d’utilisateurs/utilisatrices','Tools Icon'=>'Icône d’outils','Site Icon'=>'Icône de site','Settings Icon'=>'Icône de réglages','Post Icon'=>'Icône de publication','Plugins Icon'=>'Icône d’extensions','Page Icon'=>'Icône de page','Network Icon'=>'Icône de réseau','Multisite Icon'=>'Icône multisite','Media Icon'=>'Icône de média','Links Icon'=>'Icône de liens','Home Icon'=>'','Customizer Icon'=>'Icône de personnalisation','Comments Icon'=>'Icône de commentaires','Collapse Icon'=>'Icône de réduction','Appearance Icon'=>'Icône d’apparence','Generic Icon'=>'Icône générique','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'Aucun résultat trouvé pour ce terme de recherche','Array'=>'Tableau','String'=>'Chaîne','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'Parcourir la médiathèque','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'Médiathèque','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Sélecteur d’icône','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'Code court activé','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'Clair','Standard'=>'Normal','REST API Format'=>'Format de l’API REST','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'Extensions actives','Parent Theme'=>'Thème parent','Active Theme'=>'Thème actif','Is Multisite'=>'Est un multisite','MySQL Version'=>'Version MySQL','WordPress Version'=>'Version de WordPress','Subscription Expiry Date'=>'','License Status'=>'État de la licence','License Type'=>'Type de licence','Licensed URL'=>'URL sous licence','License Activated'=>'Licence activée','Free'=>'Gratuit','Plugin Type'=>'Type d’extension','Plugin Version'=>'Version de l’extension','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'N’a aucun terme sélectionné','Has any term selected'=>'','Terms do not contain'=>'Les termes ne contiennent pas','Terms contain'=>'Les termes contiennent','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'Les utilisateurs contiennent','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'N’a pas de page sélectionnée','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'Les pages contiennent','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'N’a aucune relation sélectionnée','Has any relationship selected'=>'','Has no post selected'=>'N’a aucune publication sélectionnée','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'Les publications contiennent','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'Champs ACF','ACF PRO Feature'=>'Fonctionnalité ACF PRO','Renew PRO to Unlock'=>'Renouvelez la version PRO pour déverrouiller','Renew PRO License'=>'Renouveler la licence PRO','PRO fields cannot be edited without an active license.'=>'Les champs PRO ne peuvent pas être modifiés sans une licence active.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Veuillez activer votre licence ACF PRO pour modifier les groupes de champs assignés à un bloc ACF.','Please activate your ACF PRO license to edit this options page.'=>'Veuillez activer votre licence ACF PRO pour modifier cette page d’options.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Le renvoi des valeurs HTML n’est possible que lorsque format_value est également vrai. Les valeurs des champs n’ont pas été renvoyées pour des raisons de sécurité.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Le renvoi d’une valeur HTML n’est possible que lorsque format_value est également vrai. La valeur du champ n’a pas été renvoyée pour des raisons de sécurité.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Veuillez contacter l’admin ou le développeur/développeuse de votre site pour plus de détails.','Learn more'=>'Lire la suite','Hide details'=>'Masquer les détails','Show details'=>'Afficher les détails','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - rendu via %3$s','Renew ACF PRO License'=>'Renouveler la licence ACF PRO','Renew License'=>'Renouveler la licence','Manage License'=>'Gérer la licence','\'High\' position not supported in the Block Editor'=>'La position « Haute » n’est pas prise en charge par l’éditeur de bloc','Upgrade to ACF PRO'=>'Mettre à niveau vers ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Les pages d’options ACF sont des pages d’administration personnalisées pour gérer des réglages globaux via des champs. Vous pouvez créer plusieurs pages et sous-pages.','Add Options Page'=>'Ajouter une page d’options','In the editor used as the placeholder of the title.'=>'Dans l’éditeur, utilisé comme texte indicatif du titre.','Title Placeholder'=>'Texte indicatif du titre','4 Months Free'=>'4 mois gratuits','(Duplicated from %s)'=>' (Dupliqué depuis %s)','Select Options Pages'=>'Sélectionner des pages d’options','Duplicate taxonomy'=>'Dupliquer une taxonomie','Create taxonomy'=>'Créer une taxonomie','Duplicate post type'=>'Dupliquer un type de publication','Create post type'=>'Créer un type de publication','Link field groups'=>'Lier des groupes de champs','Add fields'=>'Ajouter des champs','This Field'=>'Ce champ','ACF PRO'=>'ACF Pro','Feedback'=>'Retour','Support'=>'Support','is developed and maintained by'=>'est développé et maintenu par','Add this %s to the location rules of the selected field groups.'=>'Ajoutez ce(tte) %s aux règles de localisation des groupes de champs sélectionnés.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'L’activation du paramètre bidirectionnel vous permet de mettre à jour une valeur dans les champs cibles pour chaque valeur sélectionnée pour ce champ, en ajoutant ou en supprimant l’ID de publication, l’ID de taxonomie ou l’ID d’utilisateur de l’élément en cours de mise à jour. Pour plus d’informations, veuillez lire la documentation.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Sélectionnee le(s) champ(s) pour stocker la référence à l’élément en cours de mise à jour. Vous pouvez sélectionner ce champ. Les champs cibles doivent être compatibles avec l’endroit où ce champ est affiché. Par exemple, si ce champ est affiché sur une taxonomie, votre champ cible doit être de type Taxonomie','Target Field'=>'Champ cible','Update a field on the selected values, referencing back to this ID'=>'Mettre à jour un champ sur les valeurs sélectionnées, en faisant référence à cet ID','Bidirectional'=>'Bidirectionnel','%s Field'=>'Champ %s','Select Multiple'=>'Sélection multiple','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Lettres minuscules, tirets hauts et tirets bas uniquement. Maximum 32 caractères.','The capability name for assigning terms of this taxonomy.'=>'Le nom de la permission pour assigner les termes de cette taxonomie.','Assign Terms Capability'=>'Permission d’assigner les termes','The capability name for deleting terms of this taxonomy.'=>'Le nom de la permission pour supprimer les termes de cette taxonomie.','Delete Terms Capability'=>'Permission de supprimer les termes','The capability name for editing terms of this taxonomy.'=>'Le nom de la permission pour modifier les termes de cette taxonomie.','Edit Terms Capability'=>'Permission de modifier les termes','The capability name for managing terms of this taxonomy.'=>'Le nom de la permission pour gérer les termes de cette taxonomie.','Manage Terms Capability'=>'Permission de gérer les termes','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Définit si les publications doivent être exclues des résultats de recherche et des pages d’archive de taxonomie.','More Tools from WP Engine'=>'Autres outils de WP Engine','Built for those that build with WordPress, by the team at %s'=>'Conçu pour ceux qui construisent avec WordPress, par l’équipe %s','View Pricing & Upgrade'=>'Voir les tarifs & mettre à niveau','Learn More'=>'En Savoir Plus','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accélérez votre productivité et développez de meilleurs sites avec des fonctionnalités comme les blocs ACF et les pages d’options, ainsi que des champs avancés comme répéteur, contenu flexible, clones et galerie.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Débloquer les fonctionnalités avancées et aller encore plus loin avec ACF PRO','%s fields'=>'%s champs','No terms'=>'Aucun terme','No post types'=>'Aucun type de publication','No posts'=>'Aucun article','No taxonomies'=>'Aucune taxonomie','No field groups'=>'Aucun groupe de champs','No fields'=>'Aucun champ','No description'=>'Aucune description','Any post status'=>'Tout état de publication','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Cette clé de taxonomie est déjà utilisée par une autre taxonomie enregistrée en dehors d’ACF et ne peut pas être utilisée.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Cette clé de taxonomie est déjà utilisée par une autre taxonomie dans ACF et ne peut pas être utilisée.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clé de taxonomie doit uniquement contenir des caractères alphanumériques, des tirets bas ou des tirets.','The taxonomy key must be under 32 characters.'=>'La clé de taxonomie doit comporter moins de 32 caractères.','No Taxonomies found in Trash'=>'Aucune taxonomie trouvée dans la corbeille','No Taxonomies found'=>'Aucune taxonomie trouvée','Search Taxonomies'=>'Rechercher des taxonomies','View Taxonomy'=>'Afficher la taxonomie','New Taxonomy'=>'Nouvelle taxonomie','Edit Taxonomy'=>'Modifier la taxonomie','Add New Taxonomy'=>'Ajouter une nouvelle taxonomie','No Post Types found in Trash'=>'Aucun type de publication trouvé dans la corbeille','No Post Types found'=>'Aucun type de publication trouvé','Search Post Types'=>'Rechercher des types de publication','View Post Type'=>'Voir le type de publication','New Post Type'=>'Nouveau type de publication','Edit Post Type'=>'Modifier le type de publication','Add New Post Type'=>'Ajouter un nouveau type de publication personnalisé','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Cette clé de type de publication est déjà utilisée par un autre type de publication enregistré en dehors d’ACF et ne peut pas être utilisée.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Cette clé de type de publication est déjà utilisée par un autre type de publication dans ACF et ne peut pas être utilisée.','This field must not be a WordPress reserved term.'=>'Ce champ ne doit pas être un terme réservé WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La clé du type de publication doit contenir uniquement des caractères alphanumériques, des tirets bas ou des tirets.','The post type key must be under 20 characters.'=>'La clé du type de publication doit comporter moins de 20 caractères.','We do not recommend using this field in ACF Blocks.'=>'Nous vous déconseillons d’utiliser ce champ dans les blocs ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Affiche l’éditeur WordPress WYSIWYG tel qu’il apparaît dans les articles et pages, permettant une expérience d’édition de texte riche qui autorise également du contenu multimédia.','WYSIWYG Editor'=>'Éditeur WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Autorise la sélection d’un ou plusieurs comptes pouvant être utilisés pour créer des relations entre les objets de données.','A text input specifically designed for storing web addresses.'=>'Une saisie de texte spécialement conçue pour stocker des adresses web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Une permutation qui vous permet de choisir une valeur de 1 ou 0 (actif ou inactif, vrai ou faux, etc.). Peut être présenté sous la forme de commutateur stylisé ou de case à cocher.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une heure. Le format de retour de date peut être personnalisé à l’aide des réglages du champ.','A basic textarea input for storing paragraphs of text.'=>'Une entrée de zone de texte de base pour stocker des paragraphes de texte.','A basic text input, useful for storing single string values.'=>'Une entrée de texte de base, utile pour stocker des valeurs de chaîne unique.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permet de choisir un ou plusieurs termes de taxonomie en fonction des critères et options spécifiés dans les réglages des champs.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Permet de regrouper les champs en sections à onglets dans l’écran d’édition. Utile pour garder les champs organisés et structurés.','A dropdown list with a selection of choices that you specify.'=>'Une liste déroulante avec une sélection de choix que vous spécifiez.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Une interface à deux colonnes pour choisir une ou plusieurs publications, pages ou éléments de type publication personnalisés afin de créer une relation avec l’élément que vous êtes en train de modifier. Inclut des options de recherche et de filtrage.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Entrée permettant de choisir une valeur numérique dans une plage spécifiée à l’aide d’un élément de curseur de plage.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Groupe d’entrées de boutons radio qui permet à l’utilisateur d’effectuer une sélection unique parmi les valeurs que vous spécifiez.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Une interface utilisateur interactive et personnalisable pour choisir un ou plusieurs articles, pages ou éléments de type publication avec la possibilité de rechercher. ','An input for providing a password using a masked field.'=>'Une entrée pour fournir un mot de passe à l’aide d’un champ masqué.','Filter by Post Status'=>'Filtrer par état de publication','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Une liste déroulante interactive pour choisir un ou plusieurs articles, pages, éléments de type de publication personnalisés ou URL d’archive, avec la possibilité de rechercher.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un composant interactif pour intégrer des vidéos, des images, des tweets, de l’audio et d’autres contenus en utilisant la fonctionnalité native WordPress oEmbed.','An input limited to numerical values.'=>'Une entrée limitée à des valeurs numériques.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Utilisé pour afficher un message aux éditeurs à côté d’autres champs. Utile pour fournir un contexte ou des instructions supplémentaires concernant vos champs.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Permet de spécifier un lien et ses propriétés, telles que le titre et la cible en utilisant le sélecteur de liens de WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilise le sélecteur de média natif de WordPress pour téléverser ou choisir des images.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Permet de structurer les champs en groupes afin de mieux organiser les données et l’écran d‘édition.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Une interface utilisateur interactive pour sélectionner un emplacement à l’aide de Google Maps. Nécessite une clé de l’API Google Maps et une configuration supplémentaire pour s’afficher correctement.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilise le sélecteur de médias WordPress natif pour téléverser ou choisir des fichiers.','A text input specifically designed for storing email addresses.'=>'Une saisie de texte spécialement conçue pour stocker des adresses e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une date et un horaire. Le format de la date retour peut être personnalisé à l’aide des réglages du champ.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Une interface utilisateur interactive pour choisir une date. Le format de la date retour peut être personnalisé en utilisant les champs de réglages.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Une interface utilisateur interactive pour sélectionner une couleur ou spécifier la valeur hexa.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un groupe de case à cocher autorisant l’utilisateur/utilisatrice à sélectionner une ou plusieurs valeurs que vous spécifiez.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un groupe de boutons avec des valeurs que vous spécifiez, les utilisateurs/utilisatrices peuvent choisir une option parmi les valeurs fournies.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Autorise à regrouper et organiser les champs personnalisés dans des volets dépliants qui s’affichent lors de la modification du contenu. Utile pour garder de grands ensembles de données ordonnés.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Cela propose une solution pour dupliquer des contenus tels que des diapositive, des membres de l’équipe et des boutons d’appel à l‘action, en agissant comme un parent pour un ensemble de sous-champs qui peuvent être répétés à l’infini.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Cela propose une interface interactive permettant de gérer une collection de fichiers joints. La plupart des réglages sont similaires à ceux du champ Image. Des réglages supplémentaires vous autorise à spécifier l’endroit où les nouveaux fichiers joints sont ajoutés dans la galerie et le nombre minimum/maximum de fichiers joints autorisées.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Cela fournit un éditeur simple, structuré et basé sur la mise en page. Le champ Contenu flexible vous permet de définir, créer et gérer du contenu avec un contrôle total en utilisant des mises en page et des sous-champs pour concevoir les blocs disponibles.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Cela vous permet de choisir et d’afficher les champs existants. Il ne duplique aucun champ de la base de données, mais charge et affiche les champs sélectionnés au moment de l’exécution. Le champ Clone peut soit se remplacer par les champs sélectionnés, soit afficher les champs sélectionnés sous la forme d’un groupe de sous-champs.','nounClone'=>'Cloner','PRO'=>'Pro','Advanced'=>'Avancé','JSON (newer)'=>'JSON (plus récent)','Original'=>'Original','Invalid post ID.'=>'ID de publication invalide.','Invalid post type selected for review.'=>'Type de publication sélectionné pour révision invalide.','More'=>'Plus','Tutorial'=>'Tutoriel','Select Field'=>'Sélectionner le champ','Try a different search term or browse %s'=>'Essayez un autre terme de recherche ou parcourez %s','Popular fields'=>'Champs populaires','No search results for \'%s\''=>'Aucun résultat de recherche pour « %s »','Search fields...'=>'Rechercher des champs…','Select Field Type'=>'Sélectionner le type de champ','Popular'=>'Populaire','Add Taxonomy'=>'Ajouter une taxonomie','Create custom taxonomies to classify post type content'=>'Créer des taxonomies personnalisées pour classer le contenu du type de publication','Add Your First Taxonomy'=>'Ajouter votre première taxonomie','Hierarchical taxonomies can have descendants (like categories).'=>'Les taxonomies hiérarchiques peuvent avoir des enfants (comme les catégories).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Rend une taxonomie visible sur l’interface publique et dans le tableau de bord d’administration.','One or many post types that can be classified with this taxonomy.'=>'Un ou plusieurs types de publication peuvant être classés avec cette taxonomie.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Contrôleur personnalisé facultatif à utiliser à la place de « WP_REST_Terms_Controller ».','Expose this post type in the REST API.'=>'Exposez ce type de publication dans l’API REST.','Customize the query variable name'=>'Personnaliser le nom de la variable de requête','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Les termes sont accessibles en utilisant le permalien non joli, par exemple, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termes parent-enfant dans les URL pour les taxonomies hiérarchiques.','Customize the slug used in the URL'=>'Personnaliser le slug utilisé dans l’URL','Permalinks for this taxonomy are disabled.'=>'Les permaliens sont désactivés pour cette taxonomie.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Réécrire l’URL en utilisant la clé de taxonomie comme slug. Votre structure de permalien sera','Taxonomy Key'=>'Clé de taxonomie','Select the type of permalink to use for this taxonomy.'=>'Sélectionnez le type de permalien à utiliser pour cette taxonomie.','Display a column for the taxonomy on post type listing screens.'=>'Affichez une colonne pour la taxonomie sur les écrans de liste de type de publication.','Show Admin Column'=>'Afficher la colonne « Admin »','Show the taxonomy in the quick/bulk edit panel.'=>'Afficher la taxonomie dans le panneau de modification rapide/groupée.','Quick Edit'=>'Modification rapide','List the taxonomy in the Tag Cloud Widget controls.'=>'Lister la taxonomie dans les contrôles du widget « Nuage d’étiquettes ».','Tag Cloud'=>'Nuage d’étiquettes','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Un nom de fonction PHP à appeler pour nettoyer les données de taxonomie enregistrées à partir d’une boîte méta.','Meta Box Sanitization Callback'=>'Rappel de désinfection de la méta-boîte','Register Meta Box Callback'=>'Enregistrer le rappel de la boîte méta','No Meta Box'=>'Aucune boîte méta','Custom Meta Box'=>'Boîte méta personnalisée','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Contrôle la boîte méta sur l’écran de l’éditeur de contenu. Par défaut, la boîte méta Catégories est affichée pour les taxonomies hiérarchiques et la boîte de métadonnées Étiquettes est affichée pour les taxonomies non hiérarchiques.','Meta Box'=>'Boîte méta','Categories Meta Box'=>'Boîte méta des catégories','Tags Meta Box'=>'Boîte méta des étiquettes','A link to a tag'=>'Un lien vers une étiquette','Describes a navigation link block variation used in the block editor.'=>'Décrit une variante de bloc de lien de navigation utilisée dans l’éditeur de blocs.','A link to a %s'=>'Un lien vers un %s','Tag Link'=>'Lien de l’étiquette','Assigns a title for navigation link block variation used in the block editor.'=>'Assigner un titre à la variante de bloc de lien de navigation utilisée dans l’éditeur de blocs.','← Go to tags'=>'← Aller aux étiquettes','Assigns the text used to link back to the main index after updating a term.'=>'Assigner le texte utilisé pour renvoyer à l’index principal après la mise à jour d’un terme.','Back To Items'=>'Retour aux éléments','← Go to %s'=>'← Aller à « %s »','Tags list'=>'Liste des étiquettes','Assigns text to the table hidden heading.'=>'Assigne du texte au titre masqué du tableau.','Tags list navigation'=>'Navigation de la liste des étiquettes','Assigns text to the table pagination hidden heading.'=>'Affecte du texte au titre masqué de pagination de tableau.','Filter by category'=>'Filtrer par catégorie','Assigns text to the filter button in the posts lists table.'=>'Affecte du texte au bouton de filtre dans le tableau des listes de publications.','Filter By Item'=>'Filtrer par élément','Filter by %s'=>'Filtrer par %s','The description is not prominent by default; however, some themes may show it.'=>'La description n’est pas très utilisée par défaut, cependant de plus en plus de thèmes l’affichent.','Describes the Description field on the Edit Tags screen.'=>'Décrit le champ « Description » sur l’écran « Modifier les étiquettes ».','Description Field Description'=>'Description du champ « Description »','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Affectez un terme parent pour créer une hiérarchie. Le terme Jazz, par exemple, serait le parent du Bebop et du Big Band.','Describes the Parent field on the Edit Tags screen.'=>'Décrit le champ parent sur l’écran « Modifier les étiquettes ».','Parent Field Description'=>'Description du champ « Parent »','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Le « slug » est la version URL conviviale du nom. Il est généralement tout en minuscules et contient uniquement des lettres, des chiffres et des traits d’union.','Describes the Slug field on the Edit Tags screen.'=>'Décrit le slug du champ sur l’écran « Modifier les étiquettes ».','Slug Field Description'=>'Description du champ « Slug »','The name is how it appears on your site'=>'Le nom est la façon dont il apparaît sur votre site','Describes the Name field on the Edit Tags screen.'=>'Décrit le champ « Nom » sur l’écran « Modifier les étiquettes ».','Name Field Description'=>'Description du champ « Nom »','No tags'=>'Aucune étiquette','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Attribue le texte affiché dans les tableaux de liste des publications et des médias lorsqu’aucune balise ou catégorie n’est disponible.','No Terms'=>'Aucun terme','No %s'=>'Aucun %s','No tags found'=>'Aucune étiquette trouvée','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assigne le texte affiché lorsque vous cliquez sur le texte « choisir parmi les plus utilisés » dans la boîte de méta de taxonomie lorsqu’aucune étiquette n’est disponible, et affecte le texte utilisé dans le tableau de liste des termes lorsqu’il n’y a pas d’élément pour une taxonomie.','Not Found'=>'Non trouvé','Assigns text to the Title field of the Most Used tab.'=>'Affecte du texte au champ Titre de l’onglet Utilisation la plus utilisée.','Most Used'=>'Les plus utilisés','Choose from the most used tags'=>'Choisir parmi les étiquettes les plus utilisées','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Attribue le texte « choisir parmi les plus utilisés » utilisé dans la méta-zone lorsque JavaScript est désactivé. Utilisé uniquement sur les taxonomies non hiérarchiques.','Choose From Most Used'=>'Choisir parmi les plus utilisés','Choose from the most used %s'=>'Choisir parmi les %s les plus utilisés','Add or remove tags'=>'Ajouter ou retirer des étiquettes','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assigne le texte d’ajout ou de suppression d’éléments utilisé dans la boîte méta lorsque JavaScript est désactivé. Utilisé uniquement sur les taxonomies non hiérarchiques','Add Or Remove Items'=>'Ajouter ou supprimer des éléments','Add or remove %s'=>'Ajouter ou retirer %s','Separate tags with commas'=>'Séparer les étiquettes par des virgules','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Affecte l’élément distinct avec des virgules utilisées dans la méta-zone de taxonomie. Utilisé uniquement sur les taxonomies non hiérarchiques.','Separate Items With Commas'=>'Séparer les éléments par des virgules','Separate %s with commas'=>'Séparer les %s avec une virgule','Popular Tags'=>'Étiquettes populaires','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Affecte le texte des éléments populaires. Utilisé uniquement pour les taxonomies non hiérarchiques.','Popular Items'=>'Éléments populaires','Popular %s'=>'%s populaire','Search Tags'=>'Rechercher des étiquettes','Assigns search items text.'=>'Assigne le texte des éléments de recherche.','Parent Category:'=>'Catégorie parente :','Assigns parent item text, but with a colon (:) added to the end.'=>'Assigne le texte de l’élément parent, mais avec deux points (:) ajouté à la fin.','Parent Item With Colon'=>'Élément parent avec deux-points','Parent Category'=>'Catégorie parente','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assigne le texte de l’élément parent. Utilisé uniquement sur les taxonomies hiérarchiques.','Parent Item'=>'Élément parent','Parent %s'=>'%s parent','New Tag Name'=>'Nom de la nouvelle étiquette','Assigns the new item name text.'=>'Assigne le texte du nom du nouvel élément.','New Item Name'=>'Nom du nouvel élément','New %s Name'=>'Nom du nouveau %s','Add New Tag'=>'Ajouter une nouvelle étiquette','Assigns the add new item text.'=>'Assigne le texte « Ajouter un nouvel élément ».','Update Tag'=>'Mettre à jour l’étiquette','Assigns the update item text.'=>'Assigne le texte de l’élément « Mettre à jour ».','Update Item'=>'Mettre à jour l’élément','Update %s'=>'Mettre à jour %s','View Tag'=>'Voir l’étiquette','In the admin bar to view term during editing.'=>'Dans la barre d’administration pour voir le terme lors de la modification.','Edit Tag'=>'Modifier l’étiquette','At the top of the editor screen when editing a term.'=>'En haut de l’écran de l’éditeur lors de la modification d’un terme.','All Tags'=>'Toutes les étiquettes','Assigns the all items text.'=>'Assigne le texte « Tous les éléments ».','Assigns the menu name text.'=>'Assigne le texte du nom du menu.','Menu Label'=>'Libellé du menu','Active taxonomies are enabled and registered with WordPress.'=>'Les taxonomies actives sont activées et enregistrées avec WordPress.','A descriptive summary of the taxonomy.'=>'Un résumé descriptif de la taxonomie.','A descriptive summary of the term.'=>'Un résumé descriptif du terme.','Term Description'=>'Description du terme','Single word, no spaces. Underscores and dashes allowed.'=>'Un seul mot, aucun espace. Tirets bas et tirets autorisés.','Term Slug'=>'Slug du terme','The name of the default term.'=>'Nom du terme par défaut.','Term Name'=>'Nom du terme','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Créez un terme pour la taxonomie qui ne peut pas être supprimé. Il ne sera pas sélectionné pour les publications par défaut.','Default Term'=>'Terme par défaut','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Si les termes de cette taxonomie doivent être triés dans l’ordre dans lequel ils sont fournis à « wp_set_object_terms() ».','Sort Terms'=>'Trier les termes','Add Post Type'=>'Ajouter un type de publication','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Étendez les fonctionnalités de WordPress au-delà des publications standard et des pages avec des types de publication personnalisés.','Add Your First Post Type'=>'Ajouter votre premier type de publication','I know what I\'m doing, show me all the options.'=>'Je sais ce que je fais, affichez-moi toutes les options.','Advanced Configuration'=>'Configuration avancée','Hierarchical post types can have descendants (like pages).'=>'Les types de publication hiérarchiques peuvent avoir des descendants (comme les pages).','Hierarchical'=>'Hiérachique','Visible on the frontend and in the admin dashboard.'=>'Visible sur l’interface publique et dans le tableau de bord de l’administration.','Public'=>'Public','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Lettres minuscules, tiret bas et tirets uniquement, maximum 20 caractères.','Movie'=>'Film','Singular Label'=>'Libellé au singulier','Movies'=>'Films','Plural Label'=>'Libellé au pluriel','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Contrôleur personnalisé facultatif à utiliser à la place de « WP_REST_Posts_Controller ».','Controller Class'=>'Classe de contrôleur','The namespace part of the REST API URL.'=>'Partie de l’espace de noms de l’URL DE L’API REST.','Namespace Route'=>'Route de l’espace de noms','The base URL for the post type REST API URLs.'=>'URL de base pour les URL de l’API REST du type de publication.','Base URL'=>'URL de base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expose ce type de publication dans l’API REST. Nécessaire pour utiliser l’éditeur de bloc.','Show In REST API'=>'Afficher dans l’API Rest','Customize the query variable name.'=>'Personnaliser le nom de la variable de requête.','Query Variable'=>'Variable de requête','No Query Variable Support'=>'Aucune prise en charge des variables de requête','Custom Query Variable'=>'Variable de requête personnalisée','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Les articles sont accessibles en utilisant le permalien non-jolie, par exemple. {post_type}={post_slug}.','Query Variable Support'=>'Prise en charge des variables de requête','URLs for an item and items can be accessed with a query string.'=>'Les URL d’un élément et d’éléments sont accessibles à l’aide d’une chaîne de requête.','Publicly Queryable'=>'Publiquement interrogeable','Custom slug for the Archive URL.'=>'Slug personnalisé pour l’URL de l’archive.','Archive Slug'=>'Slug de l’archive','Has an item archive that can be customized with an archive template file in your theme.'=>'Possède une archive d’élément qui peut être personnalisée avec un fichier de modèle d’archive dans votre thème.','Archive'=>'Archive','Pagination support for the items URLs such as the archives.'=>'Prise en charge de la pagination pour les URL des éléments tels que les archives.','Pagination'=>'Pagination','RSS feed URL for the post type items.'=>'URL de flux RSS pour les éléments du type de publication.','Feed URL'=>'URL du flux','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Modifie la structure du permalien pour ajouter le préfixe « WP_Rewrite::$front » aux URL.','Front URL Prefix'=>'Préfixe d’URL avant','Customize the slug used in the URL.'=>'Personnalisez le slug utilisé dans l’URL.','URL Slug'=>'Slug de l’URL','Permalinks for this post type are disabled.'=>'Les permaliens sont désactivés pour ce type de publication.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Réécrivez l’URL à l’aide d’un identifiant d’URL personnalisé défini dans l’entrée ci-dessous. Votre structure de permalien sera','No Permalink (prevent URL rewriting)'=>'Aucun permalien (empêcher la réécriture d’URL)','Custom Permalink'=>'Permalien personnalisé','Post Type Key'=>'Clé du type de publication','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Réécrire l’URL en utilisant la clé du type de publication comme slug. Votre structure de permalien sera','Permalink Rewrite'=>'Réécriture du permalien','Delete items by a user when that user is deleted.'=>'Supprimer les éléments d’un compte lorsque ce dernier est supprimé.','Delete With User'=>'Supprimer avec le compte','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Autoriser l’exportation du type de publication depuis « Outils » > « Exporter ».','Can Export'=>'Exportable','Optionally provide a plural to be used in capabilities.'=>'Fournissez éventuellement un pluriel à utiliser dans les fonctionnalités.','Plural Capability Name'=>'Nom de la capacité au pluriel','Choose another post type to base the capabilities for this post type.'=>'Choisissez un autre type de publication pour baser les fonctionnalités de ce type de publication.','Singular Capability Name'=>'Nom de capacité singulier','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Par défaut, les capacités du type de publication hériteront des noms de capacité « Post », par exemple. edit_post, delete_posts. Permet d’utiliser des fonctionnalités spécifiques au type de publication, par exemple. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renommer les permissions','Exclude From Search'=>'Exclure de la recherche','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Autorisez l’ajout d’éléments aux menus dans l’écran « Apparence » > « Menus ». Doit être activé dans « Options de l’écran ».','Appearance Menus Support'=>'Prise en charge des menus d’apparence','Appears as an item in the \'New\' menu in the admin bar.'=>'Apparaît en tant qu’élément dans le menu « Nouveau » de la barre d’administration.','Show In Admin Bar'=>'Afficher dans la barre d’administration','Custom Meta Box Callback'=>'Rappel de boîte méta personnalisée','Menu Icon'=>'Icône de menu','The position in the sidebar menu in the admin dashboard.'=>'Position dans le menu de la colonne latérale du tableau de bord d’administration.','Menu Position'=>'Position du menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Par défaut, le type de publication obtiendra un nouvel élément de niveau supérieur dans le menu d’administration. Si un élément de niveau supérieur existant est fourni ici, le type de publication sera ajouté en tant qu’élément de sous-menu sous celui-ci.','Admin Menu Parent'=>'Parent du menu d’administration','Admin editor navigation in the sidebar menu.'=>'Navigation de l’éditeur d’administration dans le menu de la colonne latérale.','Show In Admin Menu'=>'Afficher dans le menu d’administration','Items can be edited and managed in the admin dashboard.'=>'Les éléments peuvent être modifiés et gérés dans le tableau de bord d’administration.','Show In UI'=>'Afficher dans l’interface utilisateur','A link to a post.'=>'Un lien vers une publication.','Description for a navigation link block variation.'=>'Description d’une variation de bloc de lien de navigation.','Item Link Description'=>'Description du lien de l’élément','A link to a %s.'=>'Un lien vers un %s.','Post Link'=>'Lien de publication','Title for a navigation link block variation.'=>'Titre d’une variante de bloc de lien de navigation.','Item Link'=>'Lien de l’élément','%s Link'=>'Lien %s','Post updated.'=>'Publication mise à jour.','In the editor notice after an item is updated.'=>'Dans l’éditeur, notification après la mise à jour d’un élément.','Item Updated'=>'Élément mis à jour','%s updated.'=>'%s mis à jour.','Post scheduled.'=>'Publication planifiée.','In the editor notice after scheduling an item.'=>'Dans l’éditeur, notification après la planification d’un élément.','Item Scheduled'=>'Élément planifié','%s scheduled.'=>'%s planifié.','Post reverted to draft.'=>'Publication reconvertie en brouillon.','In the editor notice after reverting an item to draft.'=>'Dans l’éditeur, notification après avoir rétabli un élément en brouillon.','Item Reverted To Draft'=>'Élément repassé en brouillon','%s reverted to draft.'=>'%s repassé en brouillon.','Post published privately.'=>'Publication publiée en privé.','In the editor notice after publishing a private item.'=>'Dans l’éditeur, notification après avoir rétabli un élément en privé.','Item Published Privately'=>'Élément publié en privé','%s published privately.'=>'%s publié en privé.','Post published.'=>'Publication mise en ligne.','In the editor notice after publishing an item.'=>'Dans la notification de l’éditeur après la publication d’un élément.','Item Published'=>'Élément publié','%s published.'=>'%s publié.','Posts list'=>'Liste des publications','Used by screen readers for the items list on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour la liste des éléments sur l’écran de la liste des types de publication.','Items List'=>'Liste des éléments','%s list'=>'Liste %s','Posts list navigation'=>'Navigation dans la liste des publications','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour la pagination de la liste de filtres sur l’écran de liste des types de publication.','Items List Navigation'=>'Liste des éléments de navigation','%s list navigation'=>'Navigation dans la liste %s','Filter posts by date'=>'Filtrer les publications par date','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour l’en-tête de filtre par date sur l’écran de liste des types de publication.','Filter Items By Date'=>'Filtrer les éléments par date','Filter %s by date'=>'Filtrer %s par date','Filter posts list'=>'Filtrer la liste des publications','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilisé par les lecteurs d’écran pour l’en-tête des liens de filtre sur l’écran de liste des types de publication.','Filter Items List'=>'Filtrer la liste des éléments','Filter %s list'=>'Filtrer la liste %s','In the media modal showing all media uploaded to this item.'=>'Dans le mode modal multimédia affichant tous les médias téléchargés sur cet élément.','Uploaded To This Item'=>'Téléversé dans l’élément','Uploaded to this %s'=>'Téléversé sur ce %s','Insert into post'=>'Insérer dans la publication','As the button label when adding media to content.'=>'En tant que libellé du bouton lors de l’ajout de média au contenu.','Insert Into Media Button'=>'Bouton « Insérer dans le média »','Insert into %s'=>'Insérer dans %s','Use as featured image'=>'Utiliser comme image mise en avant','As the button label for selecting to use an image as the featured image.'=>'Comme étiquette de bouton pour choisir d’utiliser une image comme image en vedette.','Use Featured Image'=>'Utiliser l’image mise en avant','Remove featured image'=>'Retirer l’image mise en avant','As the button label when removing the featured image.'=>'Comme étiquette de bouton lors de la suppression de l’image en vedette.','Remove Featured Image'=>'Retirer l’image mise en avant','Set featured image'=>'Définir l’image mise en avant','As the button label when setting the featured image.'=>'Comme étiquette de bouton lors de la définition de l’image en vedette.','Set Featured Image'=>'Définir l’image mise en avant','Featured image'=>'Image mise en avant','In the editor used for the title of the featured image meta box.'=>'Dans l’éditeur utilisé pour le titre de la méta-boîte d’image en vedette.','Featured Image Meta Box'=>'Boîte méta de l’image mise en avant','Post Attributes'=>'Attributs de la publication','In the editor used for the title of the post attributes meta box.'=>'Dans l’éditeur utilisé pour le titre de la boîte méta des attributs de publication.','Attributes Meta Box'=>'Boîte méta Attributs','%s Attributes'=>'Attributs des %s','Post Archives'=>'Archives de publication','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Ajoute les éléments « Archive de types de publication » avec ce libellé à la liste des publications affichées lors de l’ajout d’éléments à un menu existant dans un CPT avec les archives activées. N’apparaît que lors de l’édition des menus en mode « Aperçu en direct » et qu’un identifiant d”URL d’archive personnalisé a été fourni.','Archives Nav Menu'=>'Menu de navigation des archives','%s Archives'=>'Archives des %s','No posts found in Trash'=>'Aucune publication trouvée dans la corbeille','At the top of the post type list screen when there are no posts in the trash.'=>'En haut de l’écran de liste des types de publication lorsqu’il n’y a pas de publications dans la corbeille.','No Items Found in Trash'=>'Aucun élément trouvé dans la corbeille','No %s found in Trash'=>'Aucun %s trouvé dans la corbeille','No posts found'=>'Aucune publication trouvée','At the top of the post type list screen when there are no posts to display.'=>'En haut de l’écran de liste des types de publication lorsqu’il n’y a pas de publications à afficher.','No Items Found'=>'Aucun élément trouvé','No %s found'=>'Aucun %s trouvé','Search Posts'=>'Rechercher des publications','At the top of the items screen when searching for an item.'=>'En haut de l’écran des éléments lors de la recherche d’un élément.','Search Items'=>'Rechercher des éléments','Search %s'=>'Rechercher %s','Parent Page:'=>'Page parente :','For hierarchical types in the post type list screen.'=>'Pour les types hiérarchiques dans l’écran de liste des types de publication.','Parent Item Prefix'=>'Préfixe de l’élément parent','Parent %s:'=>'%s parent :','New Post'=>'Nouvelle publication','New Item'=>'Nouvel élément','New %s'=>'Nouveau %s','Add New Post'=>'Ajouter une nouvelle publication','At the top of the editor screen when adding a new item.'=>'En haut de l’écran de l’éditeur lors de l’ajout d’un nouvel élément.','Add New Item'=>'Ajouter un nouvel élément','Add New %s'=>'Ajouter %s','View Posts'=>'Voir les publications','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Apparaît dans la barre d’administration dans la vue « Tous les messages », à condition que le type de publication prenne en charge les archives et que la page d’accueil ne soit pas une archive de ce type de publication.','View Items'=>'Voir les éléments','View Post'=>'Voir la publication','In the admin bar to view item when editing it.'=>'Dans la barre d’administration pour afficher l’élément lors de sa modification.','View Item'=>'Voir l’élément','View %s'=>'Voir %s','Edit Post'=>'Modifier la publication','At the top of the editor screen when editing an item.'=>'En haut de l’écran de l’éditeur lors de la modification d’un élément.','Edit Item'=>'Modifier l’élément','Edit %s'=>'Modifier %s','All Posts'=>'Toutes les publications','In the post type submenu in the admin dashboard.'=>'Dans le sous-menu de type de publication du tableau de bord d’administration.','All Items'=>'Tous les éléments','All %s'=>'Tous les %s','Admin menu name for the post type.'=>'Nom du menu d’administration pour le type de publication.','Menu Name'=>'Nom du menu','Regenerate all labels using the Singular and Plural labels'=>'Régénérer tous les libellés avec des libellés « Singulier » et « Pluriel »','Regenerate'=>'Régénérer','Active post types are enabled and registered with WordPress.'=>'Les types de publication actifs sont activés et enregistrés avec WordPress.','A descriptive summary of the post type.'=>'Un résumé descriptif du type de publication.','Add Custom'=>'Ajouter une personalisation','Enable various features in the content editor.'=>'Activez diverses fonctionnalités dans l’éditeur de contenu.','Post Formats'=>'Formats des publications','Editor'=>'Éditeur','Trackbacks'=>'Rétroliens','Select existing taxonomies to classify items of the post type.'=>'Sélectionnez les taxonomies existantes pour classer les éléments du type de publication.','Browse Fields'=>'Parcourir les champs','Nothing to import'=>'Rien à importer','. The Custom Post Type UI plugin can be deactivated.'=>'. L’extension Custom Post Type UI peut être désactivée.','Imported %d item from Custom Post Type UI -'=>'Élément %d importé à partir de l’interface utilisateur de type de publication personnalisée -' . "\0" . 'Éléments %d importés à partir de l’interface utilisateur de type de publication personnalisée -','Failed to import taxonomies.'=>'Impossible d’importer des taxonomies.','Failed to import post types.'=>'Impossible d’importer les types de publication.','Nothing from Custom Post Type UI plugin selected for import.'=>'Rien depuis l’extension sélectionné Custom Post Type UI pour l’importation.','Imported 1 item'=>'Importé 1 élément' . "\0" . 'Importé %s éléments','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'L’importation d’un type de publication ou d’une taxonomie avec la même clé qu’une clé qui existe déjà remplacera les paramètres du type de publication ou de la taxonomie existants par ceux de l’importation.','Import from Custom Post Type UI'=>'Importer à partir de Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Le code suivant peut être utilisé pour enregistrer une version locale des éléments sélectionnés. Le stockage local de groupes de champs, de types de publications ou de taxonomies peut offrir de nombreux avantages, tels que des temps de chargement plus rapides, un contrôle de version et des champs/paramètres dynamiques. Copiez et collez simplement le code suivant dans le fichier des fonctions de votre thème.php ou incluez-le dans un fichier externe, puis désactivez ou supprimez les éléments de l’administrateur ACF.','Export - Generate PHP'=>'Exportation - Générer PHP','Export'=>'Exporter','Select Taxonomies'=>'Sélectionner les taxonomies','Select Post Types'=>'Sélectionner les types de publication','Exported 1 item.'=>'Exporté 1 élément.' . "\0" . 'Exporté %s éléments.','Category'=>'Catégorie','Tag'=>'Étiquette','%s taxonomy created'=>'%s taxonomie créée','%s taxonomy updated'=>'Taxonomie %s mise à jour','Taxonomy draft updated.'=>'Brouillon de taxonomie mis à jour.','Taxonomy scheduled for.'=>'Taxonomie planifiée pour.','Taxonomy submitted.'=>'Taxonomie envoyée.','Taxonomy saved.'=>'Taxonomie enregistrée.','Taxonomy deleted.'=>'Taxonomie supprimée.','Taxonomy updated.'=>'Taxonomie mise à jour.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Cette taxonomie n’a pas pu être enregistrée car sa clé est utilisée par une autre taxonomie enregistrée par une autre extension ou un thème.','Taxonomy synchronized.'=>'Taxonomie synchronisée.' . "\0" . '%s taxonomies synchronisées.','Taxonomy duplicated.'=>'Taxonomie dupliquée.' . "\0" . '%s taxonomies dupliquées.','Taxonomy deactivated.'=>'Taxonomie désactivée.' . "\0" . '%s taxonomies désactivées.','Taxonomy activated.'=>'Taxonomie activée.' . "\0" . '%s taxonomies activées.','Terms'=>'Termes','Post type synchronized.'=>'Type de publication synchronisé.' . "\0" . '%s types de publication synchronisés.','Post type duplicated.'=>'Type de publication dupliqué.' . "\0" . '%s types de publication dupliqués.','Post type deactivated.'=>'Type de publication désactivé.' . "\0" . '%s types de publication désactivés.','Post type activated.'=>'Type de publication activé.' . "\0" . '%s types de publication activés.','Post Types'=>'Types de publication','Advanced Settings'=>'Réglages avancés','Basic Settings'=>'Réglages de base','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Ce type de publication n’a pas pu être enregistré car sa clé est utilisée par un autre type de publication enregistré par une autre extensions ou un thème.','Pages'=>'Pages','Link Existing Field Groups'=>'Lier des groupes de champs existants','%s post type created'=>'%s type de publication créé','Add fields to %s'=>'Ajouter des champs à %s','%s post type updated'=>'Type de publication %s mis à jour','Post type draft updated.'=>'Le brouillon du type de publication a été mis à jour.','Post type scheduled for.'=>'Type de publication planifié pour.','Post type submitted.'=>'Type de publication envoyé.','Post type saved.'=>'Type de publication enregistré.','Post type updated.'=>'Type de publication mis à jour.','Post type deleted.'=>'Type de publication supprimé.','Type to search...'=>'Type à rechercher…','PRO Only'=>'Uniquement sur PRO','Field groups linked successfully.'=>'Les groupes de champs ont bien été liés.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importez les types de publication et les taxonomies enregistrés avec l’interface utilisateur de type de publication personnalisée et gérez-les avec ACF. Lancez-vous.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'type de publication','Done'=>'Terminé','Field Group(s)'=>'Groupe(s) de champs','Select one or many field groups...'=>'Sélectionner un ou plusieurs groupes de champs…','Please select the field groups to link.'=>'Veuillez choisir les groupes de champs à lier.','Field group linked successfully.'=>'Groupe de champs bien lié.' . "\0" . 'Groupes de champs bien liés.','post statusRegistration Failed'=>'Echec de l’enregistrement','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Cet élément n’a pas pu être enregistré car sa clé est utilisée par un autre élément enregistré par une autre extension ou un thème.','REST API'=>'API REST','Permissions'=>'Droits','URLs'=>'URL','Visibility'=>'Visibilité','Labels'=>'Libellés','Field Settings Tabs'=>'Onglets des réglages du champ','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valeur du code court ACF désactivée pour l’aperçu]','Close Modal'=>'Fermer la modale','Field moved to other group'=>'Champ déplacé vers un autre groupe','Close modal'=>'Fermer la modale','Start a new group of tabs at this tab.'=>'Commencez un nouveau groupe d’onglets dans cet onglet.','New Tab Group'=>'Nouveau groupe d’onglets','Use a stylized checkbox using select2'=>'Utiliser une case à cocher stylisée avec select2','Save Other Choice'=>'Enregistrer un autre choix','Allow Other Choice'=>'Autoriser un autre choix','Add Toggle All'=>'Ajouter « Tout basculer »','Save Custom Values'=>'Enregistrer les valeurs personnalisées','Allow Custom Values'=>'Autoriser les valeurs personnalisées','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Les valeurs personnalisées des cases à cocher ne peuvent pas être vides. Décochez toutes les valeurs vides.','Updates'=>'Mises à jour','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Enregistrer les modifications','Field Group Title'=>'Titre du groupe de champs','Add title'=>'Ajouter un titre','New to ACF? Take a look at our getting started guide.'=>'Nouveau sur ACF ? Jetez un œil à notre guide des premiers pas.','Add Field Group'=>'Ajouter un groupe de champs','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utilise des groupes de champs pour grouper des champs personnalisés et les associer aux écrans de modification.','Add Your First Field Group'=>'Ajouter votre premier groupe de champs','Options Pages'=>'Pages d’options','ACF Blocks'=>'Blocs ACF','Gallery Field'=>'Champ galerie','Flexible Content Field'=>'Champ de contenu flexible','Repeater Field'=>'Champ répéteur','Unlock Extra Features with ACF PRO'=>'Débloquer des fonctionnalités supplémentaires avec ACF PRO','Delete Field Group'=>'Supprimer le groupe de champ','Created on %1$s at %2$s'=>'Créé le %1$s à %2$s','Group Settings'=>'Réglages du groupe','Location Rules'=>'Règles de localisation','Choose from over 30 field types. Learn more.'=>'Choisissez parmi plus de 30 types de champs. En savoir plus.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Commencez à créer de nouveaux champs personnalisés pour vos articles, pages, types de publication personnalisés et autres contenus WordPress.','Add Your First Field'=>'Ajouter votre premier champ','#'=>'N°','Add Field'=>'Ajouter un champ','Presentation'=>'Présentation','Validation'=>'Validation','General'=>'Général','Import JSON'=>'Importer un JSON','Export As JSON'=>'Exporter en tant que JSON','Field group deactivated.'=>'Groupe de champs désactivé.' . "\0" . '%s groupes de champs désactivés.','Field group activated.'=>'Groupe de champs activé.' . "\0" . '%s groupes de champs activés.','Deactivate'=>'Désactiver','Deactivate this item'=>'Désactiver cet élément','Activate'=>'Activer','Activate this item'=>'Activer cet élément','Move field group to trash?'=>'Déplacer le groupe de champs vers la corbeille ?','post statusInactive'=>'Inactif','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields et Advanced Custom Fields Pro ne doivent pas être actives en même temps. Nous avons automatiquement désactivé Advanced Custom Fields Pro.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields et Advanced Custom Fields Pro ne doivent pas être actives en même temps. Nous avons automatiquement désactivé Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Nous avons détecté un ou plusieurs appels pour récupérer les valeurs des champs ACF avant l’initialisation d’ACF. Ceci n’est pas pris en charge et peut entraîner des données incorrectes ou manquantes. Découvrez comment corriger ce problème.','%1$s must have a user with the %2$s role.'=>'%1$s doit avoir un compte avec le rôle %2$s.' . "\0" . '%1$s doit avoir un compte avec l’un des rôles suivants : %2$s','%1$s must have a valid user ID.'=>'%1$s doit avoir un ID de compte valide.','Invalid request.'=>'Demande invalide.','%1$s is not one of %2$s'=>'%1$s n’est pas l’un des %2$s','%1$s must have term %2$s.'=>'%1$s doit contenir le terme %2$s.' . "\0" . '%1$s doit contenir l’un des termes suivants : %2$s','%1$s must be of post type %2$s.'=>'%1$s doit être une publication de type %2$s.' . "\0" . '%1$s doit appartenir à l’un des types de publication suivants : %2$s','%1$s must have a valid post ID.'=>'%1$s doit avoir un ID de publication valide.','%s requires a valid attachment ID.'=>'%s nécessite un ID de fichier jointe valide.','Show in REST API'=>'Afficher dans l’API REST','Enable Transparency'=>'Activer la transparence','RGBA Array'=>'Tableau RGBA','RGBA String'=>'Chaine RGBA','Hex String'=>'Chaine hexadécimale','Upgrade to PRO'=>'Passer à la version Pro','post statusActive'=>'Actif','\'%s\' is not a valid email address'=>'« %s » n’est pas une adresse e-mail valide','Color value'=>'Valeur de la couleur','Select default color'=>'Sélectionner une couleur par défaut','Clear color'=>'Effacer la couleur','Blocks'=>'Blocs','Options'=>'Options','Users'=>'Comptes','Menu items'=>'Éléments de menu','Widgets'=>'Widgets','Attachments'=>'Fichiers joints','Taxonomies'=>'Taxonomies','Posts'=>'Publications','Last updated: %s'=>'Dernière mise à jour : %s','Sorry, this post is unavailable for diff comparison.'=>'Désolé, cette publication n’est pas disponible pour la comparaison de différence.','Invalid field group parameter(s).'=>'Paramètres de groupe de champ invalides.','Awaiting save'=>'En attente d’enregistrement','Saved'=>'Enregistré','Import'=>'Importer','Review changes'=>'Évaluer les modifications','Located in: %s'=>'Situés dans : %s','Located in plugin: %s'=>'Situés dans l’extension : %s','Located in theme: %s'=>'Situés dans le thème : %s','Various'=>'Divers','Sync changes'=>'Synchroniser les modifications','Loading diff'=>'Chargement du différentiel','Review local JSON changes'=>'Vérifier les modifications JSON locales','Visit website'=>'Visiter le site','View details'=>'Voir les détails','Version %s'=>'Version %s','Information'=>'Informations','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Service d’assistance. Les professionnels du support de notre service d’assistance vous aideront à résoudre vos problèmes techniques les plus complexes.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussions. Nous avons une communauté active et amicale sur nos forums communautaires qui peut vous aider à comprendre le fonctionnement de l’écosystème ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentation. Notre documentation complète contient des références et des guides pour la plupart des situations que vous pouvez rencontrer.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Nous sommes fanatiques du support et souhaitons que vous tiriez le meilleur parti de votre site avec ACF. Si vous rencontrez des difficultés, il existe plusieurs endroits où vous pouvez trouver de l’aide :','Help & Support'=>'Aide & support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Veuillez utiliser l’onglet « Aide & support » pour nous contacter si vous avez besoin d’assistance.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Avant de créer votre premier groupe de champ, nous vous recommandons de lire notre guide Pour commencer afin de vous familiariser avec la philosophie et les meilleures pratiques de l’extension.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'L’extension Advanced Custom Fields fournit un constructeur visuel de formulaires pour modifier les écrans de WordPress avec des champs supplémentaires, ainsi qu’une API intuitive pour afficher les valeurs des champs personnalisés dans n’importe quel fichier de modèle de thème.','Overview'=>'Aperçu','Location type "%s" is already registered.'=>'Le type d’emplacement « %s » est déjà inscrit.','Class "%s" does not exist.'=>'La classe « %s » n’existe pas.','Invalid nonce.'=>'Nonce invalide.','Error loading field.'=>'Erreur lors du chargement du champ.','Error: %s'=>'Erreur : %s','Widget'=>'Widget','User Role'=>'Rôle du compte','Comment'=>'Commenter','Post Format'=>'Format de publication','Menu Item'=>'Élément de menu','Post Status'=>'État de la publication','Menus'=>'Menus','Menu Locations'=>'Emplacements de menus','Menu'=>'Menu','Post Taxonomy'=>'Taxonomie de la publication','Child Page (has parent)'=>'Page enfant (a un parent)','Parent Page (has children)'=>'Page parent (a des enfants)','Top Level Page (no parent)'=>'Page de plus haut niveau (aucun parent)','Posts Page'=>'Page des publications','Front Page'=>'Page d’accueil','Page Type'=>'Type de page','Viewing back end'=>'Affichage de l’interface d’administration','Viewing front end'=>'Vue de l’interface publique','Logged in'=>'Connecté','Current User'=>'Compte actuel','Page Template'=>'Modèle de page','Register'=>'S’inscrire','Add / Edit'=>'Ajouter/Modifier','User Form'=>'Formulaire de profil','Page Parent'=>'Page parente','Super Admin'=>'Super admin','Current User Role'=>'Rôle du compte actuel','Default Template'=>'Modèle par défaut','Post Template'=>'Modèle de publication','Post Category'=>'Catégorie de publication','All %s formats'=>'Tous les formats %s','Attachment'=>'Fichier joint','%s value is required'=>'La valeur %s est obligatoire','Show this field if'=>'Afficher ce champ si','Conditional Logic'=>'Logique conditionnelle','and'=>'et','Local JSON'=>'JSON Local','Clone Field'=>'Champ clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Veuillez également vérifier que tous les modules PRO (%s) soient mis à jour à la dernière version.','This version contains improvements to your database and requires an upgrade.'=>'Cette version contient des améliorations de la base de données et nécessite une mise à niveau.','Thank you for updating to %1$s v%2$s!'=>'Merci d‘avoir mis à jour %1$s v%2$s !','Database Upgrade Required'=>'Mise à niveau de la base de données requise','Options Page'=>'Page d’options','Gallery'=>'Galerie','Flexible Content'=>'Contenu flexible','Repeater'=>'Répéteur','Back to all tools'=>'Retour aux outils','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)'=>'Si plusieurs groupes de champs apparaissent sur un écran de modification, les options du premier groupe de champs seront utilisées (celle avec le numéro de commande le plus bas).','Select items to hide them from the edit screen.'=>'Sélectionner les éléments à masquer sur l’écran de modification.','Hide on screen'=>'Masquer de l’écran','Send Trackbacks'=>'Envoyer des rétroliens','Tags'=>'Étiquettes','Categories'=>'Catégories','Page Attributes'=>'Attributs de page','Format'=>'Format','Author'=>'Auteur/autrice','Slug'=>'Slug','Revisions'=>'Révisions','Comments'=>'Commentaires','Discussion'=>'Commentaires','Excerpt'=>'Extrait','Content Editor'=>'Éditeur de contenu','Permalink'=>'Permalien','Shown in field group list'=>'Affiché dans la liste des groupes de champs','Field groups with a lower order will appear first'=>'Les groupes de champs avec un ordre inférieur apparaitront en premier','Order No.'=>'N° d’ordre.','Below fields'=>'Sous les champs','Below labels'=>'Sous les libellés','Instruction Placement'=>'Emplacement des instructions','Label Placement'=>'Emplacement des libellés','Side'=>'Sur le côté','Normal (after content)'=>'Normal (après le contenu)','High (after title)'=>'Haute (après le titre)','Position'=>'Emplacement','Seamless (no metabox)'=>'Sans contour (pas de boîte meta)','Standard (WP metabox)'=>'Standard (boîte méta WP)','Style'=>'Style','Type'=>'Type','Key'=>'Clé','Order'=>'Ordre','Close Field'=>'Fermer le champ','id'=>'ID','class'=>'classe','width'=>'largeur','Wrapper Attributes'=>'Attributs du conteneur','Required'=>'Obligatoire','Instructions'=>'Instructions','Field Type'=>'Type de champ','Single word, no spaces. Underscores and dashes allowed'=>'Un seul mot. Aucun espace. Les tirets bas et les tirets sont autorisés.','Field Name'=>'Nom du champ','This is the name which will appear on the EDIT page'=>'Ceci est le nom qui apparaîtra sur la page de modification','Field Label'=>'Libellé du champ','Delete'=>'Supprimer','Delete field'=>'Supprimer le champ','Move'=>'Déplacer','Move field to another group'=>'Deplacer le champ vers un autre groupe','Duplicate field'=>'Dupliquer le champ','Edit field'=>'Modifier le champ','Drag to reorder'=>'Faites glisser pour réorganiser','Show this field group if'=>'Afficher ce groupe de champs si','No updates available.'=>'Aucune mise à jour disponible.','Database upgrade complete. See what\'s new'=>'Mise à niveau de base de données complète. Voir les nouveautés','Reading upgrade tasks...'=>'Lecture des tâches de mise à niveau…','Upgrade failed.'=>'Mise à niveau échouée.','Upgrade complete.'=>'Mise à niveau terminée.','Upgrading data to version %s'=>'Mise à niveau des données vers la version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Il est recommandé de sauvegarder votre base de données avant de procéder. Confirmez-vous le lancement de la mise à jour maintenant ?','Please select at least one site to upgrade.'=>'Veuillez choisir au moins un site à mettre à niveau.','Database Upgrade complete. Return to network dashboard'=>'Mise à niveau de la base de données effectuée. Retourner au tableau de bord du réseau','Site is up to date'=>'Le site est à jour','Site requires database upgrade from %1$s to %2$s'=>'Le site nécessite une mise à niveau de la base de données à partir de %1$s vers %2$s','Site'=>'Site','Upgrade Sites'=>'Mettre à niveau les sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Les sites suivants nécessitent une mise à niveau de la base de données. Sélectionner ceux que vous voulez mettre à jour et cliquer sur %s.','Add rule group'=>'Ajouter un groupe de règles','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Créer un ensemble de règles pour déterminer quels écrans de modification utiliseront ces champs personnalisés avancés','Rules'=>'Règles','Copied'=>'Copié','Copy to clipboard'=>'Copier dans le presse-papier','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Sélectionnez les éléments que vous souhaitez exporter, puis choisissez la méthode d’exportation. « Exporter comme JSON » pour exporter vers un fichier .json que vous pouvez ensuite importer dans une autre installation ACF. « Générer le PHP » pour exporter un code PHP que vous pouvez placer dans votre thème.','Select Field Groups'=>'Sélectionner les groupes de champs','No field groups selected'=>'Aucun groupe de champs sélectionné','Generate PHP'=>'Générer le PHP','Export Field Groups'=>'Exporter les groupes de champs','Import file empty'=>'Fichier d’importation vide','Incorrect file type'=>'Type de fichier incorrect','Error uploading file. Please try again'=>'Erreur de téléversement du fichier. Veuillez réessayer.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Sélectionnez le fichier JSON Advanced Custom Fields que vous souhaitez importer. Quand vous cliquez sur le bouton « Importer » ci-dessous, ACF importera les éléments dans ce fichier.','Import Field Groups'=>'Importer les groupes de champs','Sync'=>'Synchroniser','Select %s'=>'Sélectionner %s','Duplicate'=>'Dupliquer','Duplicate this item'=>'Dupliquer cet élément','Supports'=>'Prend en charge','Documentation'=>'Documentation','Description'=>'Description','Sync available'=>'Synchronisation disponible','Field group synchronized.'=>'Groupe de champs synchronisé.' . "\0" . '%s groupes de champs synchronisés.','Field group duplicated.'=>'Groupe de champs dupliqué.' . "\0" . '%s groupes de champs dupliqués.','Active (%s)'=>'Actif (%s)' . "\0" . 'Actifs (%s)','Review sites & upgrade'=>'Examiner les sites et mettre à niveau','Upgrade Database'=>'Mettre à niveau la base de données','Custom Fields'=>'Champs personnalisés','Move Field'=>'Déplacer le champ','Please select the destination for this field'=>'Veuillez sélectionner la destination pour ce champ','The %1$s field can now be found in the %2$s field group'=>'Le champ %1$s peut maintenant être trouvé dans le groupe de champs %2$s','Move Complete.'=>'Déplacement effectué.','Active'=>'Actif','Field Keys'=>'Clés des champs','Settings'=>'Réglages','Location'=>'Emplacement','Null'=>'Null','copy'=>'copier','(this field)'=>'(ce champ)','Checked'=>'Coché','Move Custom Field'=>'Déplacer le champ personnalisé','No toggle fields available'=>'Aucun champ de sélection disponible','Field group title is required'=>'Le titre du groupe de champ est requis','This field cannot be moved until its changes have been saved'=>'Ce champ ne peut pas être déplacé tant que ses modifications n’ont pas été enregistrées','The string "field_" may not be used at the start of a field name'=>'La chaine « field_ » ne peut pas être utilisée au début du nom d’un champ','Field group draft updated.'=>'Brouillon du groupe de champs mis à jour.','Field group scheduled for.'=>'Groupe de champs programmé.','Field group submitted.'=>'Groupe de champs envoyé.','Field group saved.'=>'Groupe de champs sauvegardé.','Field group published.'=>'Groupe de champs publié.','Field group deleted.'=>'Groupe de champs supprimé.','Field group updated.'=>'Groupe de champs mis à jour.','Tools'=>'Outils','is not equal to'=>'n’est pas égal à','is equal to'=>'est égal à','Forms'=>'Formulaires','Page'=>'Page','Post'=>'Publication','Relational'=>'Relationnel','Choice'=>'Choix','Basic'=>'Basique','Unknown'=>'Inconnu','Field type does not exist'=>'Le type de champ n’existe pas','Spam Detected'=>'Indésirable détecté','Post updated'=>'Publication mise à jour','Update'=>'Mise à jour','Validate Email'=>'Valider l’e-mail','Content'=>'Contenu','Title'=>'Titre','Edit field group'=>'Modifier le groupe de champs','Selection is less than'=>'La sélection est inférieure à','Selection is greater than'=>'La sélection est supérieure à','Value is less than'=>'La valeur est plus petite que','Value is greater than'=>'La valeur est plus grande que','Value contains'=>'La valeur contient','Value matches pattern'=>'La valeur correspond au modèle','Value is not equal to'=>'La valeur n’est pas égale à','Value is equal to'=>'La valeur est égale à','Has no value'=>'A aucune valeur','Has any value'=>'A n’importe quelle valeur','Cancel'=>'Annuler','Are you sure?'=>'Confirmez-vous ?','%d fields require attention'=>'%d champs nécessitent votre attention','1 field requires attention'=>'Un champ nécessite votre attention','Validation failed'=>'Échec de la validation','Validation successful'=>'Validation réussie','Restricted'=>'Limité','Collapse Details'=>'Replier les détails','Expand Details'=>'Déplier les détails','Uploaded to this post'=>'Téléversé sur cette publication','verbUpdate'=>'Mettre à jour','verbEdit'=>'Modifier','The changes you made will be lost if you navigate away from this page'=>'Les modifications que vous avez effectuées seront perdues si vous quittez cette page','File type must be %s.'=>'Le type de fichier doit être %s.','or'=>'ou','File size must not exceed %s.'=>'La taille du fichier ne doit pas excéder %s.','File size must be at least %s.'=>'La taille du fichier doit être d’au moins %s.','Image height must not exceed %dpx.'=>'La hauteur de l’image ne doit pas excéder %d px.','Image height must be at least %dpx.'=>'La hauteur de l’image doit être au minimum de %d px.','Image width must not exceed %dpx.'=>'La largeur de l’image ne doit pas excéder %d px.','Image width must be at least %dpx.'=>'La largeur de l’image doit être au minimum de %d px.','(no title)'=>'(aucun titre)','Full Size'=>'Taille originale','Large'=>'Grand','Medium'=>'Moyen','Thumbnail'=>'Miniature','(no label)'=>'(aucun libellé)','Sets the textarea height'=>'Définir la hauteur de la zone de texte','Rows'=>'Lignes','Text Area'=>'Zone de texte','Prepend an extra checkbox to toggle all choices'=>'Ajouter une case à cocher pour basculer tous les choix','Save \'custom\' values to the field\'s choices'=>'Enregistrez les valeurs « personnalisées » dans les choix du champ','Allow \'custom\' values to be added'=>'Autoriser l’ajout de valeurs personnalisées','Add new choice'=>'Ajouter un nouveau choix','Toggle All'=>'Tout (dé)sélectionner','Allow Archives URLs'=>'Afficher les URL des archives','Archives'=>'Archives','Page Link'=>'Lien vers la page','Add'=>'Ajouter','Name'=>'Nom','%s added'=>'%s ajouté','%s already exists'=>'%s existe déjà','User unable to add new %s'=>'Compte incapable d’ajouter un nouveau %s','Term ID'=>'ID de terme','Term Object'=>'Objet de terme','Load value from posts terms'=>'Charger une valeur depuis les termes de publications','Load Terms'=>'Charger les termes','Connect selected terms to the post'=>'Lier les termes sélectionnés à la publication','Save Terms'=>'Enregistrer les termes','Allow new terms to be created whilst editing'=>'Autoriser la création de nouveaux termes pendant la modification','Create Terms'=>'Créer des termes','Radio Buttons'=>'Boutons radio','Single Value'=>'Valeur unique','Multi Select'=>'Liste déroulante à multiple choix','Checkbox'=>'Case à cocher','Multiple Values'=>'Valeurs multiples','Select the appearance of this field'=>'Sélectionner l’apparence de ce champ','Appearance'=>'Apparence','Select the taxonomy to be displayed'=>'Sélectionner la taxonomie à afficher','No TermsNo %s'=>'N° %s','Value must be equal to or lower than %d'=>'La valeur doit être inférieure ou égale à %d','Value must be equal to or higher than %d'=>'La valeur doit être être supérieure ou égale à %d','Value must be a number'=>'La valeur doit être un nombre','Number'=>'Nombre','Save \'other\' values to the field\'s choices'=>'Sauvegarder les valeurs « Autres » dans les choix des champs','Add \'other\' choice to allow for custom values'=>'Ajouter le choix « Autre » pour autoriser les valeurs personnalisées','Other'=>'Autre','Radio Button'=>'Bouton radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Définir un point de terminaison pour l’accordéon précédent. Cet accordéon ne sera pas visible.','Allow this accordion to open without closing others.'=>'Autoriser l’ouverture de cet accordéon sans fermer les autres.','Multi-Expand'=>'Ouverture multiple','Display this accordion as open on page load.'=>'Ouvrir l’accordéon au chargement de la page.','Open'=>'Ouvrir','Accordion'=>'Accordéon','Restrict which files can be uploaded'=>'Restreindre quels fichiers peuvent être téléversés','File ID'=>'ID du fichier','File URL'=>'URL du fichier','File Array'=>'Tableau de fichiers','Add File'=>'Ajouter un fichier','No file selected'=>'Aucun fichier sélectionné','File name'=>'Nom du fichier','Update File'=>'Mettre à jour le fichier','Edit File'=>'Modifier le fichier','Select File'=>'Sélectionner un fichier','File'=>'Fichier','Password'=>'Mot de Passe','Specify the value returned'=>'Spécifier la valeur retournée','Use AJAX to lazy load choices?'=>'Utiliser AJAX pour un chargement différé des choix ?','Enter each default value on a new line'=>'Saisir chaque valeur par défaut sur une nouvelle ligne','verbSelect'=>'Sélectionner','Select2 JS load_failLoading failed'=>'Le chargement a échoué','Select2 JS searchingSearching…'=>'Recherche en cours...','Select2 JS load_moreLoading more results…'=>'Chargement de résultats supplémentaires…','Select2 JS selection_too_long_nYou can only select %d items'=>'Vous ne pouvez choisir que %d éléments','Select2 JS selection_too_long_1You can only select 1 item'=>'Vous ne pouvez choisir qu’un seul élément','Select2 JS input_too_long_nPlease delete %d characters'=>'Veuillez supprimer %d caractères','Select2 JS input_too_long_1Please delete 1 character'=>'Veuillez supprimer 1 caractère','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Veuillez saisir %d caractères ou plus','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Veuillez saisir au minimum 1 caractère','Select2 JS matches_0No matches found'=>'Aucun résultat','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d résultats disponibles, utilisez les flèches haut et bas pour naviguer parmi ceux-ci.','Select2 JS matches_1One result is available, press enter to select it.'=>'Un résultat est disponible, appuyez sur « Entrée » pour le sélectionner.','nounSelect'=>'Liste déroulante','User ID'=>'ID du compte','User Object'=>'Objet du compte','User Array'=>'Tableau de comptes','All user roles'=>'Tous les rôles de comptes','Filter by Role'=>'Filtrer par rôle','User'=>'Compte','Separator'=>'Séparateur','Select Color'=>'Sélectionner une couleur','Default'=>'Par défaut','Clear'=>'Effacer','Color Picker'=>'Sélecteur de couleur','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Sélectionner','Date Time Picker JS closeTextDone'=>'Terminé','Date Time Picker JS currentTextNow'=>'Maintenant','Date Time Picker JS timezoneTextTime Zone'=>'Fuseau horaire','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minute','Date Time Picker JS hourTextHour'=>'Heure','Date Time Picker JS timeTextTime'=>'Heure','Date Time Picker JS timeOnlyTitleChoose Time'=>'Choisir l’heure','Date Time Picker'=>'Sélecteur de date et heure','Endpoint'=>'Point de terminaison','Left aligned'=>'Aligné à gauche','Top aligned'=>'Aligné en haut','Placement'=>'Positionnement','Tab'=>'Onglet','Value must be a valid URL'=>'Le champ doit contenir une URL valide','Link URL'=>'URL du lien','Link Array'=>'Tableau de liens','Opens in a new window/tab'=>'Ouvrir dans une nouvelle fenêtre/onglet','Select Link'=>'Sélectionner un lien','Link'=>'Lien','Email'=>'E-mail','Step Size'=>'Taille de l’incrément','Maximum Value'=>'Valeur maximum','Minimum Value'=>'Valeur minimum','Range'=>'Plage','Both (Array)'=>'Les deux (tableau)','Label'=>'Libellé','Value'=>'Valeur','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'rouge : Rouge','For more control, you may specify both a value and label like this:'=>'Pour plus de contrôle, vous pouvez spécifier une valeur et un libellé de cette manière :','Enter each choice on a new line.'=>'Saisir chaque choix sur une nouvelle ligne.','Choices'=>'Choix','Button Group'=>'Groupe de boutons','Allow Null'=>'Autoriser une valeur vide','Parent'=>'Parent','TinyMCE will not be initialized until field is clicked'=>'TinyMCE ne sera pas initialisé avant un clic dans le champ','Delay Initialization'=>'Retarder l’initialisation','Show Media Upload Buttons'=>'Afficher les boutons de téléversement de média','Toolbar'=>'Barre d’outils','Text Only'=>'Texte Uniquement','Visual Only'=>'Visuel uniquement','Visual & Text'=>'Visuel & texte','Tabs'=>'Onglets','Click to initialize TinyMCE'=>'Cliquer pour initialiser TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texte','Visual'=>'Visuel','Value must not exceed %d characters'=>'La valeur ne doit pas excéder %d caractères','Leave blank for no limit'=>'Laisser vide pour ne fixer aucune limite','Character Limit'=>'Limite de caractères','Appears after the input'=>'Apparait après le champ','Append'=>'Ajouter après','Appears before the input'=>'Apparait avant le champ','Prepend'=>'Ajouter avant','Appears within the input'=>'Apparaît dans l’entrée','Placeholder Text'=>'Texte indicatif','Appears when creating a new post'=>'Apparaît à la création d’une nouvelle publication','Text'=>'Texte','%1$s requires at least %2$s selection'=>'%1$s requiert au moins %2$s sélection' . "\0" . '%1$s requiert au moins %2$s sélections','Post ID'=>'ID de la publication','Post Object'=>'Objet de la publication','Maximum Posts'=>'Maximum de publications','Minimum Posts'=>'Minimum de publications','Featured Image'=>'Image mise en avant','Selected elements will be displayed in each result'=>'Les éléments sélectionnés seront affichés dans chaque résultat','Elements'=>'Éléments','Taxonomy'=>'Taxonomie','Post Type'=>'Type de publication','Filters'=>'Filtres','All taxonomies'=>'Toutes les taxonomies','Filter by Taxonomy'=>'Filtrer par taxonomie','All post types'=>'Tous les types de publication','Filter by Post Type'=>'Filtrer par type de publication','Search...'=>'Rechercher…','Select taxonomy'=>'Sélectionner la taxonomie','Select post type'=>'Choisissez le type de publication','No matches found'=>'Aucune correspondance trouvée','Loading'=>'Chargement','Maximum values reached ( {max} values )'=>'Valeurs maximum atteintes ({max} valeurs)','Relationship'=>'Relation','Comma separated list. Leave blank for all types'=>'Séparez les valeurs par une virgule. Laissez blanc pour tout autoriser.','Allowed File Types'=>'Types de fichiers autorisés','Maximum'=>'Maximum','File size'=>'Taille du fichier','Restrict which images can be uploaded'=>'Restreindre quelles images peuvent être téléversées','Minimum'=>'Minimum','Uploaded to post'=>'Téléversé dans la publication','All'=>'Tous','Limit the media library choice'=>'Limiter le choix de la médiathèque','Library'=>'Bibliothèque','Preview Size'=>'Taille de prévisualisation','Image ID'=>'ID de l’image','Image URL'=>'URL de l’image','Image Array'=>'Tableau de l’image','Specify the returned value on front end'=>'Spécifier la valeur renvoyée publiquement','Return Value'=>'Valeur de retour','Add Image'=>'Ajouter image','No image selected'=>'Aucune image sélectionnée','Remove'=>'Retirer','Edit'=>'Modifier','All images'=>'Toutes les images','Update Image'=>'Mettre à jour l’image','Edit Image'=>'Modifier l’image','Select Image'=>'Sélectionner une image','Image'=>'Image','Allow HTML markup to display as visible text instead of rendering'=>'Permet l’affichage du code HTML à l’écran au lieu de l’interpréter','Escape HTML'=>'Autoriser le code HTML','No Formatting'=>'Aucun formatage','Automatically add <br>'=>'Ajouter automatiquement <br>','Automatically add paragraphs'=>'Ajouter automatiquement des paragraphes','Controls how new lines are rendered'=>'Contrôle comment les nouvelles lignes sont rendues','New Lines'=>'Nouvelles lignes','Week Starts On'=>'La semaine débute le','The format used when saving a value'=>'Le format utilisé lors de la sauvegarde d’une valeur','Save Format'=>'Enregistrer le format','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Préc.','Date Picker JS nextTextNext'=>'Suivant','Date Picker JS currentTextToday'=>'Aujourd’hui','Date Picker JS closeTextDone'=>'Terminé','Date Picker'=>'Sélecteur de date','Width'=>'Largeur','Embed Size'=>'Taille d’intégration','Enter URL'=>'Saisissez l’URL','oEmbed'=>'Contenu oEmbed','Text shown when inactive'=>'Texte affiché lorsque inactif','Off Text'=>'Texte « Inactif »','Text shown when active'=>'Texte affiché lorsque actif','On Text'=>'Texte « Actif »','Stylized UI'=>'Interface (UI) stylisée','Default Value'=>'Valeur par défaut','Displays text alongside the checkbox'=>'Affiche le texte à côté de la case à cocher','Message'=>'Message','No'=>'Non','Yes'=>'Oui','True / False'=>'Vrai/Faux','Row'=>'Ligne','Table'=>'Tableau','Block'=>'Bloc','Specify the style used to render the selected fields'=>'Spécifier le style utilisé pour afficher les champs sélectionnés','Layout'=>'Mise en page','Sub Fields'=>'Sous-champs','Group'=>'Groupe','Customize the map height'=>'Personnaliser la hauteur de la carte','Height'=>'Hauteur','Set the initial zoom level'=>'Définir le niveau de zoom initial','Zoom'=>'Zoom','Center the initial map'=>'Centrer la carte initiale','Center'=>'Centrer','Search for address...'=>'Rechercher une adresse…','Find current location'=>'Obtenir l’emplacement actuel','Clear location'=>'Effacer la position','Search'=>'Rechercher','Sorry, this browser does not support geolocation'=>'Désolé, ce navigateur ne prend pas en charge la géolocalisation','Google Map'=>'Google Map','The format returned via template functions'=>'Le format retourné via les fonctions du modèle','Return Format'=>'Format de retour','Custom:'=>'Personnalisé :','The format displayed when editing a post'=>'Le format affiché lors de la modification d’une publication','Display Format'=>'Format d’affichage','Time Picker'=>'Sélecteur d’heure','Inactive (%s)'=>'(%s) inactif' . "\0" . '(%s) inactifs','No Fields found in Trash'=>'Aucun champ trouvé dans la corbeille','No Fields found'=>'Aucun champ trouvé','Search Fields'=>'Rechercher des champs','View Field'=>'Voir le champ','New Field'=>'Nouveau champ','Edit Field'=>'Modifier le champ','Add New Field'=>'Ajouter un nouveau champ','Field'=>'Champ','Fields'=>'Champs','No Field Groups found in Trash'=>'Aucun groupe de champs trouvé dans la corbeille','No Field Groups found'=>'Aucun groupe de champs trouvé','Search Field Groups'=>'Rechercher des groupes de champs','View Field Group'=>'Voir le groupe de champs','New Field Group'=>'Nouveau groupe de champs','Edit Field Group'=>'Modifier le groupe de champs','Add New Field Group'=>'Ajouter un groupe de champs','Add New'=>'Ajouter','Field Group'=>'Groupe de champs','Field Groups'=>'Groupes de champs','Customize WordPress with powerful, professional and intuitive fields.'=>'Personnalisez WordPress avec des champs intuitifs, puissants et professionnels.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com/','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Le nom du type de bloc est obligatoire.','Block type "%s" is already registered.'=>'Le type de bloc "%s" est déjà déclaré.','Switch to Edit'=>'Passer en mode Édition','Switch to Preview'=>'Passer en mode Aperçu','Change content alignment'=>'Modifier l’alignement du contenu','%s settings'=>'Réglages de %s','This block contains no editable fields.'=>'Ce bloc ne contient aucun champ éditable.','Assign a field group to add fields to this block.'=>'Assignez un groupe de champs pour ajouter des champs à ce bloc.','Options Updated'=>'Options mises à jour','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pour activer les mises à jour, veuillez indiquer votre clé de licence sur la page Mises à jour. Si vous n’en possédez pas encore une, jetez un oeil à nos détails & tarifs.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erreur d’activation d’ACF. Votre clé de licence a été modifiée, mais une erreur est survenue lors de la désactivation de votre précédente licence','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erreur d’activation d’ACF. Votre clé de licence définie a été modifiée, mais une erreur est survenue lors de la connexion au serveur d’activation','ACF Activation Error'=>'Erreur d’activation d’ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erreur d’activation d’ACF. Une erreur est survenue lors de la connexion au serveur d’activation','Check Again'=>'Vérifier à nouveau','ACF Activation Error. Could not connect to activation server'=>'Erreur d’activation d’ACF. Impossible de se connecter au serveur d’activation','Publish'=>'Publier','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Aucun groupe de champs trouvé pour cette page options. Créer un groupe de champs','Error. Could not connect to update server'=>'Erreur. Impossible de joindre le serveur','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erreur. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erreur. La licence pour ce site a expiré ou a été désactivée. Veuillez réactiver votre licence ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Vous permet de sélectionner et afficher des champs existants. Le clone ne duplique pas les champs dans la base de données, il récupère leurs valeurs au chargement de la page. Le Clone sera remplacé par les champs qu’il représente et les affiche comme un groupe de sous-champs.','Select one or more fields you wish to clone'=>'Sélectionnez un ou plusieurs champs à cloner','Display'=>'Format d’affichage','Specify the style used to render the clone field'=>'Définit le style utilisé pour générer le champ dupliqué','Group (displays selected fields in a group within this field)'=>'Groupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)','Seamless (replaces this field with selected fields)'=>'Remplace ce champ par les champs sélectionnés','Labels will be displayed as %s'=>'Les libellés seront affichés en tant que %s','Prefix Field Labels'=>'Préfixer les libellés de champs','Values will be saved as %s'=>'Les valeurs seront enregistrées en tant que %s','Prefix Field Names'=>'Préfixer les noms de champs','Unknown field'=>'Champ inconnu','Unknown field group'=>'Groupe de champ inconnu','All fields from %s field group'=>'Tous les champs du groupe %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Vous permet de définir, créer et gérer des contenus avec un contrôle total : les éditeurs peuvent créer des mises en page en sélectionnant des dispositions basées sur des sous-champs.','Add Row'=>'Ajouter un élément','layout'=>'disposition' . "\0" . 'dispositions','layouts'=>'dispositions','This field requires at least {min} {label} {identifier}'=>'Ce champ requiert au moins {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Ce champ a une limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponible (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} required (min {min})','Flexible Content requires at least 1 layout'=>'Le contenu flexible nécessite au moins une disposition','Click the "%s" button below to start creating your layout'=>'Cliquez sur le bouton "%s" ci-dessous pour créer votre première disposition','Add layout'=>'Ajouter une disposition','Duplicate layout'=>'Dupliquer la disposition','Remove layout'=>'Retirer la disposition','Click to toggle'=>'Cliquer pour afficher/cacher','Delete Layout'=>'Supprimer la disposition','Duplicate Layout'=>'Dupliquer la disposition','Add New Layout'=>'Ajouter une disposition','Add Layout'=>'Ajouter une disposition','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Nombre minimum de dispositions','Maximum Layouts'=>'Nombre maximum de dispositions','Button Label'=>'Intitulé du bouton','%s must be of type array or null.'=>'la valeur de %s doit être un tableau ou null.','%1$s must contain at least %2$s %3$s layout.'=>'Le champ %1$s doit contenir au moins %2$s %3$s disposition.' . "\0" . 'Le champ %1$s doit contenir au moins %2$s %3$s dispositions.','%1$s must contain at most %2$s %3$s layout.'=>'Le champ %1$s doit contenir au maximum %2$s %3$s disposition.' . "\0" . 'Le champ %1$s doit contenir au maximum %2$s %3$s dispositions.','An interactive interface for managing a collection of attachments, such as images.'=>'Une interface interactive pour gérer une collection de fichiers joints, telles que des images.','Add Image to Gallery'=>'Ajouter l’image à la galerie','Maximum selection reached'=>'Nombre de sélections maximales atteint','Length'=>'Longueur','Caption'=>'Légende','Alt Text'=>'Texte alternatif','Add to gallery'=>'Ajouter à la galerie','Bulk actions'=>'Actions de groupe','Sort by date uploaded'=>'Ranger par date d’import','Sort by date modified'=>'Ranger par date de modification','Sort by title'=>'Ranger par titre','Reverse current order'=>'Inverser l’ordre actuel','Close'=>'Appliquer','Minimum Selection'=>'Minimum d’images','Maximum Selection'=>'Maximum d’images','Allowed file types'=>'Types de fichiers autorisés','Insert'=>'Insérer','Specify where new attachments are added'=>'Définir comment les images sont insérées','Append to the end'=>'Insérer à la fin','Prepend to the beginning'=>'Insérer au début','Minimum rows not reached ({min} rows)'=>'Nombre minimal d’éléments insuffisant ({min} éléments)','Maximum rows reached ({max} rows)'=>'Nombre maximal d’éléments atteint ({max} éléments)','Error loading page'=>'Erreur de chargement de la page','Order will be assigned upon save'=>'L’ordre sera assigné après l’enregistrement','Useful for fields with a large number of rows.'=>'Utile pour les champs avec un grand nombre de lignes.','Rows Per Page'=>'Lignes par Page','Set the number of rows to be displayed on a page.'=>'Définir le nombre de lignes à afficher sur une page.','Minimum Rows'=>'Nombre minimum d’éléments','Maximum Rows'=>'Nombre maximum d’éléments','Collapsed'=>'Replié','Select a sub field to show when row is collapsed'=>'Choisir un sous champ à montrer lorsque la ligne est refermée','Invalid field key or name.'=>'Clé de champ invalide.','There was an error retrieving the field.'=>'Il y a une erreur lors de la récupération du champ.','Click to reorder'=>'Cliquer pour réorganiser','Add row'=>'Ajouter un élément','Duplicate row'=>'Dupliquer la ligne','Remove row'=>'Retirer l’élément','Current Page'=>'Page actuelle','First Page'=>'Première page','Previous Page'=>'Page précédente','paging%1$s of %2$s'=>'%1$s sur %2$s','Next Page'=>'Page suivante','Last Page'=>'Dernière page','No block types exist'=>'Aucun type de blocs existant','No options pages exist'=>'Aucune page d’option créée','Deactivate License'=>'Désactiver la licence','Activate License'=>'Activer votre licence','License Information'=>'Informations sur la licence','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 détails & tarifs.','License Key'=>'Clé de licence','Your license key is defined in wp-config.php.'=>'Votre clé de licence est définie dans le fichier wp-config.php.','Retry Activation'=>'Retenter l’activation','Update Information'=>'Informations de mise à jour','Current Version'=>'Version actuelle','Latest Version'=>'Dernière version','Update Available'=>'Mise à jour disponible','Upgrade Notice'=>'Améliorations','Check For Updates'=>'Vérifier les mises à jour','Enter your license key to unlock updates'=>'Indiquez votre clé de licence pour activer les mises à jour','Update Plugin'=>'Mettre à jour l’extension','Please reactivate your license to unlock updates'=>'Veuillez réactiver votre licence afin de débloquer les mises à jour'],'language'=>'fr_FR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-fr_FR.mo b/lang/acf-fr_FR.mo
index 7665462..578037d 100644
Binary files a/lang/acf-fr_FR.mo and b/lang/acf-fr_FR.mo differ
diff --git a/lang/acf-fr_FR.po b/lang/acf-fr_FR.po
index e0c4e9c..c15a2fb 100644
--- a/lang/acf-fr_FR.po
+++ b/lang/acf-fr_FR.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: fr_FR\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,14 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF n’a pas pu effectuer la validation en raison d’un nonce de sécurité "
-"invalide."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Autoriser l’accès à la valeur dans l’interface de l’éditeur"
@@ -2045,21 +2059,21 @@ msgstr "Ajouter des champs"
msgid "This Field"
msgstr "Ce champ"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF Pro"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Retour"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Support"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "est développé et maintenu par"
@@ -4680,7 +4694,7 @@ msgstr ""
"l’interface utilisateur de type de publication personnalisée et gérez-les "
"avec ACF. Lancez-vous."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4733,7 +4747,7 @@ msgstr ""
#: includes/acf-internal-post-type-functions.php:509
#: includes/acf-internal-post-type-functions.php:538
msgid "REST API"
-msgstr "REST API"
+msgstr "API REST"
#: includes/acf-internal-post-type-functions.php:508
#: includes/acf-internal-post-type-functions.php:537
@@ -5013,7 +5027,7 @@ msgstr "Activer cet élément"
msgid "Move field group to trash?"
msgstr "Déplacer le groupe de champs vers la corbeille ?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -5026,7 +5040,7 @@ msgstr "Inactif"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5035,7 +5049,7 @@ msgstr ""
"actives en même temps. Nous avons automatiquement désactivé Advanced Custom "
"Fields Pro."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5491,7 +5505,7 @@ msgstr "Tous les formats %s"
msgid "Attachment"
msgstr "Fichier joint"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "La valeur %s est obligatoire"
@@ -5991,7 +6005,7 @@ msgstr "Dupliquer cet élément"
msgid "Supports"
msgstr "Prend en charge"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentation"
@@ -6292,8 +6306,8 @@ msgstr "%d champs nécessitent votre attention"
msgid "1 field requires attention"
msgstr "Un champ nécessite votre attention"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Échec de la validation"
@@ -7310,7 +7324,7 @@ msgstr "Limiter le choix de la médiathèque"
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:193
msgid "Library"
-msgstr "Médiathèque"
+msgstr "Bibliothèque"
#: includes/fields/class-acf-field-image.php:326
msgid "Preview Size"
@@ -7676,90 +7690,90 @@ msgid "Time Picker"
msgstr "Sélecteur d’heure"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "(%s) inactif"
msgstr[1] "(%s) inactifs"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Aucun champ trouvé dans la corbeille"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Aucun champ trouvé"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Rechercher des champs"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Voir le champ"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nouveau champ"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Modifier le champ"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Ajouter un nouveau champ"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Champ"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Champs"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Aucun groupe de champs trouvé dans la corbeille"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Aucun groupe de champs trouvé"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Rechercher des groupes de champs"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Voir le groupe de champs"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nouveau groupe de champs"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Modifier le groupe de champs"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Ajouter un groupe de champs"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Ajouter"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Groupe de champs"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-gl_ES.l10n.php b/lang/acf-gl_ES.l10n.php
index 7e44bfa..3b3ee7e 100644
--- a/lang/acf-gl_ES.l10n.php
+++ b/lang/acf-gl_ES.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'gl_ES','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Blocks Using Post Meta'=>'Bloques usando Post Meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s require un ID de arquivo adxunto válido cando o tipo establécese en media_library.','%s is a required property of acf.'=>'%s é unha propiedade necesaria de acf.','The value of icon to save.'=>'O valor da icona a gardar.','The type of icon to save.'=>'O tipo da icona a gardar.','Yes Icon'=>'Icona de si','WordPress Icon'=>'Icona de WordPress','Warning Icon'=>'Icona de advertencia','Visibility Icon'=>'Icona de visibilidade','Vault Icon'=>'Icona de bóveda','Upload Icon'=>'Icona de subida','Update Icon'=>'Icona de actualización','Unlock Icon'=>'Icona de desbloquear','Migrate Icon'=>'Icona de migrar','Add Options Page'=>'Engadir páxina de opcións','4 Months Free'=>'4 meses de balde','Select Options Pages'=>'Seleccionar páxinas de opcións','Add fields'=>'Engadir campos','Field Settings Tabs'=>'Pestanas de axustes de campos','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[valor do shortcode de ACF desactivado na vista previa]','Close Modal'=>'Cerrar ventá emerxente','Field moved to other group'=>'Campo movido a outro grupo','Close modal'=>'Cerrar ventá emerxente','Start a new group of tabs at this tab.'=>'Empeza un novo grupo de pestanas nesta pestana','New Tab Group'=>'Novo grupo de pestanas','Use a stylized checkbox using select2'=>'Usa un recadro de verificación estilizado utilizando select2','Save Other Choice'=>'Gardar a opción «Outro»','Allow Other Choice'=>'Permitir a opción «Outro»','Add Toggle All'=>'Engade un «Alternar todos»','Save Custom Values'=>'Gardar os valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Os valores personalizados do recadro de verificación non poden estar baleiros. Desmarca calquera valor baleiro.','Updates'=>'Actualizacións','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Gardar cambios','Field Group Title'=>'Título do grupo de campos','Add title'=>'Engadir título','New to ACF? Take a look at our getting started guide.'=>'Novo en ACF? Bota unha ollada á nosa guía para comezar.','Add Field Group'=>'Engadir grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados xuntos, e despois engadir eses campos ás pantallas de edición.','Add Your First Field Group'=>'Engade o teu primeiro grupo de campos','Options Pages'=>'Páxinas de opcións','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contido flexible','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloquea as características extra con ACF PRO','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado o %1$s ás %2$s','Group Settings'=>'Axustes de grupo','Location Rules'=>'Regras de ubicación','Choose from over 30 field types. Learn more.'=>'Elixe de entre máis de 30 tipos de campos. Aprende máis.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comeza creando novos campos personalizados para as túas entradas, páxinas, tipos de contido personalizados e outros contidos de WordPress.','Add Your First Field'=>'Engade o teu primeiro campo','#'=>'#','Add Field'=>'Engadir campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'Xeral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'Mover este grupo de campos á papeleira?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non deberían estar activos ao mesmo tempo. Desactivamos automaticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non deberían estar activos ao mesmo tempo. Desactivamos automaticamente Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s -Detectamos unha ou máis chamadas para obter valores de campo de ACF antes de que ACF se iniciara. Isto non é compatible e pode ocasionar datos mal formados ou faltantes. Aprende como corrixilo.','%1$s must have a user with the %2$s role.'=>'%1$s debe ter un usuario co perfil %2$s.' . "\0" . '%1$s debe ter un usuario cun dos seguintes perfís: %2$s','%1$s must have a valid user ID.'=>'%1$s debe ter un ID de usuario válido.','Invalid request.'=>'Petición non válida.','%1$s is not one of %2$s'=>'%1$s non é ningunha das seguintes %2$s','%1$s must have term %2$s.'=>'%1$s debe ter un termo %2$s.' . "\0" . '%1$s debe ter un dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser do tipo de contido %2$s.' . "\0" . '%1$s debe ser dun dos seguintes tipos de contido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe ter un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adxunto válido.','Show in REST API'=>'Amosar na API REST','Enable Transparency'=>'Activar transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadea RGBA','Hex String'=>'Cadea Hex','Upgrade to PRO'=>'Actualizar a PRO','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» non é un enderezo de correo electrónico válido','Color value'=>'Valor da cor','Select default color'=>'Seleccionar cor por defecto','Clear color'=>'Baleirar cor','Blocks'=>'Bloques','Options'=>'Opcións','Users'=>'Usuarios','Menu items'=>'Elementos do menú','Widgets'=>'Widgets','Attachments'=>'Adxuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Síntoo, esta entrada non está dispoñible para a comparación diff.','Invalid field group parameter(s).'=>'Parámetro do grupo de campos non válido.','Awaiting save'=>'Pendente de gardar','Saved'=>'Gardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios do JSON local','Visit website'=>'Visitar a web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de axuda. Os profesionais de soporte do noso xentro de xxuda axudaranche cos problemas máis técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debates. Temos unha comunidade activa e amistosa nos nosos foros da comunidade, que pode axudarche a descubrir como facer todo no mundo de ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. A nosa extensa documentación contén referencias e guías para a maioría das situacións nas que te podes atopar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Nós somos moi fans do soporte, e ti queres tirarlle o máximo partido á túa web con ACF. Se tes algunha dificultade, hai varios sitios onde atopar axuda:','Help & Support'=>'Axuda e Soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa a pestana de Axuda e Soporte para poñerte en contacto se ves que precisas axuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear o teu primeiro Grupo de Campos, recomendámosche que primeiro leas a nosa guía de Primeiros pasos para familiarizarte coa filosofía do plugin e as mellores prácticas.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields ofrece un maquetador visual co que personalizar as pantallas de edición de WordPress con campos extra, e unha API intuitiva coa que mostrar os valores deses campos en calquera ficheiro modelo do tema. ','Overview'=>'Resumo','Location type "%s" is already registered.'=>'O tipo de ubicación "%s" xa está rexistrado.','Class "%s" does not exist.'=>'A clase «%s» non existe.','Invalid nonce.'=>'Nonce non válido.','Error loading field.'=>'Erro ao cargar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Perfil do usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento do menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicacións de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía da entrada','Child Page (has parent)'=>'Páxina filla (ten pai)','Parent Page (has children)'=>'Páxina superior (con fillos)','Top Level Page (no parent)'=>'Páxina de nivel superior (sen pais)','Posts Page'=>'Páxina de entradas','Front Page'=>'Páxina de inicio','Page Type'=>'Tipo de páxina','Viewing back end'=>'Vendo a parte traseira','Viewing front end'=>'Vendo a web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Modelo de páxina','Register'=>'Rexistro','Add / Edit'=>'Engadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Páxina pai','Super Admin'=>'Super administrador','Current User Role'=>'Rol do usuario actual','Default Template'=>'Modelo predeterminado','Post Template'=>'Modelo de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo os formatos de %s','Attachment'=>'Adxunto','%s value is required'=>'O valor de %s é obligatorio','Show this field if'=>'Amosar este campo se','Conditional Logic'=>'Lóxica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo clonar','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comproba tamén que todas as extensións premium (%s) estean actualizadas á última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contén melloras na súa base de datos e require unha actualización.','Thank you for updating to %1$s v%2$s!'=>'Grazas por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'É preciso actualizar a base de datos','Options Page'=>'Páxina de opcións','Gallery'=>'Galería','Flexible Content'=>'Contido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas as ferramentas','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)'=>'Se aparecen múltiples grupos de campos nunha pantalla de edición, utilizaranse as opcións do primeiro grupo (o que teña o número de orde menor)','Select items to hide them from the edit screen.'=>'Selecciona os elementos que ocultar da pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos da páxina','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisións','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Os grupos de campos con menor orde aparecerán primeiro','Order No.'=>'Número de orde','Below fields'=>'Debaixo dos campos','Below labels'=>'Debaixo das etiquetas','Instruction Placement'=>'Localización da instrución','Label Placement'=>'Localización da etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (despois do contido)','High (after title)'=>'Alta (despois do título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sen caixa meta)','Standard (WP metabox)'=>'Estándar (caixa meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orde','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos do contedor','Required'=>'Obrigatorio','Instructions'=>'Instrucións','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Unha soa palabra, sen espazos. Permítense guións e guións bajos','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que aparecerá na páxina EDITAR','Field Label'=>'Etiqueta do campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Amosar este grupo de campos se','No updates available.'=>'Non hai actualizacións dispoñibles.','Database upgrade complete. See what\'s new'=>'Actualización da base de datos completa. Ver as novidades','Reading upgrade tasks...'=>'Lendo tarefas de actualización...','Upgrade failed.'=>'A actualización fallou.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos á versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É moi recomendable que fagas unha copia de seguridade da túa base de datos antes de continuar. Estás seguro que queres executar xa a actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona polo menos un sitio para actualizalo.','Database Upgrade complete. Return to network dashboard'=>'Actualización da base de datos completa. Volver ao escritorio de rede','Site is up to date'=>'O sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'O sitio necesita actualizar a base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar os sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'É preciso actualizar a base de datos dos seguintes sitios. Marca os que queiras actualizar e fai clic en %s.','Add rule group'=>'Engadir grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conxunto de regras para determinar que pantallas de edición utilizarán estes campos personalizados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar ao portapapeis','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona os elementos que che gustaría exportar e logo elixe o teu método de exportación. Exporta como JSON para exportar a un arquivo .json que podes logo importar noutra instalación de ACF. Xera PHP para exportar a código PHP que podes incluír no teu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Xerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Arquivo de imporación baleiro','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Erro ao subir o arquivo. Por favor, inténtao de novo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona o arquivo JSON de Advanced Custom Fields que che gustaría importar. Cando fagas clic no botón importar de abaixo, ACF importará os elementos nese arquivo.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Soporta','Documentation'=>'Documentación','Description'=>'Descrición','Sync available'=>'Sincronización dispoñible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios e actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona o destino para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s agora pódese atopar no grupo de campos %2$s','Move Complete.'=>'Movemento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Axustes','Location'=>'Localización','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Non hai campos de conmutación dispoñibles','Field group title is required'=>'O título do grupo de campos é obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo pódese mover ata que os seus trocos garden','The string "field_" may not be used at the start of a field name'=>'A cadea "field_" non se debe utilizar ao comezo dun nome de campo','Field group draft updated.'=>'Borrador do grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos gardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'non é igual a','is equal to'=>'é igual a','Forms'=>'Formularios','Page'=>'Páxina','Post'=>'Entrada','Relational'=>'Relacional','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Descoñecido','Field type does not exist'=>'O tipo de campo non existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selección é menor que','Selection is greater than'=>'A selección é maior que','Value is less than'=>'O valor é menor que','Value is greater than'=>'O valor é maior que','Value contains'=>'O valor contén','Value matches pattern'=>'O valor coincide co patrón','Value is not equal to'=>'O valor non é igual a','Value is equal to'=>'O valor é igual a','Has no value'=>'Nob ten ningún valor','Has any value'=>'Ten algún valor','Cancel'=>'Cancelar','Are you sure?'=>'Estás seguro?','%d fields require attention'=>'%d campos requiren atención','1 field requires attention'=>'1 campo require atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restrinxido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Os trocos que realizaras perderanse se navegas cara á outra páxina','File type must be %s.'=>'O tipo de arquivo debe ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamaño de arquivo non debe ser maior de %s.','File size must be at least %s.'=>'O tamaño do arquivo debe ser polo menos %s.','Image height must not exceed %dpx.'=>'A altura da imaxe non debe exceder %dpx.','Image height must be at least %dpx.'=>'A altura da imaxe debe ser polo menos %dpx.','Image width must not exceed %dpx.'=>'O ancho da imaxe non debe exceder %dpx.','Image width must be at least %dpx.'=>'O ancho da imaxe debe ser polo menos %dpx.','(no title)'=>'(sen título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sen etiqueta)','Sets the textarea height'=>'Establece a altura da área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Antopoñer un recadro de verificación extra para cambiar todas as opcións','Save \'custom\' values to the field\'s choices'=>'Garda os valores «personalizados» nas opcións do campo','Allow \'custom\' values to be added'=>'Permite engadir valores personalizados','Add new choice'=>'Engadir nova opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir as URLs dos arquivos','Archives'=>'Arquivo','Page Link'=>'Enlace á páxina','Add'=>'Engadir','Name'=>'Nome','%s added'=>'%s engadido(s)','%s already exists'=>'%s xa existe','User unable to add new %s'=>'O usuario non pode engadir novos %s','Term ID'=>'ID do termo','Term Object'=>'Obxecto de termo','Load value from posts terms'=>'Cargar o valor dos termos da publicación','Load Terms'=>'Cargar termos','Connect selected terms to the post'=>'Conectar os termos seleccionados coa publicación','Save Terms'=>'Gardar termos','Allow new terms to be created whilst editing'=>'Permitir a creación de novos termos mentres se edita','Create Terms'=>'Crear termos','Radio Buttons'=>'Botóns de opción','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Caixa de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona a aparencia deste campo','Appearance'=>'Aparencia','Select the taxonomy to be displayed'=>'Selecciona a taxonomía a amosar','No TermsNo %s'=>'Non %s','Value must be equal to or lower than %d'=>'O valor debe ser menor ou igual a %d','Value must be equal to or higher than %d'=>'O valor debe ser maior ou igual a %d','Value must be a number'=>'O valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Gardar os valores de «outros» nas opcións do campo','Add \'other\' choice to allow for custom values'=>'Engade a opción «outros» para permitir valores personalizados','Other'=>'Outros','Radio Button'=>'Botón de opción','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que o acordeón anterior se deteña. Este acordeón non será visible.','Allow this accordion to open without closing others.'=>'Permite que este acordeón se abra sen pechar outros.','Multi-Expand'=>'Multi-Expandir','Display this accordion as open on page load.'=>'Mostrar este acordeón como aberto na carga da páxina.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restrinxir que arquivos se poden subir','File ID'=>'ID do arquivo','File URL'=>'URL do arquivo','File Array'=>'Array do arquivo','Add File'=>'Engadir arquivo','No file selected'=>'Ningún arquivo seleccionado','File name'=>'Nome do arquivo','Update File'=>'Actualizar arquivo','Edit File'=>'Editar arquivo','Select File'=>'Seleccionar arquivo','File'=>'Arquivo','Password'=>'Contrasinal','Specify the value returned'=>'Especifica o valor devolto','Use AJAX to lazy load choices?'=>'Usar AJAX para cargar as opcións de xeito diferido?','Enter each default value on a new line'=>'Engade cada valor nunha nova liña','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Erro ao cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando máis resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só podes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Só podes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, insire %d ou máis caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, insire 1 ou máis caracteres','Select2 JS matches_0No matches found'=>'Non se encontraron coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados dispoñibles, utiliza as frechas arriba e abaixo para navegar polos resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hai un resultado dispoñible, pulsa enter para seleccionalo.','nounSelect'=>'Selecciona','User ID'=>'ID do usuario','User Object'=>'Obxecto de usuario','User Array'=>'Grupo de usuarios','All user roles'=>'Todos os roles de usuario','Filter by Role'=>'Filtrar por perfil','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar cor','Default'=>'Por defecto','Clear'=>'Baleirar','Color Picker'=>'Selector de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecciona','Date Time Picker JS closeTextDone'=>'Feito','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elixir hora','Date Time Picker'=>'Selector de data e hora','Endpoint'=>'Endpoint','Left aligned'=>'Aliñada á esquerda','Top aligned'=>'Aliñada arriba','Placement'=>'Ubicación','Tab'=>'Pestana','Value must be a valid URL'=>'O valor debe ser unha URL válida','Link URL'=>'URL do enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir nunha nova ventá/pestana','Select Link'=>'Elixe o enlace','Link'=>'Ligazón','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermello : Vermello','For more control, you may specify both a value and label like this:'=>'Para máis control, podes especificar tanto un valor como unha etiqueta, así:','Enter each choice on a new line.'=>'Engade cada opción nunha nova liña.','Choices'=>'Opcións','Button Group'=>'Grupo de botóns','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE non se iniciará ata que se faga clic no campo','Delay Initialization'=>'Retrasar o inicio','Show Media Upload Buttons'=>'Amosar botóns de subida de medios','Toolbar'=>'Barra de ferramentas','Text Only'=>'Só texto','Visual Only'=>'Só visual','Visual & Text'=>'Visual e Texto','Tabs'=>'Pestanas','Click to initialize TinyMCE'=>'Fai clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor non debe exceder os %d caracteres','Leave blank for no limit'=>'Déixao en branco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece despois da entrada','Append'=>'Anexar','Appears before the input'=>'Aparece antes do campo','Prepend'=>'Antepor','Appears within the input'=>'Aparece no campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cando se está creando unha nova entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita polo menos %2$s selección' . "\0" . '%1$s necesita polo menos %2$s seleccións','Post ID'=>'ID da publicación','Post Object'=>'Obxecto de publicación','Maximum Posts'=>'Publicacións máximas','Minimum Posts'=>'Publicacións mínimas','Featured Image'=>'Imaxe destacada','Selected elements will be displayed in each result'=>'Os elementos seleccionados mostraranse en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contido','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos os tipos de contido','Filter by Post Type'=>'Filtrar por tipo de contido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contido','No matches found'=>'Non se encontraron coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déixao en branco para todos os tipos','Allowed File Types'=>'Tipos de arquivos permitidos','Maximum'=>'Máximo','File size'=>'Tamaño do arquivo','Restrict which images can be uploaded'=>'Restrinxir que imaxes se poden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos ao contido','All'=>'Todos','Limit the media library choice'=>'Limitar as opcións da biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID da imaxe','Image URL'=>'URL de imaxe','Image Array'=>'Array de imaxes','Specify the returned value on front end'=>'Especificar o valor devolto na web','Return Value'=>'Valor de retorno','Add Image'=>'Engadir imaxe','No image selected'=>'Non hai ningunha imaxe seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas as imaxes','Update Image'=>'Actualizar imaxe','Edit Image'=>'Editar imaxe','Select Image'=>'Seleccionar imaxe','Image'=>'Imaxe','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que o maquetado HTML se mostre como texto visible no canto de interpretalo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sen formato','Automatically add <br>'=>'Engadir <br> automaticamente','Automatically add paragraphs'=>'Engadir parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como se mostran os saltos de liña','New Lines'=>'Novas liñas','Week Starts On'=>'A semana comeza o','The format used when saving a value'=>'O formato utilizado cando se garda un valor','Save Format'=>'Gardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoxe','Date Picker JS closeTextDone'=>'Feito','Date Picker'=>'Selector de data','Width'=>'Ancho','Embed Size'=>'Tamaño da inserción','Enter URL'=>'Introduce a URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Mostra o texto xunto ao recadro de verificación','Message'=>'Mensaxe','No'=>'Non','Yes'=>'Si','True / False'=>'Verdadeiro / Falso','Row'=>'Fila','Table'=>'Táboa','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica o estilo utilizado para representar os campos seleccionados','Layout'=>'Estrutura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer o nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente o mapa','Center'=>'Centro','Search for address...'=>'Buscar enderezo...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Síntoo, este navegador non é compatible coa xeolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'O formato devolto polas funcións do tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato mostrado cando se edita unha publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'Non se encontraron campos na papeleira','No Fields found'=>'Non se encontraron campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Engadir novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Non se atoparon os grupos de campos na papeleira','No Field Groups found'=>'Non se encontraron grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Engadir novo grupo de campos','Add New'=>'Engadir novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionais e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'Bloques usando Post Meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s require un ID de arquivo adxunto válido cando o tipo establécese en media_library.','%s is a required property of acf.'=>'%s é unha propiedade necesaria de acf.','The value of icon to save.'=>'O valor da icona a gardar.','The type of icon to save.'=>'O tipo da icona a gardar.','Yes Icon'=>'Icona de si','WordPress Icon'=>'Icona de WordPress','Warning Icon'=>'Icona de advertencia','Visibility Icon'=>'Icona de visibilidade','Vault Icon'=>'Icona de bóveda','Upload Icon'=>'Icona de subida','Update Icon'=>'Icona de actualización','Unlock Icon'=>'Icona de desbloquear','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'Icona de migrar','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Engadir páxina de opcións','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'4 meses de balde','(Duplicated from %s)'=>'','Select Options Pages'=>'Seleccionar páxinas de opcións','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'Engadir campos','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'Pestanas de axustes de campos','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[valor do shortcode de ACF desactivado na vista previa]','Close Modal'=>'Cerrar ventá emerxente','Field moved to other group'=>'Campo movido a outro grupo','Close modal'=>'Cerrar ventá emerxente','Start a new group of tabs at this tab.'=>'Empeza un novo grupo de pestanas nesta pestana','New Tab Group'=>'Novo grupo de pestanas','Use a stylized checkbox using select2'=>'Usa un recadro de verificación estilizado utilizando select2','Save Other Choice'=>'Gardar a opción «Outro»','Allow Other Choice'=>'Permitir a opción «Outro»','Add Toggle All'=>'Engade un «Alternar todos»','Save Custom Values'=>'Gardar os valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Os valores personalizados do recadro de verificación non poden estar baleiros. Desmarca calquera valor baleiro.','Updates'=>'Actualizacións','Advanced Custom Fields logo'=>'Logo de Advanced Custom Fields','Save Changes'=>'Gardar cambios','Field Group Title'=>'Título do grupo de campos','Add title'=>'Engadir título','New to ACF? Take a look at our getting started guide.'=>'Novo en ACF? Bota unha ollada á nosa guía para comezar.','Add Field Group'=>'Engadir grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utiliza grupos de campos para agrupar campos personalizados xuntos, e despois engadir eses campos ás pantallas de edición.','Add Your First Field Group'=>'Engade o teu primeiro grupo de campos','Options Pages'=>'Páxinas de opcións','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'Campo galería','Flexible Content Field'=>'Campo de contido flexible','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloquea as características extra con ACF PRO','Delete Field Group'=>'Borrar grupo de campos','Created on %1$s at %2$s'=>'Creado o %1$s ás %2$s','Group Settings'=>'Axustes de grupo','Location Rules'=>'Regras de ubicación','Choose from over 30 field types. Learn more.'=>'Elixe de entre máis de 30 tipos de campos. Aprende máis.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comeza creando novos campos personalizados para as túas entradas, páxinas, tipos de contido personalizados e outros contidos de WordPress.','Add Your First Field'=>'Engade o teu primeiro campo','#'=>'#','Add Field'=>'Engadir campo','Presentation'=>'Presentación','Validation'=>'Validación','General'=>'Xeral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactiva este elemento','Activate'=>'Activar','Activate this item'=>'Activa este elemento','Move field group to trash?'=>'Mover este grupo de campos á papeleira?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non deberían estar activos ao mesmo tempo. Desactivamos automaticamente Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non deberían estar activos ao mesmo tempo. Desactivamos automaticamente Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s -Detectamos unha ou máis chamadas para obter valores de campo de ACF antes de que ACF se iniciara. Isto non é compatible e pode ocasionar datos mal formados ou faltantes. Aprende como corrixilo.','%1$s must have a user with the %2$s role.'=>'%1$s debe ter un usuario co perfil %2$s.' . "\0" . '%1$s debe ter un usuario cun dos seguintes perfís: %2$s','%1$s must have a valid user ID.'=>'%1$s debe ter un ID de usuario válido.','Invalid request.'=>'Petición non válida.','%1$s is not one of %2$s'=>'%1$s non é ningunha das seguintes %2$s','%1$s must have term %2$s.'=>'%1$s debe ter un termo %2$s.' . "\0" . '%1$s debe ter un dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s debe ser do tipo de contido %2$s.' . "\0" . '%1$s debe ser dun dos seguintes tipos de contido: %2$s','%1$s must have a valid post ID.'=>'%1$s debe ter un ID de entrada válido.','%s requires a valid attachment ID.'=>'%s necesita un ID de adxunto válido.','Show in REST API'=>'Amosar na API REST','Enable Transparency'=>'Activar transparencia','RGBA Array'=>'Array RGBA','RGBA String'=>'Cadea RGBA','Hex String'=>'Cadea Hex','Upgrade to PRO'=>'Actualizar a PRO','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'«%s» non é un enderezo de correo electrónico válido','Color value'=>'Valor da cor','Select default color'=>'Seleccionar cor por defecto','Clear color'=>'Baleirar cor','Blocks'=>'Bloques','Options'=>'Opcións','Users'=>'Usuarios','Menu items'=>'Elementos do menú','Widgets'=>'Widgets','Attachments'=>'Adxuntos','Taxonomies'=>'Taxonomías','Posts'=>'Entradas','Last updated: %s'=>'Última actualización: %s','Sorry, this post is unavailable for diff comparison.'=>'Síntoo, esta entrada non está dispoñible para a comparación diff.','Invalid field group parameter(s).'=>'Parámetro do grupo de campos non válido.','Awaiting save'=>'Pendente de gardar','Saved'=>'Gardado','Import'=>'Importar','Review changes'=>'Revisar cambios','Located in: %s'=>'Localizado en: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Varios','Sync changes'=>'Sincronizar cambios','Loading diff'=>'Cargando diff','Review local JSON changes'=>'Revisar cambios do JSON local','Visit website'=>'Visitar a web','View details'=>'Ver detalles','Version %s'=>'Versión %s','Information'=>'Información','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Centro de axuda. Os profesionais de soporte do noso xentro de xxuda axudaranche cos problemas máis técnicos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Debates. Temos unha comunidade activa e amistosa nos nosos foros da comunidade, que pode axudarche a descubrir como facer todo no mundo de ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentación. A nosa extensa documentación contén referencias e guías para a maioría das situacións nas que te podes atopar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Nós somos moi fans do soporte, e ti queres tirarlle o máximo partido á túa web con ACF. Se tes algunha dificultade, hai varios sitios onde atopar axuda:','Help & Support'=>'Axuda e Soporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Por favor, usa a pestana de Axuda e Soporte para poñerte en contacto se ves que precisas axuda.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear o teu primeiro Grupo de Campos, recomendámosche que primeiro leas a nosa guía de Primeiros pasos para familiarizarte coa filosofía do plugin e as mellores prácticas.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields ofrece un maquetador visual co que personalizar as pantallas de edición de WordPress con campos extra, e unha API intuitiva coa que mostrar os valores deses campos en calquera ficheiro modelo do tema. ','Overview'=>'Resumo','Location type "%s" is already registered.'=>'O tipo de ubicación "%s" xa está rexistrado.','Class "%s" does not exist.'=>'A clase «%s» non existe.','Invalid nonce.'=>'Nonce non válido.','Error loading field.'=>'Erro ao cargar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Perfil do usuario','Comment'=>'Comentario','Post Format'=>'Formato de entrada','Menu Item'=>'Elemento do menú','Post Status'=>'Estado de entrada','Menus'=>'Menús','Menu Locations'=>'Ubicacións de menú','Menu'=>'Menú','Post Taxonomy'=>'Taxonomía da entrada','Child Page (has parent)'=>'Páxina filla (ten pai)','Parent Page (has children)'=>'Páxina superior (con fillos)','Top Level Page (no parent)'=>'Páxina de nivel superior (sen pais)','Posts Page'=>'Páxina de entradas','Front Page'=>'Páxina de inicio','Page Type'=>'Tipo de páxina','Viewing back end'=>'Vendo a parte traseira','Viewing front end'=>'Vendo a web','Logged in'=>'Conectado','Current User'=>'Usuario actual','Page Template'=>'Modelo de páxina','Register'=>'Rexistro','Add / Edit'=>'Engadir / Editar','User Form'=>'Formulario de usuario','Page Parent'=>'Páxina pai','Super Admin'=>'Super administrador','Current User Role'=>'Rol do usuario actual','Default Template'=>'Modelo predeterminado','Post Template'=>'Modelo de entrada','Post Category'=>'Categoría de entrada','All %s formats'=>'Todo os formatos de %s','Attachment'=>'Adxunto','%s value is required'=>'O valor de %s é obligatorio','Show this field if'=>'Amosar este campo se','Conditional Logic'=>'Lóxica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo clonar','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, comproba tamén que todas as extensións premium (%s) estean actualizadas á última versión.','This version contains improvements to your database and requires an upgrade.'=>'Esta versión contén melloras na súa base de datos e require unha actualización.','Thank you for updating to %1$s v%2$s!'=>'Grazas por actualizar a %1$s v%2$s!','Database Upgrade Required'=>'É preciso actualizar a base de datos','Options Page'=>'Páxina de opcións','Gallery'=>'Galería','Flexible Content'=>'Contido flexible','Repeater'=>'Repetidor','Back to all tools'=>'Volver a todas as ferramentas','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)'=>'Se aparecen múltiples grupos de campos nunha pantalla de edición, utilizaranse as opcións do primeiro grupo (o que teña o número de orde menor)','Select items to hide them from the edit screen.'=>'Selecciona os elementos que ocultar da pantalla de edición.','Hide on screen'=>'Ocultar en pantalla','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorías','Page Attributes'=>'Atributos da páxina','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisións','Comments'=>'Comentarios','Discussion'=>'Discusión','Excerpt'=>'Extracto','Content Editor'=>'Editor de contido','Permalink'=>'Enlace permanente','Shown in field group list'=>'Mostrado en lista de grupos de campos','Field groups with a lower order will appear first'=>'Os grupos de campos con menor orde aparecerán primeiro','Order No.'=>'Número de orde','Below fields'=>'Debaixo dos campos','Below labels'=>'Debaixo das etiquetas','Instruction Placement'=>'Localización da instrución','Label Placement'=>'Localización da etiqueta','Side'=>'Lateral','Normal (after content)'=>'Normal (despois do contido)','High (after title)'=>'Alta (despois do título)','Position'=>'Posición','Seamless (no metabox)'=>'Directo (sen caixa meta)','Standard (WP metabox)'=>'Estándar (caixa meta de WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Clave','Order'=>'Orde','Close Field'=>'Cerrar campo','id'=>'id','class'=>'class','width'=>'ancho','Wrapper Attributes'=>'Atributos do contedor','Required'=>'Obrigatorio','Instructions'=>'Instrucións','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Unha soa palabra, sen espazos. Permítense guións e guións bajos','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que aparecerá na páxina EDITAR','Field Label'=>'Etiqueta do campo','Delete'=>'Borrar','Delete field'=>'Borrar campo','Move'=>'Mover','Move field to another group'=>'Mover campo a outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arrastra para reordenar','Show this field group if'=>'Amosar este grupo de campos se','No updates available.'=>'Non hai actualizacións dispoñibles.','Database upgrade complete. See what\'s new'=>'Actualización da base de datos completa. Ver as novidades','Reading upgrade tasks...'=>'Lendo tarefas de actualización...','Upgrade failed.'=>'A actualización fallou.','Upgrade complete.'=>'Actualización completa','Upgrading data to version %s'=>'Actualizando datos á versión %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É moi recomendable que fagas unha copia de seguridade da túa base de datos antes de continuar. Estás seguro que queres executar xa a actualización?','Please select at least one site to upgrade.'=>'Por favor, selecciona polo menos un sitio para actualizalo.','Database Upgrade complete. Return to network dashboard'=>'Actualización da base de datos completa. Volver ao escritorio de rede','Site is up to date'=>'O sitio está actualizado','Site requires database upgrade from %1$s to %2$s'=>'O sitio necesita actualizar a base de datos de %1$s a %2$s','Site'=>'Sitio','Upgrade Sites'=>'Actualizar os sitios','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'É preciso actualizar a base de datos dos seguintes sitios. Marca os que queiras actualizar e fai clic en %s.','Add rule group'=>'Engadir grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un conxunto de regras para determinar que pantallas de edición utilizarán estes campos personalizados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar ao portapapeis','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecciona os elementos que che gustaría exportar e logo elixe o teu método de exportación. Exporta como JSON para exportar a un arquivo .json que podes logo importar noutra instalación de ACF. Xera PHP para exportar a código PHP que podes incluír no teu tema.','Select Field Groups'=>'Selecciona grupos de campos','No field groups selected'=>'Ningún grupo de campos seleccionado','Generate PHP'=>'Xerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Arquivo de imporación baleiro','Incorrect file type'=>'Tipo de campo incorrecto','Error uploading file. Please try again'=>'Erro ao subir o arquivo. Por favor, inténtao de novo','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecciona o arquivo JSON de Advanced Custom Fields que che gustaría importar. Cando fagas clic no botón importar de abaixo, ACF importará os elementos nese arquivo.','Import Field Groups'=>'Importar grupo de campos','Sync'=>'Sincronizar','Select %s'=>'Selecciona %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este elemento','Supports'=>'Soporta','Documentation'=>'Documentación','Description'=>'Descrición','Sync available'=>'Sincronización dispoñible','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Revisar sitios e actualizar','Upgrade Database'=>'Actualizar base de datos','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor, selecciona o destino para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s agora pódese atopar no grupo de campos %2$s','Move Complete.'=>'Movemento completo.','Active'=>'Activo','Field Keys'=>'Claves de campo','Settings'=>'Axustes','Location'=>'Localización','Null'=>'Null','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Non hai campos de conmutación dispoñibles','Field group title is required'=>'O título do grupo de campos é obligatorio','This field cannot be moved until its changes have been saved'=>'Este campo pódese mover ata que os seus trocos garden','The string "field_" may not be used at the start of a field name'=>'A cadea "field_" non se debe utilizar ao comezo dun nome de campo','Field group draft updated.'=>'Borrador do grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos programado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos gardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'non é igual a','is equal to'=>'é igual a','Forms'=>'Formularios','Page'=>'Páxina','Post'=>'Entrada','Relational'=>'Relacional','Choice'=>'Elección','Basic'=>'Básico','Unknown'=>'Descoñecido','Field type does not exist'=>'O tipo de campo non existe','Spam Detected'=>'Spam detectado','Post updated'=>'Publicación actualizada','Update'=>'Actualizar','Validate Email'=>'Validar correo electrónico','Content'=>'Contido','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selección é menor que','Selection is greater than'=>'A selección é maior que','Value is less than'=>'O valor é menor que','Value is greater than'=>'O valor é maior que','Value contains'=>'O valor contén','Value matches pattern'=>'O valor coincide co patrón','Value is not equal to'=>'O valor non é igual a','Value is equal to'=>'O valor é igual a','Has no value'=>'Nob ten ningún valor','Has any value'=>'Ten algún valor','Cancel'=>'Cancelar','Are you sure?'=>'Estás seguro?','%d fields require attention'=>'%d campos requiren atención','1 field requires attention'=>'1 campo require atención','Validation failed'=>'Validación fallida','Validation successful'=>'Validación correcta','Restricted'=>'Restrinxido','Collapse Details'=>'Contraer detalles','Expand Details'=>'Ampliar detalles','Uploaded to this post'=>'Subido a esta publicación','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'Os trocos que realizaras perderanse se navegas cara á outra páxina','File type must be %s.'=>'O tipo de arquivo debe ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamaño de arquivo non debe ser maior de %s.','File size must be at least %s.'=>'O tamaño do arquivo debe ser polo menos %s.','Image height must not exceed %dpx.'=>'A altura da imaxe non debe exceder %dpx.','Image height must be at least %dpx.'=>'A altura da imaxe debe ser polo menos %dpx.','Image width must not exceed %dpx.'=>'O ancho da imaxe non debe exceder %dpx.','Image width must be at least %dpx.'=>'O ancho da imaxe debe ser polo menos %dpx.','(no title)'=>'(sen título)','Full Size'=>'Tamaño completo','Large'=>'Grande','Medium'=>'Mediano','Thumbnail'=>'Miniatura','(no label)'=>'(sen etiqueta)','Sets the textarea height'=>'Establece a altura da área de texto','Rows'=>'Filas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Antopoñer un recadro de verificación extra para cambiar todas as opcións','Save \'custom\' values to the field\'s choices'=>'Garda os valores «personalizados» nas opcións do campo','Allow \'custom\' values to be added'=>'Permite engadir valores personalizados','Add new choice'=>'Engadir nova opción','Toggle All'=>'Invertir todos','Allow Archives URLs'=>'Permitir as URLs dos arquivos','Archives'=>'Arquivo','Page Link'=>'Enlace á páxina','Add'=>'Engadir','Name'=>'Nome','%s added'=>'%s engadido(s)','%s already exists'=>'%s xa existe','User unable to add new %s'=>'O usuario non pode engadir novos %s','Term ID'=>'ID do termo','Term Object'=>'Obxecto de termo','Load value from posts terms'=>'Cargar o valor dos termos da publicación','Load Terms'=>'Cargar termos','Connect selected terms to the post'=>'Conectar os termos seleccionados coa publicación','Save Terms'=>'Gardar termos','Allow new terms to be created whilst editing'=>'Permitir a creación de novos termos mentres se edita','Create Terms'=>'Crear termos','Radio Buttons'=>'Botóns de opción','Single Value'=>'Valor único','Multi Select'=>'Selección múltiple','Checkbox'=>'Caixa de verificación','Multiple Values'=>'Valores múltiples','Select the appearance of this field'=>'Selecciona a aparencia deste campo','Appearance'=>'Aparencia','Select the taxonomy to be displayed'=>'Selecciona a taxonomía a amosar','No TermsNo %s'=>'Non %s','Value must be equal to or lower than %d'=>'O valor debe ser menor ou igual a %d','Value must be equal to or higher than %d'=>'O valor debe ser maior ou igual a %d','Value must be a number'=>'O valor debe ser un número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Gardar os valores de «outros» nas opcións do campo','Add \'other\' choice to allow for custom values'=>'Engade a opción «outros» para permitir valores personalizados','Other'=>'Outros','Radio Button'=>'Botón de opción','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define un punto final para que o acordeón anterior se deteña. Este acordeón non será visible.','Allow this accordion to open without closing others.'=>'Permite que este acordeón se abra sen pechar outros.','Multi-Expand'=>'Multi-Expandir','Display this accordion as open on page load.'=>'Mostrar este acordeón como aberto na carga da páxina.','Open'=>'Abrir','Accordion'=>'Acordeón','Restrict which files can be uploaded'=>'Restrinxir que arquivos se poden subir','File ID'=>'ID do arquivo','File URL'=>'URL do arquivo','File Array'=>'Array do arquivo','Add File'=>'Engadir arquivo','No file selected'=>'Ningún arquivo seleccionado','File name'=>'Nome do arquivo','Update File'=>'Actualizar arquivo','Edit File'=>'Editar arquivo','Select File'=>'Seleccionar arquivo','File'=>'Arquivo','Password'=>'Contrasinal','Specify the value returned'=>'Especifica o valor devolto','Use AJAX to lazy load choices?'=>'Usar AJAX para cargar as opcións de xeito diferido?','Enter each default value on a new line'=>'Engade cada valor nunha nova liña','verbSelect'=>'Selecciona','Select2 JS load_failLoading failed'=>'Erro ao cargar','Select2 JS searchingSearching…'=>'Buscando…','Select2 JS load_moreLoading more results…'=>'Cargando máis resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só podes seleccionar %d elementos','Select2 JS selection_too_long_1You can only select 1 item'=>'Só podes seleccionar 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor, borra %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor, borra 1 carácter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor, insire %d ou máis caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor, insire 1 ou máis caracteres','Select2 JS matches_0No matches found'=>'Non se encontraron coincidencias','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados dispoñibles, utiliza as frechas arriba e abaixo para navegar polos resultados.','Select2 JS matches_1One result is available, press enter to select it.'=>'Hai un resultado dispoñible, pulsa enter para seleccionalo.','nounSelect'=>'Selecciona','User ID'=>'ID do usuario','User Object'=>'Obxecto de usuario','User Array'=>'Grupo de usuarios','All user roles'=>'Todos os roles de usuario','Filter by Role'=>'Filtrar por perfil','User'=>'Usuario','Separator'=>'Separador','Select Color'=>'Seleccionar cor','Default'=>'Por defecto','Clear'=>'Baleirar','Color Picker'=>'Selector de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecciona','Date Time Picker JS closeTextDone'=>'Feito','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Zona horaria','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milisegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Elixir hora','Date Time Picker'=>'Selector de data e hora','Endpoint'=>'Endpoint','Left aligned'=>'Aliñada á esquerda','Top aligned'=>'Aliñada arriba','Placement'=>'Ubicación','Tab'=>'Pestana','Value must be a valid URL'=>'O valor debe ser unha URL válida','Link URL'=>'URL do enlace','Link Array'=>'Array de enlaces','Opens in a new window/tab'=>'Abrir nunha nova ventá/pestana','Select Link'=>'Elixe o enlace','Link'=>'Ligazón','Email'=>'Correo electrónico','Step Size'=>'Tamaño de paso','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Rango','Both (Array)'=>'Ambos (Array)','Label'=>'Etiqueta','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermello : Vermello','For more control, you may specify both a value and label like this:'=>'Para máis control, podes especificar tanto un valor como unha etiqueta, así:','Enter each choice on a new line.'=>'Engade cada opción nunha nova liña.','Choices'=>'Opcións','Button Group'=>'Grupo de botóns','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'TinyMCE non se iniciará ata que se faga clic no campo','Delay Initialization'=>'Retrasar o inicio','Show Media Upload Buttons'=>'Amosar botóns de subida de medios','Toolbar'=>'Barra de ferramentas','Text Only'=>'Só texto','Visual Only'=>'Só visual','Visual & Text'=>'Visual e Texto','Tabs'=>'Pestanas','Click to initialize TinyMCE'=>'Fai clic para iniciar TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor non debe exceder os %d caracteres','Leave blank for no limit'=>'Déixao en branco para ilimitado','Character Limit'=>'Límite de caracteres','Appears after the input'=>'Aparece despois da entrada','Append'=>'Anexar','Appears before the input'=>'Aparece antes do campo','Prepend'=>'Antepor','Appears within the input'=>'Aparece no campo','Placeholder Text'=>'Marcador de posición','Appears when creating a new post'=>'Aparece cando se está creando unha nova entrada','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s necesita polo menos %2$s selección' . "\0" . '%1$s necesita polo menos %2$s seleccións','Post ID'=>'ID da publicación','Post Object'=>'Obxecto de publicación','Maximum Posts'=>'Publicacións máximas','Minimum Posts'=>'Publicacións mínimas','Featured Image'=>'Imaxe destacada','Selected elements will be displayed in each result'=>'Os elementos seleccionados mostraranse en cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomía','Post Type'=>'Tipo de contido','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomías','Filter by Taxonomy'=>'Filtrar por taxonomía','All post types'=>'Todos os tipos de contido','Filter by Post Type'=>'Filtrar por tipo de contido','Search...'=>'Buscar...','Select taxonomy'=>'Selecciona taxonomía','Select post type'=>'Seleccionar tipo de contido','No matches found'=>'Non se encontraron coincidencias','Loading'=>'Cargando','Maximum values reached ( {max} values )'=>'Valores máximos alcanzados ( {max} valores )','Relationship'=>'Relación','Comma separated list. Leave blank for all types'=>'Lista separada por comas. Déixao en branco para todos os tipos','Allowed File Types'=>'Tipos de arquivos permitidos','Maximum'=>'Máximo','File size'=>'Tamaño do arquivo','Restrict which images can be uploaded'=>'Restrinxir que imaxes se poden subir','Minimum'=>'Mínimo','Uploaded to post'=>'Subidos ao contido','All'=>'Todos','Limit the media library choice'=>'Limitar as opcións da biblioteca de medios','Library'=>'Biblioteca','Preview Size'=>'Tamaño de vista previa','Image ID'=>'ID da imaxe','Image URL'=>'URL de imaxe','Image Array'=>'Array de imaxes','Specify the returned value on front end'=>'Especificar o valor devolto na web','Return Value'=>'Valor de retorno','Add Image'=>'Engadir imaxe','No image selected'=>'Non hai ningunha imaxe seleccionada','Remove'=>'Quitar','Edit'=>'Editar','All images'=>'Todas as imaxes','Update Image'=>'Actualizar imaxe','Edit Image'=>'Editar imaxe','Select Image'=>'Seleccionar imaxe','Image'=>'Imaxe','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que o maquetado HTML se mostre como texto visible no canto de interpretalo','Escape HTML'=>'Escapar HTML','No Formatting'=>'Sen formato','Automatically add <br>'=>'Engadir <br> automaticamente','Automatically add paragraphs'=>'Engadir parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como se mostran os saltos de liña','New Lines'=>'Novas liñas','Week Starts On'=>'A semana comeza o','The format used when saving a value'=>'O formato utilizado cando se garda un valor','Save Format'=>'Gardar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoxe','Date Picker JS closeTextDone'=>'Feito','Date Picker'=>'Selector de data','Width'=>'Ancho','Embed Size'=>'Tamaño da inserción','Enter URL'=>'Introduce a URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado cando está inactivo','Off Text'=>'Texto desactivado','Text shown when active'=>'Texto mostrado cando está activo','On Text'=>'Texto activado','Stylized UI'=>'UI estilizada','Default Value'=>'Valor por defecto','Displays text alongside the checkbox'=>'Mostra o texto xunto ao recadro de verificación','Message'=>'Mensaxe','No'=>'Non','Yes'=>'Si','True / False'=>'Verdadeiro / Falso','Row'=>'Fila','Table'=>'Táboa','Block'=>'Bloque','Specify the style used to render the selected fields'=>'Especifica o estilo utilizado para representar os campos seleccionados','Layout'=>'Estrutura','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Establecer o nivel inicial de zoom','Zoom'=>'Zoom','Center the initial map'=>'Centrar inicialmente o mapa','Center'=>'Centro','Search for address...'=>'Buscar enderezo...','Find current location'=>'Encontrar ubicación actual','Clear location'=>'Borrar ubicación','Search'=>'Buscar','Sorry, this browser does not support geolocation'=>'Síntoo, este navegador non é compatible coa xeolocalización','Google Map'=>'Mapa de Google','The format returned via template functions'=>'O formato devolto polas funcións do tema','Return Format'=>'Formato de retorno','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato mostrado cando se edita unha publicación','Display Format'=>'Formato de visualización','Time Picker'=>'Selector de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'Non se encontraron campos na papeleira','No Fields found'=>'Non se encontraron campos','Search Fields'=>'Buscar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Engadir novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Non se atoparon os grupos de campos na papeleira','No Field Groups found'=>'Non se encontraron grupos de campos','Search Field Groups'=>'Buscar grupo de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Engadir novo grupo de campos','Add New'=>'Engadir novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personaliza WordPress con campos potentes, profesionais e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'gl_ES','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-gl_ES.mo b/lang/acf-gl_ES.mo
index 2e15538..f00f5a8 100644
Binary files a/lang/acf-gl_ES.mo and b/lang/acf-gl_ES.mo differ
diff --git a/lang/acf-gl_ES.po b/lang/acf-gl_ES.po
index 0ee06a1..86a04f2 100644
--- a/lang/acf-gl_ES.po
+++ b/lang/acf-gl_ES.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: gl_ES\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2020,21 +2036,21 @@ msgstr "Engadir campos"
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4366,7 +4382,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr ""
@@ -4698,7 +4714,7 @@ msgstr "Activa este elemento"
msgid "Move field group to trash?"
msgstr "Mover este grupo de campos á papeleira?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4711,7 +4727,7 @@ msgstr "Inactivo"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4720,7 +4736,7 @@ msgstr ""
"activos ao mesmo tempo. Desactivamos automaticamente Advanced Custom Fields "
"PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5169,7 +5185,7 @@ msgstr "Todo os formatos de %s"
msgid "Attachment"
msgstr "Adxunto"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "O valor de %s é obligatorio"
@@ -5662,7 +5678,7 @@ msgstr "Duplicar este elemento"
msgid "Supports"
msgstr "Soporta"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentación"
@@ -5959,8 +5975,8 @@ msgstr "%d campos requiren atención"
msgid "1 field requires attention"
msgstr "1 campo require atención"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validación fallida"
@@ -7341,90 +7357,90 @@ msgid "Time Picker"
msgstr "Selector de hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactivo (%s)"
msgstr[1] "Inactivos (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Non se encontraron campos na papeleira"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Non se encontraron campos"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Buscar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Novo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Engadir novo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Non se atoparon os grupos de campos na papeleira"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Non se encontraron grupos de campos"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Buscar grupo de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Novo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Engadir novo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Engadir novo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-gu.l10n.php b/lang/acf-gu.l10n.php
index ec24666..b4ac550 100644
--- a/lang/acf-gu.l10n.php
+++ b/lang/acf-gu.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'gu','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['By default only admin users can edit this setting.'=>'ડિફૉલ્ટ રૂપે ફક્ત એડમિન વપરાશકર્તાઓ જ આ સેટિંગને સંપાદિત કરી શકે છે.','By default only super admin users can edit this setting.'=>'ડિફૉલ્ટ રૂપે ફક્ત સુપર એડમિન વપરાશકર્તાઓ જ આ સેટિંગને સંપાદિત કરી શકે છે.','Close and Add Field'=>'બંધ કરો અને ફીલ્ડ ઉમેરો','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'તમારા વર્ગીકરણ પર મેટા બોક્સની સામગ્રીને હેન્ડલ કરવા માટે કૉલ કરવા માટે PHP ફંક્શન નામ. સુરક્ષા માટે, આ કૉલબેકને $_POST અથવા $_GET જેવા કોઈપણ સુપરગ્લોબલ્સની ઍક્સેસ વિના વિશિષ્ટ સંદર્ભમાં એક્ઝિક્યુટ કરવામાં આવશે.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'સંપાદન સ્ક્રીન માટે મેટા બોક્સ સેટ કરતી વખતે કૉલ કરવા માટે PHP ફંક્શન નામ. સુરક્ષા માટે, આ કૉલબેકને $_POST અથવા $_GET જેવા કોઈપણ સુપરગ્લોબલ્સની ઍક્સેસ વિના વિશિષ્ટ સંદર્ભમાં એક્ઝિક્યુટ કરવામાં આવશે.','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'અમાન્ય સુરક્ષા પૂરી પાડવામાં ન આવવાને કારણે ACF માન્યતા કરવામાં અસમર્થ હતું.','Allow Access to Value in Editor UI'=>'સંપાદક UI માં મૂલ્યને ઍક્સેસ કરવાની મંજૂરી આપો','Learn more.'=>'વધુ જાણો.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'સામગ્રી સંપાદકોને બ્લોક બાઈન્ડિંગ્સ અથવા ACF શોર્ટકોડનો ઉપયોગ કરીને એડિટર UI માં ફીલ્ડ મૂલ્યને ઍક્સેસ કરવા અને પ્રદર્શિત કરવાની મંજૂરી આપો. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડ પ્રકાર બ્લોક બાઈન્ડિંગ્સ અથવા ACF શોર્ટકોડમાં આઉટપુટને સપોર્ટ કરતું નથી.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડને બાઈન્ડીંગ અથવા ACF શોર્ટકોડમાં આઉટપુટ કરવાની મંજૂરી નથી.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડ પ્રકાર બાઈન્ડીંગ્સ અથવા ACF શોર્ટકોડમાં આઉટપુટને સપોર્ટ કરતું નથી.','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF શોર્ટકોડ બિન-સાર્વજનિક પોસ્ટમાંથી ફીલ્ડ પ્રદર્શિત કરી શકતું નથી]','[The ACF shortcode is disabled on this site]'=>'[આ સાઇટ પર ACF શોર્ટકોડ અક્ષમ છે]','Businessman Icon'=>'ઉદ્યોગપતિ ચિહ્ન','Forums Icon'=>'ફોરમ આયકન','YouTube Icon'=>'યુટ્યુબ ચિહ્ન','Yes (alt) Icon'=>'હા ચિહ્ન','Xing Icon'=>'ઝીંગ ચિહ્ન','WordPress (alt) Icon'=>'વર્ડપ્રેસ (વૈકલ્પિક) ચિહ્ન','WhatsApp Icon'=>'વોટ્સએપ ચિહ્ન','Write Blog Icon'=>'બ્લોગ આયકન લખો','Widgets Menus Icon'=>'વિજેટ્સ મેનુ આયકન','View Site Icon'=>'સાઇટ આયકન જુઓ','Learn More Icon'=>'વધુ જાણો આઇકન','Add Page Icon'=>'પૃષ્ઠ ચિહ્ન ઉમેરો','Video (alt3) Icon'=>'વિડિઓ (alt3) આઇકન','Video (alt2) Icon'=>'વિડિઓ (alt2) આઇકન','Video (alt) Icon'=>'વિડિઓ (Alt) આઇકન','Update (alt) Icon'=>'અપડેટ (Alt) આઇકન','Universal Access (alt) Icon'=>'સાર્વત્રિક એક્સેસ (alt) આઇકન','Twitter (alt) Icon'=>'ટ્વિટર (alt) આઇકન','Twitch Icon'=>'ટ્વિટર ચિહ્ન','Tide Icon'=>'ભરતી ચિહ્ન','Tickets (alt) Icon'=>'ટિકિટ ચિહ્ન','Text Page Icon'=>'ટેક્સ્ટ પેજ આયકન','Table Row Delete Icon'=>'Table Row Delete ચિહ્ન','RSS Icon'=>'RSS ચિહ્ન','Sorry, you do not have permission to do that.'=>'માફ કરશો, તમને તે કરવાની પરવાનગી નથી','Icon picker requires a value.'=>'આઇકન પીકરને મૂલ્યની જરૂર છે.','Standard'=>'સામાન્ય','Free'=>'મફત','Dismiss permanently'=>'કાયમી ધોરણે કાઢી નાખો','ACF PRO Feature'=>'ACF PRO લક્ષણ','Renew PRO to Unlock'=>'અનલૉક કરવા માટે PRO રિન્યૂ કરો','Renew PRO License'=>'PRO લાઇસન્સ રિન્યૂ કરો','PRO fields cannot be edited without an active license.'=>'સક્રિય લાયસન્સ વિના PRO ક્ષેત્રો સંપાદિત કરી શકાતા નથી.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'ACF બ્લોકને સોંપેલ ફીલ્ડ જૂથોને સંપાદિત કરવા માટે કૃપા કરીને તમારું ACF PRO લાઇસન્સ સક્રિય કરો.','Please activate your ACF PRO license to edit this options page.'=>'આ વિકલ્પો પૃષ્ઠને સંપાદિત કરવા માટે કૃપા કરીને તમારું ACF PRO લાઇસન્સ સક્રિય કરો.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'છટકી ગયેલા HTML મૂલ્યો પરત કરવા માત્ર ત્યારે જ શક્ય છે જ્યારે format_value પણ સાચું હોય. સુરક્ષા માટે ફીલ્ડ મૂલ્યો પરત કરવામાં આવ્યા નથી.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'એસ્કેપ કરેલ HTML મૂલ્ય પરત કરવું ત્યારે જ શક્ય છે જ્યારે format_value પણ સાચું હોય. સુરક્ષા માટે ફીલ્ડ મૂલ્ય પરત કરવામાં આવ્યું નથી.','Please contact your site administrator or developer for more details.'=>'વધુ વિગતો માટે કૃપા કરીને તમારા સાઇટ એડમિનિસ્ટ્રેટર અથવા ડેવલપરનો સંપર્ક કરો.','Learn more'=>'વધુ જાણો','Hide details'=>' વિગતો છુપાવો','Show details'=>' વિગતો બતાવો','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s દ્વારા પ્રસ્તુત','Renew ACF PRO License'=>'ACF PRO લાઇસન્સ રિન્યૂ કરો','Renew License'=>'લાયસન્સ રિન્યૂ કરો','Manage License'=>'લાયસન્સ મેનેજ કરો','\'High\' position not supported in the Block Editor'=>'બ્લોક એડિટરમાં \'ઉચ્ચ\' સ્થિતિ સમર્થિત નથી','Upgrade to ACF PRO'=>'ACF PRO પર અપગ્રેડ કરો','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF વિકલ્પો પૃષ્ઠો એ ક્ષેત્રો દ્વારા વૈશ્વિક સેટિંગ્સનું સંચાલન કરવા માટેના કસ્ટમ એડમિન પૃષ્ઠો છે. તમે બહુવિધ પૃષ્ઠો અને પેટા પૃષ્ઠો બનાવી શકો છો.','Add Options Page'=>'વિકલ્પો પૃષ્ઠ ઉમેરો','In the editor used as the placeholder of the title.'=>'શીર્ષકના પ્લેસહોલ્ડર તરીકે ઉપયોગમાં લેવાતા એડિટરમાં.','Title Placeholder'=>'શીર્ષક પ્લેસહોલ્ડર','4 Months Free'=>'4 મહિના મફત','Select Options Pages'=>'વિકલ્પો પૃષ્ઠો પસંદ કરો','Duplicate taxonomy'=>'ડુપ્લિકેટ વર્ગીકરણ','Create taxonomy'=>'વર્ગીકરણ બનાવો','Duplicate post type'=>'ડુપ્લિકેટ પોસ્ટ પ્રકાર','Create post type'=>'પોસ્ટ પ્રકાર બનાવો','Link field groups'=>'ફીલ્ડ જૂથોને લિંક કરો','Add fields'=>'ક્ષેત્રો ઉમેરો','This Field'=>'આ ક્ષેત્ર','ACF PRO'=>'એસીએફ પ્રો','Feedback'=>'પ્રતિસાદ','Support'=>'સપોર્ટ','is developed and maintained by'=>'દ્વારા વિકસિત અને જાળવણી કરવામાં આવે છે','Add this %s to the location rules of the selected field groups.'=>'પસંદ કરેલ ક્ષેત્ર જૂથોના સ્થાન નિયમોમાં આ %s ઉમેરો.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'દ્વિપક્ષીય સેટિંગને સક્ષમ કરવાથી તમે આ ફીલ્ડ માટે પસંદ કરેલ દરેક મૂલ્ય માટે લક્ષ્ય ફીલ્ડમાં મૂલ્ય અપડેટ કરી શકો છો, પોસ્ટ ID, વર્ગીકરણ ID અથવા અપડેટ કરવામાં આવી રહેલી આઇટમના વપરાશકર્તા ID ને ઉમેરીને અથવા દૂર કરી શકો છો. વધુ માહિતી માટે, કૃપા કરીને દસ્તાવેજીકરણ વાંચો.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'અપડેટ કરવામાં આવી રહેલી આઇટમનો સંદર્ભ પાછો સંગ્રહિત કરવા માટે ક્ષેત્ર(ઓ) પસંદ કરો. તમે આ ક્ષેત્ર પસંદ કરી શકો છો. જ્યાં આ ક્ષેત્ર પ્રદર્શિત થઈ રહ્યું છે તેની સાથે લક્ષ્ય ક્ષેત્રો સુસંગત હોવા જોઈએ. ઉદાહરણ તરીકે, જો આ ક્ષેત્ર વર્ગીકરણ પર પ્રદર્શિત થાય છે, તો તમારું લક્ષ્ય ક્ષેત્ર વર્ગીકરણ પ્રકારનું હોવું જોઈએ','Target Field'=>'લક્ષ્ય ક્ષેત્ર','Update a field on the selected values, referencing back to this ID'=>'આ ID નો સંદર્ભ આપીને પસંદ કરેલ મૂલ્યો પર ફીલ્ડ અપડેટ કરો','Bidirectional'=>'દ્વિપક્ષીય','%s Field'=>'%s ફીલ્ડ','Select Multiple'=>'બહુવિધ પસંદ કરો','WP Engine logo'=>'WP એન્જિન લોગો','Lower case letters, underscores and dashes only, Max 32 characters.'=>'લોઅર કેસ અક્ષરો, માત્ર અન્ડરસ્કોર અને ડૅશ, મહત્તમ 32 અક્ષરો.','The capability name for assigning terms of this taxonomy.'=>'આ વર્ગીકરણની શરતો સોંપવા માટેની ક્ષમતાનું નામ.','Assign Terms Capability'=>'ટર્મ ક્ષમતા સોંપો','The capability name for deleting terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોને કાઢી નાખવા માટેની ક્ષમતાનું નામ.','Delete Terms Capability'=>'ટર્મ ક્ષમતા કાઢી નાખો','The capability name for editing terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોને સંપાદિત કરવા માટેની ક્ષમતાનું નામ.','Edit Terms Capability'=>'શરતો ક્ષમતા સંપાદિત કરો','The capability name for managing terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોનું સંચાલન કરવા માટેની ક્ષમતાનું નામ.','Manage Terms Capability'=>'શરતોની ક્ષમતા મેનેજ કરો','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'શોધ પરિણામો અને વર્ગીકરણ આર્કાઇવ પૃષ્ઠોમાંથી પોસ્ટ્સને બાકાત રાખવા જોઈએ કે કેમ તે સેટ કરે છે.','More Tools from WP Engine'=>'WP એન્જિનના વધુ સાધનો','Built for those that build with WordPress, by the team at %s'=>'%s પરની ટીમ દ્વારા વર્ડપ્રેસ સાથે બિલ્ડ કરનારાઓ માટે બનાવેલ છે','View Pricing & Upgrade'=>'કિંમત અને અપગ્રેડ જુઓ','Learn More'=>'વધુ શીખો','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'તમારા વર્કફ્લોને ઝડપી બનાવો અને ACF બ્લોક્સ અને ઓપ્શન્સ પેજીસ જેવી સુવિધાઓ અને રિપીટર, ફ્લેક્સિબલ કન્ટેન્ટ, ક્લોન અને ગેલેરી જેવા અત્યાધુનિક ફીલ્ડ પ્રકારો સાથે વધુ સારી વેબસાઇટ્સ વિકસાવો.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF PRO સાથે અદ્યતન સુવિધાઓને અનલૉક કરો અને હજી વધુ બનાવો','%s fields'=>'%s ફીલ્ડ','No terms'=>'કોઈ શરતો નથી','No post types'=>'કોઈ પોસ્ટ પ્રકાર નથી','No posts'=>'કોઈ પોસ્ટ નથી','No taxonomies'=>'કોઈ વર્ગીકરણ નથી','No field groups'=>'કોઈ ક્ષેત્ર જૂથો નથી','No fields'=>'કોઈ ફીલ્ડ નથી','No description'=>'કોઈ વર્ણન નથી','Any post status'=>'કોઈપણ પોસ્ટ સ્થિતિ','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'આ વર્ગીકરણ કી પહેલેથી જ ACF ની બહાર નોંધાયેલ અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'આ વર્ગીકરણ કી પહેલેથી જ ACF માં અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'વર્ગીકરણ કી માં માત્ર લોઅર કેસ આલ્ફાન્યૂમેરિક અક્ષરો, અન્ડરસ્કોર અથવા ડેશ હોવા જોઈએ.','The taxonomy key must be under 32 characters.'=>'વર્ગીકરણ કી 32 અક્ષરોથી ઓછી હોવી જોઈએ.','No Taxonomies found in Trash'=>'ટ્રેશમાં કોઈ વર્ગીકરણ મળ્યું નથી','No Taxonomies found'=>'કોઈ વર્ગીકરણ મળ્યું નથી','Search Taxonomies'=>'વર્ગીકરણ શોધો','View Taxonomy'=>'વર્ગીકરણ જુઓ','New Taxonomy'=>'નવુ વર્ગીકરણ','Edit Taxonomy'=>'વર્ગીકરણ સંપાદિત કરો','Add New Taxonomy'=>'નવુ વર્ગીકરણ ઉમેરો','No Post Types found in Trash'=>'ટ્રેશમાં કોઈ પોસ્ટ પ્રકારો મળ્યા નથી','No Post Types found'=>'કોઈ પોસ્ટ પ્રકારો મળ્યા નથી','Search Post Types'=>'પોસ્ટ પ્રકારો શોધો','View Post Type'=>'પોસ્ટનો પ્રકાર જુઓ','New Post Type'=>'નવો પોસ્ટ પ્રકાર','Edit Post Type'=>'પોસ્ટ પ્રકાર સંપાદિત કરો','Add New Post Type'=>'નવો પોસ્ટ પ્રકાર ઉમેરો','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'આ પોસ્ટ ટાઇપ કી પહેલેથી જ ACF ની બહાર નોંધાયેલ અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This post type key is already in use by another post type in ACF and cannot be used.'=>'આ પોસ્ટ ટાઇપ કી પહેલેથી જ ACF માં અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This field must not be a WordPress reserved term.'=>'આ ફીલ્ડ વર્ડપ્રેસનો આરક્ષિત શબ્દ ન હોવો જોઈએ.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'પોસ્ટ ટાઈપ કીમાં માત્ર લોઅર કેસ આલ્ફાન્યૂમેરિક અક્ષરો, અન્ડરસ્કોર અથવા ડેશ હોવા જોઈએ.','The post type key must be under 20 characters.'=>'પોસ્ટ પ્રકાર કી 20 અક્ષરોથી ઓછી હોવી જોઈએ.','We do not recommend using this field in ACF Blocks.'=>'અમે ACF બ્લોક્સમાં આ ક્ષેત્રનો ઉપયોગ કરવાની ભલામણ કરતા નથી.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'વર્ડપ્રેસ WYSIWYG એડિટર પ્રદર્શિત કરે છે જે પોસ્ટ્સ અને પૃષ્ઠો જોવા મળે છે જે સમૃદ્ધ ટેક્સ્ટ-એડિટિંગ અનુભવ માટે પરવાનગી આપે છે જે મલ્ટીમીડિયા સામગ્રી માટે પણ પરવાનગી આપે છે.','WYSIWYG Editor'=>'WYSIWYG સંપાદક','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'એક અથવા વધુ વપરાશકર્તાઓની પસંદગીની મંજૂરી આપે છે જેનો ઉપયોગ ડેટા ઑબ્જેક્ટ્સ વચ્ચે સંબંધ બનાવવા માટે થઈ શકે છે.','A text input specifically designed for storing web addresses.'=>'ખાસ કરીને વેબ એડ્રેસ સ્ટોર કરવા માટે રચાયેલ ટેક્સ્ટ ઇનપુટ.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'એક ટૉગલ જે તમને 1 અથવા 0 (ચાલુ અથવા બંધ, સાચું કે ખોટું, વગેરે) નું મૂલ્ય પસંદ કરવાની મંજૂરી આપે છે. સ્ટાઇલાઇઝ્ડ સ્વીચ અથવા ચેકબોક્સ તરીકે રજૂ કરી શકાય છે.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. ક્ષેત્ર સેટિંગ્સ ઉપયોગ કરીને સમય ફોર્મેટ કસ્ટમાઇઝ કરી શકાય છે.','A basic textarea input for storing paragraphs of text.'=>'ટેક્સ્ટના ફકરાને સ્ટોર કરવા માટે મૂળભૂત ટેક્સ્ટેરિયા ઇનપુટ.','A basic text input, useful for storing single string values.'=>'મૂળભૂત મૂળ લખાણ ઇનપુટ, એક તાર મૂલ્યો સંગ્રહ કરવા માટે ઉપયોગી.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'ફીલ્ડ સેટિંગ્સમાં ઉલ્લેખિત માપદંડ અને વિકલ્પોના આધારે એક અથવા વધુ વર્ગીકરણ શરતોની પસંદગીની મંજૂરી આપે છે.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'તમને સંપાદન સ્ક્રીનમાં ટેબ કરેલ વિભાગોમાં ક્ષેત્રોને જૂથબદ્ધ કરવાની મંજૂરી આપે છે. ક્ષેત્રોને વ્યવસ્થિત અને સંરચિત રાખવા માટે ઉપયોગી.','A dropdown list with a selection of choices that you specify.'=>'તમે ઉલ્લેખિત કરો છો તે પસંદગીઓની પસંદગી સાથે ડ્રોપડાઉન સૂચિ.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'તમે હાલમાં સંપાદિત કરી રહ્યાં છો તે આઇટમ સાથે સંબંધ બનાવવા માટે એક અથવા વધુ પોસ્ટ્સ, પૃષ્ઠો અથવા કસ્ટમ પોસ્ટ પ્રકારની આઇટમ્સ પસંદ કરવા માટેનું ડ્યુઅલ-કૉલમ ઇન્ટરફેસ. શોધવા અને ફિલ્ટર કરવાના વિકલ્પોનો સમાવેશ થાય છે.','An input for selecting a numerical value within a specified range using a range slider element.'=>'શ્રેણી સ્લાઇડર તત્વનો ઉપયોગ કરીને ઉલ્લેખિત શ્રેણીમાં સંખ્યાત્મક મૂલ્ય પસંદ કરવા માટેનું ઇનપુટ.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'રેડિયો બટન ઇનપુટ્સનું એક જૂથ જે વપરાશકર્તાને તમે ઉલ્લેખિત મૂલ્યોમાંથી એક જ પસંદગી કરવાની મંજૂરી આપે છે.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'શોધવાના વિકલ્પ સાથે એક અથવા ઘણી પોસ્ટ્સ, પૃષ્ઠો અથવા પોસ્ટ પ્રકારની વસ્તુઓ પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ અને વૈવિધ્યપૂર્ણ UI. ','An input for providing a password using a masked field.'=>'માસ્ક્ડ ફીલ્ડનો ઉપયોગ કરીને પાસવર્ડ આપવા માટેનું ઇનપુટ.','Filter by Post Status'=>'પોસ્ટ સ્ટેટસ દ્વારા ફિલ્ટર કરો','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'શોધવાના વિકલ્પ સાથે, એક અથવા વધુ પોસ્ટ્સ, પૃષ્ઠો, કસ્ટમ પોસ્ટ પ્રકારની આઇટમ્સ અથવા આર્કાઇવ URL પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ ડ્રોપડાઉન.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'મૂળ WordPress oEmbed કાર્યક્ષમતાનો ઉપયોગ કરીને વિડિઓઝ, છબીઓ, ટ્વીટ્સ, ઑડિઓ અને અન્ય સામગ્રીને એમ્બેડ કરવા માટે એક ઇન્ટરેક્ટિવ ઘટક.','An input limited to numerical values.'=>'સંખ્યાત્મક મૂલ્યો સુધી મર્યાદિત ઇનપુટ.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'અન્ય ક્ષેત્રોની સાથે સંપાદકોને સંદેશ પ્રદર્શિત કરવા માટે વપરાય છે. તમારા ક્ષેત્રોની આસપાસ વધારાના સંદર્ભ અથવા સૂચનાઓ પ્રદાન કરવા માટે ઉપયોગી.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'તમને વર્ડપ્રેસ મૂળ લિંક પીકરનો ઉપયોગ કરીને લિંક અને તેના ગુણધર્મો જેવા કે શીર્ષક અને લક્ષ્યનો ઉલ્લેખ કરવાની મંજૂરી આપે છે.','Uses the native WordPress media picker to upload, or choose images.'=>'અપલોડ કરવા અથવા છબીઓ પસંદ કરવા માટે મૂળ વર્ડપ્રેસ મીડિયા પીકરનો ઉપયોગ કરે છે.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'ડેટા અને સંપાદન સ્ક્રીનને વધુ સારી રીતે ગોઠવવા માટે જૂથોમાં ક્ષેત્રોને સંરચિત કરવાનો માર્ગ પૂરો પાડે છે.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google નકશાનો ઉપયોગ કરીને સ્થાન પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. યોગ્ય રીતે પ્રદર્શિત કરવા માટે Google Maps API કી અને વધારાના ગોઠવણીની જરૂર છે.','Uses the native WordPress media picker to upload, or choose files.'=>'અપલોડ કરવા અથવા છબીઓ પસંદ કરવા માટે મૂળ વર્ડપ્રેસ મીડિયા પીકરનો ઉપયોગ કરે છે.','A text input specifically designed for storing email addresses.'=>'ખાસ કરીને ઈમેલ એડ્રેસ સ્ટોર કરવા માટે રચાયેલ ટેક્સ્ટ ઇનપુટ.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'તારીખ અને સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. તારીખ રીટર્ન ફોર્મેટ ફીલ્ડ સેટિંગ્સનો ઉપયોગ કરીને કસ્ટમાઇઝ કરી શકાય છે.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. ક્ષેત્ર સેટિંગ્સ ઉપયોગ કરીને સમય ફોર્મેટ કસ્ટમાઇઝ કરી શકાય છે.','An interactive UI for selecting a color, or specifying a Hex value.'=>'રંગ પસંદ કરવા અથવા હેક્સ મૂલ્યનો ઉલ્લેખ કરવા માટે એક ઇન્ટરેક્ટિવ UI.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'ચેકબૉક્સ ઇનપુટ્સનું જૂથ કે જે વપરાશકર્તાને તમે ઉલ્લેખિત કરો છો તે એક અથવા બહુવિધ મૂલ્યો પસંદ કરવાની મંજૂરી આપે છે.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'તમે ઉલ્લેખિત કરેલ મૂલ્યો સાથેના બટનોનું જૂથ, વપરાશકર્તાઓ પ્રદાન કરેલ મૂલ્યોમાંથી એક વિકલ્પ પસંદ કરી શકે છે.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'તમને કન્ટેન્ટ સંપાદિત કરતી વખતે બતાવવામાં આવતી સંકુચિત પેનલ્સમાં કસ્ટમ ફીલ્ડ્સને જૂથ અને ગોઠવવાની મંજૂરી આપે છે. મોટા ડેટાસેટ્સને વ્યવસ્થિત રાખવા માટે ઉપયોગી.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'આ સ્લાઇડ્સ, ટીમના સભ્યો અને કૉલ-ટુ-એક્શન ટાઇલ્સ જેવી સામગ્રીને પુનરાવર્તિત કરવા માટેનો ઉકેલ પૂરો પાડે છે, પેરન્ટ તરીકે કામ કરીને પેટાફિલ્ડના સમૂહ કે જેને વારંવાર પુનરાવર્તિત કરી શકાય છે.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'આ જોડાણોના સંગ્રહનું સંચાલન કરવા માટે એક ઇન્ટરેક્ટિવ ઇન્ટરફેસ પૂરું પાડે છે. મોટાભાગની સેટિંગ્સ ઇમેજ ફીલ્ડના પ્રકાર જેવી જ હોય છે. વધારાની સેટિંગ્સ તમને ગેલેરીમાં નવા જોડાણો ક્યાં ઉમેરવામાં આવે છે અને જોડાણોની ન્યૂનતમ/મહત્તમ સંખ્યાને મંજૂરી આપે છે તેનો ઉલ્લેખ કરવાની મંજૂરી આપે છે.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'આ એક સરળ, સંરચિત, લેઆઉટ-આધારિત સંપાદક પ્રદાન કરે છે. લવચીક સામગ્રી ક્ષેત્ર તમને ઉપલબ્ધ બ્લોક્સ ડિઝાઇન કરવા માટે લેઆઉટ અને સબફિલ્ડનો ઉપયોગ કરીને સંપૂર્ણ નિયંત્રણ સાથે સામગ્રીને વ્યાખ્યાયિત કરવા, બનાવવા અને સંચાલિત કરવાની મંજૂરી આપે છે.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'આ તમને વર્તમાન ક્ષેત્રોને પસંદ કરવા અને પ્રદર્શિત કરવાની મંજૂરી આપે છે. તે ડેટાબેઝમાં કોઈપણ ફીલ્ડની નકલ કરતું નથી, પરંતુ રન-ટાઇમ પર પસંદ કરેલ ફીલ્ડ્સને લોડ કરે છે અને પ્રદર્શિત કરે છે. ક્લોન ફીલ્ડ કાં તો પોતાને પસંદ કરેલ ફીલ્ડ્સ સાથે બદલી શકે છે અથવા પસંદ કરેલ ફીલ્ડ્સને સબફિલ્ડના જૂથ તરીકે પ્રદર્શિત કરી શકે છે.','nounClone'=>'ક્લોન','PRO'=>'પ્રો','Advanced'=>'અદ્યતન','JSON (newer)'=>'JSON (નવું)','Original'=>'અસલ','Invalid post ID.'=>'અમાન્ય પોસ્ટ આઈડી.','Invalid post type selected for review.'=>'સમીક્ષા માટે અમાન્ય પોસ્ટ પ્રકાર પસંદ કર્યો.','More'=>'વધુ','Tutorial'=>'ટ્યુટોરીયલ','Select Field'=>'ક્ષેત્ર પસંદ કરો','Try a different search term or browse %s'=>'એક અલગ શોધ શબ્દ અજમાવો અથવા %s બ્રાઉઝ કરો','Popular fields'=>'લોકપ્રિય ક્ષેત્રો','No search results for \'%s\''=>'\'%s\' માટે કોઈ શોધ પરિણામો નથી','Search fields...'=>'ફીલ્ડ્સ શોધો...','Select Field Type'=>'ક્ષેત્ર પ્રકાર પસંદ કરો','Popular'=>'પ્રખ્યાત','Add Taxonomy'=>'વર્ગીકરણ ઉમેરો','Create custom taxonomies to classify post type content'=>'પોસ્ટ પ્રકારની સામગ્રીને વર્ગીકૃત કરવા માટે કસ્ટમ વર્ગીકરણ બનાવો','Add Your First Taxonomy'=>'તમારી પ્રથમ વર્ગીકરણ ઉમેરો','Hierarchical taxonomies can have descendants (like categories).'=>'અધિક્રમિક વર્ગીકરણમાં વંશજો હોઈ શકે છે (જેમ કે શ્રેણીઓ).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'અગ્રભાગ પર અને એડમિન ડેશબોર્ડમાં વર્ગીકરણ દૃશ્યમાન બનાવે છે.','One or many post types that can be classified with this taxonomy.'=>'આ વર્ગીકરણ સાથે વર્ગીકૃત કરી શકાય તેવા એક અથવા ઘણા પોસ્ટ પ્રકારો.','genre'=>'શૈલી','Genre'=>'શૈલી','Genres'=>'શૈલીઓ','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'`WP_REST_Terms_Controller` ને બદલે વાપરવા માટે વૈકલ્પિક કસ્ટમ નિયંત્રક.','Expose this post type in the REST API.'=>'REST API માં આ પોસ્ટ પ્રકારનો પર્દાફાશ કરો.','Customize the query variable name'=>'ક્વેરી વેરીએબલ નામને કસ્ટમાઇઝ કરો','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'બિન-સુંદર પરમાલિંકનો ઉપયોગ કરીને શરતોને ઍક્સેસ કરી શકાય છે, દા.ત., {query_var}={term_slug}.','Permalinks for this taxonomy are disabled.'=>'આ વર્ગીકરણ માટે પરમાલિંક્સ અક્ષમ છે.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'સ્લગ તરીકે વર્ગીકરણ કીનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','Taxonomy Key'=>'વર્ગીકરણ કી','Select the type of permalink to use for this taxonomy.'=>'આ વર્ગીકરણ માટે વાપરવા માટે પરમાલિંકનો પ્રકાર પસંદ કરો.','Display a column for the taxonomy on post type listing screens.'=>'પોસ્ટ ટાઇપ લિસ્ટિંગ સ્ક્રીન પર વર્ગીકરણ માટે કૉલમ પ્રદર્શિત કરો.','Show Admin Column'=>'એડમિન કૉલમ બતાવો','Show the taxonomy in the quick/bulk edit panel.'=>'ઝડપી/બલ્ક સંપાદન પેનલમાં વર્ગીકરણ બતાવો.','Quick Edit'=>'ઝડપી સંપાદન','List the taxonomy in the Tag Cloud Widget controls.'=>'ટેગ ક્લાઉડ વિજેટ નિયંત્રણોમાં વર્ગીકરણની સૂચિ બનાવો.','Tag Cloud'=>'ટૅગ ક્લાઉડ','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'મેટા બૉક્સમાંથી સાચવેલા વર્ગીકરણ ડેટાને સેનિટાઇઝ કરવા માટે કૉલ કરવા માટે PHP ફંક્શન નામ.','Meta Box Sanitization Callback'=>'મેટા બોક્સ સેનિટાઈઝેશન કોલબેક','Register Meta Box Callback'=>'મેટા બોક્સ કોલબેક રજીસ્ટર કરો','No Meta Box'=>'કોઈ મેટા બોક્સ નથી','Custom Meta Box'=>'કસ્ટમ મેટા બોક્સ','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'સામગ્રી સંપાદક સ્ક્રીન પરના મેટા બોક્સને નિયંત્રિત કરે છે. મૂળભૂત રીતે, શ્રેણીઓ મેટા બોક્સ અધિક્રમિક વર્ગીકરણ માટે બતાવવામાં આવે છે, અને ટૅગ્સ મેટા બૉક્સ બિન-હાયરાર્કિકલ વર્ગીકરણ માટે બતાવવામાં આવે છે.','Meta Box'=>'મેટા બોક્સ','Categories Meta Box'=>'શ્રેણીઓ મેટા બોક્સ','Tags Meta Box'=>'ટૅગ્સ મેટા બોક્સ','A link to a tag'=>'ટેગની લિંક','Describes a navigation link block variation used in the block editor.'=>'બ્લોક એડિટરમાં વપરાતી નેવિગેશન લિંક બ્લોક ભિન્નતાનું વર્ણન કરે છે.','A link to a %s'=>'%s ની લિંક','Tag Link'=>'ટૅગ લિંક','Assigns a title for navigation link block variation used in the block editor.'=>'બ્લોક એડિટરમાં વપરાતી નેવિગેશન લિંક બ્લોક ભિન્નતાનું વર્ણન કરે છે.','← Go to tags'=>'← ટૅગ્સ પર જાઓ','Assigns the text used to link back to the main index after updating a term.'=>'શબ્દને અપડેટ કર્યા પછી મુખ્ય અનુક્રમણિકા સાથે પાછા લિંક કરવા માટે વપરાયેલ ટેક્સ્ટને સોંપે છે.','Back To Items'=>'આઇટમ્સ પર પાછા ફરો','← Go to %s'=>'← %s પર જાઓ','Tags list'=>'ટૅગ્સની સૂચિ','Assigns text to the table hidden heading.'=>'કોષ્ટક છુપાયેલા મથાળાને ટેક્સ્ટ અસાઇન કરે છે.','Tags list navigation'=>'ટૅગ્સ સૂચિ નેવિગેશન','Assigns text to the table pagination hidden heading.'=>'કોષ્ટક પૃષ્ઠ ક્રમાંકન છુપાયેલા મથાળાને ટેક્સ્ટ અસાઇન કરે છે.','Filter by category'=>'શ્રેણી દ્વારા ફિલ્ટર કરો','Assigns text to the filter button in the posts lists table.'=>'પોસ્ટ લિસ્ટ ટેબલમાં ફિલ્ટર બટન પર ટેક્સ્ટ અસાઇન કરે છે.','Filter By Item'=>'આઇટમ દ્વારા ફિલ્ટર કરો','Filter by %s'=>'%s દ્વારા ફિલ્ટર કરો','The description is not prominent by default; however, some themes may show it.'=>'આ વર્ણન મૂળભૂત રીતે જાણીતું નથી; તેમ છતાં, કોઈક થિમમા કદાચ દેખાય.','Describes the Description field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર પેરેન્ટ ફીલ્ડનું વર્ણન કરે છે.','Description Field Description'=>'વર્ણન ક્ષેત્રનું વર્ણન','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'અધિક્રમ(hierarchy) બનાવવા માટે એક પેરન્ટ ટર્મ સોંપો. ઉદાહરણ તરીકે જાઝ ટર્મ, બેબોપ અને બિગ બેન્ડની પેરન્ટ હશે.','Describes the Parent field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર પેરેન્ટ ફીલ્ડનું વર્ણન કરે છે.','Parent Field Description'=>'પિતૃ ક્ષેત્રનું વર્ણન','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"સ્લગ" એ નામનું URL-મૈત્રીપૂર્ણ સંસ્કરણ છે. તે સામાન્ય રીતે બધા લોઅરકેસ હોય છે અને તેમાં માત્ર અક્ષરો, સંખ્યાઓ અને હાઇફન્સ હોય છે.','Describes the Slug field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર નામ ફીલ્ડનું વર્ણન કરે છે.','Slug Field Description'=>'નામ ક્ષેત્ર વર્ણન','The name is how it appears on your site'=>'નામ જે તમારી સાઇટ પર દેખાશે.','Describes the Name field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર નામ ફીલ્ડનું વર્ણન કરે છે.','Name Field Description'=>'નામ ક્ષેત્ર વર્ણન','No tags'=>'ટૅગ્સ નથી','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'જ્યારે કોઈ ટૅગ્સ અથવા કૅટેગરીઝ ઉપલબ્ધ ન હોય ત્યારે પોસ્ટ્સ અને મીડિયા સૂચિ કોષ્ટકોમાં પ્રદર્શિત ટેક્સ્ટને અસાઇન કરે છે.','No Terms'=>'કોઈ શરતો નથી','No %s'=>'ના %s','No tags found'=>'કોઈ ટેગ મળ્યા નથી','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'જ્યારે કોઈ ટૅગ્સ ઉપલબ્ધ ન હોય ત્યારે વર્ગીકરણ મેટા બૉક્સમાં \'સૌથી વધુ વપરાયેલામાંથી પસંદ કરો\' ટેક્સ્ટને ક્લિક કરતી વખતે પ્રદર્શિત ટેક્સ્ટને અસાઇન કરે છે અને જ્યારે વર્ગીકરણ માટે કોઈ આઇટમ ન હોય ત્યારે ટર્મ્સ લિસ્ટ કોષ્ટકમાં વપરાયેલ ટેક્સ્ટને અસાઇન કરે છે.','Not Found'=>'મળ્યું નથી','Assigns text to the Title field of the Most Used tab.'=>'સૌથી વધુ ઉપયોગમાં લેવાતી ટેબના શીર્ષક ક્ષેત્રમાં ટેક્સ્ટ અસાઇન કરે છે.','Most Used'=>'સૌથી વધુ વપરાયેલ','Choose from the most used tags'=>'સૌથી વધુ ઉપયોગ થયેલ ટૅગ્સ માંથી પસંદ કરો','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'જ્યારે JavaScript અક્ષમ હોય ત્યારે મેટા બૉક્સમાં વપરાયેલ \'સૌથી વધુ ઉપયોગમાંથી પસંદ કરો\' ટેક્સ્ટને અસાઇન કરે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે.','Choose From Most Used'=>'સૌથી વધુ વપરાયેલમાંથી પસંદ કરો','Choose from the most used %s'=>'%s સૌથી વધુ ઉપયોગ થયેલ ટૅગ્સ માંથી પસંદ કરો','Add or remove tags'=>'ટૅગ્સ ઉમેરો અથવા દૂર કરો','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'જ્યારે JavaScript અક્ષમ હોય ત્યારે મેટા બૉક્સમાં ઉપયોગમાં લેવાતી આઇટમ્સ ઉમેરો અથવા દૂર કરો ટેક્સ્ટને સોંપે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે','Add Or Remove Items'=>'વસ્તુઓ ઉમેરો અથવા દૂર કરો','Add or remove %s'=>'%s ઉમેરો અથવા દૂર કરો','Separate tags with commas'=>'અલ્પવિરામથી ટૅગ્સ અલગ કરો','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'વર્ગીકરણ મેટા બોક્સમાં વપરાયેલ અલ્પવિરામ ટેક્સ્ટ સાથે અલગ આઇટમ સોંપે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે.','Separate Items With Commas'=>'અલ્પવિરામથી ટૅગ્સ અલગ કરો','Separate %s with commas'=>'અલ્પવિરામથી %s ને અલગ કરો','Popular Tags'=>'લોકપ્રિય ટૅગ્સ','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'લોકપ્રિય આઇટમ ટેક્સ્ટ અસાઇન કરે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ માટે વપરાય છે.','Popular Items'=>'લોકપ્રિય વસ્તુઓ','Popular %s'=>'લોકપ્રિય %s','Search Tags'=>'ટૅગ્સ શોધો','Assigns search items text.'=>'શોધ આઇટમ ટેક્સ્ટ સોંપે છે.','Parent Category:'=>'પિતૃ શ્રેણી:','Assigns parent item text, but with a colon (:) added to the end.'=>'પેરેન્ટ આઇટમ ટેક્સ્ટ અસાઇન કરે છે, પરંતુ અંતમાં કોલોન (:) સાથે ઉમેરવામાં આવે છે.','Parent Item With Colon'=>'કોલોન સાથે પિતૃ શ્રેણી','Parent Category'=>'પિતૃ શ્રેણી','Assigns parent item text. Only used on hierarchical taxonomies.'=>'પેરેન્ટ આઇટમ ટેક્સ્ટ અસાઇન કરે છે. માત્ર અધિક્રમિક વર્ગીકરણ પર વપરાય છે.','Parent Item'=>'પિતૃ વસ્તુ','Parent %s'=>'પેરન્ટ %s','New Tag Name'=>'નવા ટેગ નું નામ','Assigns the new item name text.'=>'નવી આઇટમ નામનો ટેક્સ્ટ અસાઇન કરે છે.','New Item Name'=>'નવી આઇટમનું નામ','New %s Name'=>'નવું %s નામ','Add New Tag'=>'નવું ટેગ ઉમેરો','Assigns the add new item text.'=>'નવી આઇટમ ઉમેરો ટેક્સ્ટ સોંપે છે.','Update Tag'=>'અદ્યતન ટેગ','Assigns the update item text.'=>'અપડેટ આઇટમ ટેક્સ્ટ સોંપે છે.','Update Item'=>'આઇટમ અપડેટ કરો','Update %s'=>'%s અપડેટ કરો','View Tag'=>'ટેગ જુઓ','In the admin bar to view term during editing.'=>'સંપાદન દરમિયાન શબ્દ જોવા માટે એડમિન બારમાં.','Edit Tag'=>'ટેગ માં ફેરફાર કરો','At the top of the editor screen when editing a term.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','All Tags'=>'બધા ટૅગ્સ','Assigns the all items text.'=>'બધી આઇટમ ટેક્સ્ટ અસાઇન કરે છે.','Assigns the menu name text.'=>'મેનુ નામ લખાણ સોંપે છે.','Menu Label'=>'મેનુ લેબલ','Active taxonomies are enabled and registered with WordPress.'=>'સક્રિય વર્ગીકરણ વર્ડપ્રેસ સાથે સક્ષમ અને નોંધાયેલ છે.','A descriptive summary of the taxonomy.'=>'વર્ગીકરણનો વર્ણનાત્મક સારાંશ.','A descriptive summary of the term.'=>'શબ્દનો વર્ણનાત્મક સારાંશ.','Term Description'=>'ટર્મ વર્ણન','Single word, no spaces. Underscores and dashes allowed.'=>'એક શબ્દ, કોઈ જગ્યા નથી. અન્ડરસ્કોર અને ડેશની મંજૂરી છે.','Term Slug'=>'ટર્મ સ્લગ','The name of the default term.'=>'મૂળભૂત શબ્દનું નામ.','Term Name'=>'ટર્મ નામ','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'વર્ગીકરણ માટે એક શબ્દ બનાવો કે જેને કાઢી ન શકાય. તે મૂળભૂત રીતે પોસ્ટ્સ માટે પસંદ કરવામાં આવશે નહીં.','Default Term'=>'ડિફૉલ્ટ ટર્મ','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'શું આ વર્ગીકરણની શરતો `wp_set_object_terms()` ને પ્રદાન કરવામાં આવી છે તે ક્રમમાં સૉર્ટ કરવી જોઈએ.','Sort Terms'=>'સૉર્ટ શરતો','Add Post Type'=>'નવો પોસ્ટ પ્રકાર','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'વર્ડપ્રેસની કાર્યક્ષમતાને કસ્ટમ પોસ્ટ પ્રકારો સાથે પ્રમાણભૂત પોસ્ટ્સ અને પૃષ્ઠોથી આગળ વિસ્તૃત કરો','Add Your First Post Type'=>'તમારો પ્રથમ પોસ્ટ પ્રકાર ઉમેરો','I know what I\'m doing, show me all the options.'=>'હું જાણું છું કે હું શું કરી રહ્યો છું, મને બધા વિકલ્પો બતાવો.','Advanced Configuration'=>'અદ્યતન રૂપરેખાંકન','Hierarchical post types can have descendants (like pages).'=>'અધિક્રમિક વર્ગીકરણમાં વંશજો હોઈ શકે છે (જેમ કે શ્રેણીઓ).','Hierarchical'=>'વંશવેલો','Visible on the frontend and in the admin dashboard.'=>'અગ્રભાગ પર અને એડમિન ડેશબોર્ડમાં દૃશ્યમાન.','Public'=>'પબ્લિક','movie'=>'ફિલ્મ','Lower case letters, underscores and dashes only, Max 20 characters.'=>'લોઅર કેસ અક્ષરો, માત્ર અન્ડરસ્કોર અને ડૅશ, મહત્તમ ૨૦ અક્ષરો.','Movie'=>'ફિલ્મ','Singular Label'=>'એકવચન નામ','Movies'=>'મૂવીઝ','Plural Label'=>'બહુવચન નામ','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` ને બદલે વાપરવા માટે વૈકલ્પિક કસ્ટમ નિયંત્રક.','Controller Class'=>'નિયંત્રક વર્ગ','The namespace part of the REST API URL.'=>'REST API URL નો નેમસ્પેસ ભાગ.','Namespace Route'=>'નેમસ્પેસ રૂટ','The base URL for the post type REST API URLs.'=>'પોસ્ટ પ્રકાર REST API URL માટે આધાર URL.','Base URL'=>'આધાર URL','Exposes this post type in the REST API. Required to use the block editor.'=>'REST API માં આ પોસ્ટ પ્રકારનો પર્દાફાશ કરે છે. બ્લોક એડિટરનો ઉપયોગ કરવા માટે જરૂરી છે.','Show In REST API'=>'REST API માં બતાવો','Customize the query variable name.'=>'ક્વેરી વેરીએબલ નામને કસ્ટમાઇઝ કરો','Query Variable'=>'ક્વેરી વેરીએબલ','No Query Variable Support'=>'કોઈ ક્વેરી વેરીએબલ સપોર્ટ નથી','Custom Query Variable'=>'કસ્ટમ ક્વેરી વેરીએબલ','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'બિન-સુંદર પરમાલિંકનો ઉપયોગ કરીને શરતોને ઍક્સેસ કરી શકાય છે, દા.ત., {query_var}={term_slug}.','Query Variable Support'=>'વેરીએબલ સપોર્ટ ક્વેરી','URLs for an item and items can be accessed with a query string.'=>'આઇટમ અને આઇટમ્સ માટેના URL ને ક્વેરી સ્ટ્રિંગ વડે એક્સેસ કરી શકાય છે.','Publicly Queryable'=>'સાર્વજનિક રૂપે પૂછવા યોગ્ય','Has an item archive that can be customized with an archive template file in your theme.'=>'તમારી થીમમાં આર્કાઇવ ટેમ્પલેટ ફાઇલ સાથે કસ્ટમાઇઝ કરી શકાય તેવી આઇટમ આર્કાઇવ ધરાવે છે.','Archive'=>'આર્કાઇવ્સ','Pagination support for the items URLs such as the archives.'=>'આર્કાઇવ્સ જેવી વસ્તુઓ URL માટે પૃષ્ઠ ક્રમાંકન સપોર્ટ.','Pagination'=>'પૃષ્ઠ ક્રમાંકન','RSS feed URL for the post type items.'=>'પોસ્ટ પ્રકારની વસ્તુઓ માટે RSS ફીડ URL.','Feed URL'=>'ફીડ URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'URL માં `WP_Rwrite::$front` ઉપસર્ગ ઉમેરવા માટે પરમાલિંક માળખું બદલે છે.','Front URL Prefix'=>'ફ્રન્ટ URL ઉપસર્ગ','URL Slug'=>'URL સ્લગ','Permalinks for this post type are disabled.'=>'આ વર્ગીકરણ માટે પરમાલિંક્સ અક્ષમ છે.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'નીચેના ઇનપુટમાં વ્યાખ્યાયિત કસ્ટમ સ્લગનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','No Permalink (prevent URL rewriting)'=>'કોઈ પરમાલિંક નથી (URL પુનઃલેખન અટકાવો)','Custom Permalink'=>'કસ્ટમ પરમાલિંક','Post Type Key'=>'પોસ્ટ પ્રકાર કી','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'સ્લગ તરીકે વર્ગીકરણ કીનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','Permalink Rewrite'=>'પરમાલિંક ફરીથી લખો','Delete items by a user when that user is deleted.'=>'જ્યારે તે વપરાશકર્તા કાઢી નાખવામાં આવે ત્યારે વપરાશકર્તા દ્વારા આઇટમ્સ કાઢી નાખો.','Delete With User'=>'વપરાશકર્તા સાથે કાઢી નાખો','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'પોસ્ટ પ્રકારને \'ટૂલ્સ\' > \'નિકાસ\'માંથી નિકાસ કરવાની મંજૂરી આપો.','Can Export'=>'નિકાસ કરી શકે છે','Optionally provide a plural to be used in capabilities.'=>'વૈકલ્પિક રીતે ક્ષમતાઓમાં ઉપયોગમાં લેવા માટે બહુવચન પ્રદાન કરો.','Plural Capability Name'=>'બહુવચન ક્ષમતા નામ','Choose another post type to base the capabilities for this post type.'=>'આ પોસ્ટ પ્રકાર માટેની ક્ષમતાઓને આધાર આપવા માટે અન્ય પોસ્ટ પ્રકાર પસંદ કરો.','Singular Capability Name'=>'એકવચન ક્ષમતા નામ','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'મૂળભૂત રીતે પોસ્ટ પ્રકારની ક્ષમતાઓ \'પોસ્ટ\' ક્ષમતાના નામોને વારસામાં મેળવશે, દા.ત. એડિટ_પોસ્ટ, ડિલીટ_પોસ્ટ. પોસ્ટ પ્રકારની વિશિષ્ટ ક્ષમતાઓનો ઉપયોગ કરવા સક્ષમ કરો, દા.ત. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'ક્ષમતાઓનું નામ બદલો','Exclude From Search'=>'શોધમાંથી બાકાત રાખો','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'આઇટમ્સને \'દેખાવ\' > \'મેનૂઝ\' સ્ક્રીનમાં મેનૂમાં ઉમેરવાની મંજૂરી આપો. \'સ્ક્રીન વિકલ્પો\'માં ચાલુ કરવું આવશ્યક છે.','Appearance Menus Support'=>'દેખાવ મેનુ આધાર','Appears as an item in the \'New\' menu in the admin bar.'=>'એડમિન બારમાં \'નવા\' મેનૂમાં આઇટમ તરીકે દેખાય છે.','Show In Admin Bar'=>'એડમિન બારમાં બતાવો','Custom Meta Box Callback'=>'કસ્ટમ મેટા બોક્સ કોલબેક','Menu Icon'=>'મેનુ આયકન','The position in the sidebar menu in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં સાઇડબાર મેનૂમાં સ્થિતિ.','Menu Position'=>'મેનુ સ્થિતિ','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'ડિફૉલ્ટ રૂપે પોસ્ટના પ્રકારને એડમિન મેનૂમાં નવી ટોચની આઇટમ મળશે. જો હાલની ટોચની આઇટમ અહીં પૂરી પાડવામાં આવે છે, તો પોસ્ટનો પ્રકાર તેની હેઠળ સબમેનુ આઇટમ તરીકે ઉમેરવામાં આવશે.','Admin Menu Parent'=>'એડમિન મેનુ પેરન્ટ','Admin editor navigation in the sidebar menu.'=>'સાઇડબાર મેનૂમાં એડમિન એડિટર નેવિગેશન.','Show In Admin Menu'=>'એડમિન મેનુમાં બતાવો','Items can be edited and managed in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં વસ્તુઓને સંપાદિત અને સંચાલિત કરી શકાય છે.','Show In UI'=>'UI માં બતાવો','A link to a post.'=>'પોસ્ટની લિંક.','Description for a navigation link block variation.'=>'નેવિગેશન લિંક બ્લોક વિવિધતા માટે વર્ણન.','Item Link Description'=>'આઇટમ લિંક વર્ણન','A link to a %s.'=>'%s ની લિંક.','Post Link'=>'પોસ્ટ લિંક','Title for a navigation link block variation.'=>'નેવિગેશન લિંક બ્લોક વિવિધતા માટે શીર્ષક.','Item Link'=>'આઇટમ લિંક','%s Link'=>'%s લિંક','Post updated.'=>'પોસ્ટ અપડેટ થઇ ગઈ છે.','In the editor notice after an item is updated.'=>'આઇટમ અપડેટ થયા પછી એડિટર નોટિસમાં.','Item Updated'=>'આઈટમ અપડેટેડ.','%s updated.'=>'%s અપડેટ થઇ ગયું!','Post scheduled.'=>'સુનિશ્ચિત પોસ્ટ.','In the editor notice after scheduling an item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Scheduled'=>'આઇટમ સુનિશ્ચિત','%s scheduled.'=>'%s શેડ્યૂલ.','Post reverted to draft.'=>'પોસ્ટ ડ્રાફ્ટમાં પાછું ફેરવ્યું.','In the editor notice after reverting an item to draft.'=>'આઇટમને ડ્રાફ્ટમાં પાછી ફેરવ્યા પછી સંપાદક સૂચનામાં.','Item Reverted To Draft'=>'આઇટમ ડ્રાફ્ટમાં પાછી ફેરવાઈ','%s reverted to draft.'=>'%s ડ્રાફ્ટમાં પાછું ફર્યું.','Post published privately.'=>'પોસ્ટ ખાનગી રીતે પ્રકાશિત.','In the editor notice after publishing a private item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Published Privately'=>'આઇટમ ખાનગી રીતે પ્રકાશિત','%s published privately.'=>'%s ખાનગી રીતે પ્રકાશિત.','Post published.'=>'પોસ્ટ પ્રકાશિત થઇ ગઈ છે.','In the editor notice after publishing an item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Published'=>'આઇટમ પ્રકાશિત','%s published.'=>'%s પ્રકાશિત.','Posts list'=>'પોસ્ટ્સ યાદી','Used by screen readers for the items list on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Items List'=>'આઇટ્મસ યાદી','%s list'=>'%s યાદી','Posts list navigation'=>'પોસ્ટ્સ સંશોધક માટે ની યાદી','Used by screen readers for the filter list pagination on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Items List Navigation'=>'વસ્તુઓની યાદી સંશોધક','%s list navigation'=>'%s ટૅગ્સ યાદી નેવિગેશન','Filter posts by date'=>'તારીખ દ્વારા પોસ્ટ્સ ફિલ્ટર કરો','Used by screen readers for the filter by date heading on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પર તારીખ દ્વારા ફિલ્ટર માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Filter Items By Date'=>'તારીખ દ્વારા આઇટમ્સ ફિલ્ટર કરો','Filter %s by date'=>'તારીખ દ્વારા %s ફિલ્ટર કરો','Filter posts list'=>'પોસ્ટની સૂચિ ને ફિલ્ટર કરો','Used by screen readers for the filter links heading on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Filter Items List'=>'વસ્તુઓ ની યાદી ફિલ્ટર કરો','Filter %s list'=>'%s સૂચિને ફિલ્ટર કરો','In the media modal showing all media uploaded to this item.'=>'મીડિયા મોડલમાં આ આઇટમ પર અપલોડ કરેલ તમામ મીડિયા દર્શાવે છે.','Uploaded To This Item'=>'આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','Uploaded to this %s'=>'%s આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','Insert into post'=>'પોસ્ટ માં સામેલ કરો','As the button label when adding media to content.'=>'સામગ્રીમાં મીડિયા ઉમેરતી વખતે બટન લેબલ તરીકે.','Insert Into Media Button'=>'મીડિયા બટનમાં દાખલ કરો','Insert into %s'=>'%s માં દાખલ કરો','Use as featured image'=>'વૈશિષ્ટિકૃત છબી તરીકે ઉપયોગ કરો','As the button label for selecting to use an image as the featured image.'=>'વૈશિષ્ટિકૃત છબી તરીકે છબીનો ઉપયોગ કરવા માટે પસંદ કરવા માટેના બટન લેબલ તરીકે.','Use Featured Image'=>'વૈશિષ્ટિકૃત છબીનો ઉપયોગ કરો','Remove featured image'=>'વૈશિષ્ટિકૃત છબી દૂર કરો','As the button label when removing the featured image.'=>'ફીચર્ડ ઈમેજ દૂર કરતી વખતે બટન લેબલ તરીકે.','Remove Featured Image'=>'વિશેષ ચિત્ર દૂર કરો','Set featured image'=>'ફીચર્ડ ચિત્ર સેટ કરો','As the button label when setting the featured image.'=>'ફીચર્ડ ઈમેજ સેટ કરતી વખતે બટન લેબલ તરીકે.','Set Featured Image'=>'ફીચર્ડ છબી સેટ કરો','Featured image'=>'વૈશિષ્ટિકૃત છબી','In the editor used for the title of the featured image meta box.'=>'ફીચર્ડ ઈમેજ મેટા બોક્સના શીર્ષક માટે ઉપયોગમાં લેવાતા એડિટરમાં.','Featured Image Meta Box'=>'ફીચર્ડ ઇમેજ મેટા બોક્સ','Post Attributes'=>'પોસ્ટ લક્ષણો','In the editor used for the title of the post attributes meta box.'=>'પોસ્ટ એટ્રીબ્યુટ્સ મેટા બોક્સના શીર્ષક માટે ઉપયોગમાં લેવાતા એડિટરમાં.','Attributes Meta Box'=>'લક્ષણો મેટા બોક્સ','%s Attributes'=>'%s પોસ્ટ લક્ષણો','Post Archives'=>'કાર્ય આર્કાઇવ્ઝ','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'આ લેબલ સાથે \'પોસ્ટ ટાઇપ આર્કાઇવ\' આઇટમ્સને આર્કાઇવ્સ સક્ષમ સાથે CPTમાં અસ્તિત્વમાંના મેનૂમાં આઇટમ ઉમેરતી વખતે બતાવવામાં આવેલી પોસ્ટ્સની સૂચિમાં ઉમેરે છે. જ્યારે \'લાઈવ પ્રીવ્યૂ\' મોડમાં મેનુ સંપાદિત કરવામાં આવે ત્યારે જ દેખાય છે અને કસ્ટમ આર્કાઈવ સ્લગ પ્રદાન કરવામાં આવે છે.','Archives Nav Menu'=>'આર્કાઇવ્સ નેવ મેનુ','%s Archives'=>'%s આર્કાઇવ્સ','No posts found in Trash'=>'ટ્રેશમાં કોઈ પોસ્ટ્સ મળી નથી','At the top of the post type list screen when there are no posts in the trash.'=>'જ્યારે ટ્રેશમાં કોઈ પોસ્ટ ન હોય ત્યારે પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીનની ટોચ પર.','No Items Found in Trash'=>'ટ્રેશમાં કોઈ આઇટમ્સ મળી નથી','No %s found in Trash'=>'ટ્રેશમાં કોઈ %s મળ્યું નથી','No posts found'=>'કોઈ પોસ્ટ મળી નથી','At the top of the post type list screen when there are no posts to display.'=>'જ્યારે પ્રદર્શિત કરવા માટે કોઈ પોસ્ટ્સ ન હોય ત્યારે પોસ્ટ ટાઇપ સૂચિ સ્ક્રીનની ટોચ પર.','No Items Found'=>'કોઈ આઇટમ્સ મળી નથી','No %s found'=>'કોઈ %s મળ્યું નથી','Search Posts'=>'પોસ્ટ્સ શોધો','At the top of the items screen when searching for an item.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','Search Items'=>'આઇટમ્સ શોધો','Search %s'=>'%s શોધો','Parent Page:'=>'પિતૃ પૃષ્ઠ:','For hierarchical types in the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીનમાં અધિક્રમિક પ્રકારો માટે.','Parent %s:'=>'પેરન્ટ %s','New Post'=>'નવી પોસ્ટ','New Item'=>'નવી આઇટમ','New %s'=>'નવું %s','Add New Post'=>'નવી પોસ્ટ ઉમેરો','At the top of the editor screen when adding a new item.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','Add New Item'=>'નવી આઇટમ ઉમેરો','Add New %s'=>'નવું %s ઉમેરો','View Posts'=>'પોસ્ટ્સ જુઓ','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'પેરેન્ટ આઇટમ \'બધી પોસ્ટ્સ\' વ્યુમાં એડમિન બારમાં દેખાય છે, જો પોસ્ટ પ્રકાર આર્કાઇવ્સને સપોર્ટ કરે છે અને હોમ પેજ તે પોસ્ટ પ્રકારનું આર્કાઇવ નથી.','View Items'=>'આઇટમ જુઓ','View Post'=>'પોસ્ટ જુઓ','In the admin bar to view item when editing it.'=>'આઇટમમાં ફેરફાર કરતી વખતે તેને જોવા માટે એડમિન બારમાં.','View Item'=>'આઇટમ જુઓ','View %s'=>'%s જુઓ','Edit Post'=>'પોસ્ટ સુધારો','At the top of the editor screen when editing an item.'=>'આઇટમ સંપાદિત કરતી વખતે એડિટર સ્ક્રીનની ટોચ પર.','Edit Item'=>'આઇટમ સંપાદિત કરો','Edit %s'=>'%s સંપાદિત કરો','All Posts'=>'બધા પોસ્ટ્સ','In the post type submenu in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં પોસ્ટ ટાઇપ સબમેનુમાં.','All Items'=>'બધી વસ્તુઓ','All %s'=>'બધા %s','Admin menu name for the post type.'=>'પોસ્ટ પ્રકાર માટે એડમિન મેનુ નામ.','Menu Name'=>'મેનુ નુ નામ','Regenerate all labels using the Singular and Plural labels'=>'એકવચન અને બહુવચન લેબલ્સનો ઉપયોગ કરીને બધા લેબલ્સ ફરીથી બનાવો','Regenerate'=>'પુનઃસર્જન કરો','Active post types are enabled and registered with WordPress.'=>'સક્રિય પોસ્ટ પ્રકારો સક્ષમ અને વર્ડપ્રેસ સાથે નોંધાયેલ છે.','Enable various features in the content editor.'=>'સામગ્રી સંપાદકમાં વિવિધ સુવિધાઓને સક્ષમ કરો.','Post Formats'=>'પોસ્ટ ફોર્મેટ્સ','Editor'=>'સંપાદક','Trackbacks'=>'ટ્રેકબેક્સ','Select existing taxonomies to classify items of the post type.'=>'પોસ્ટ પ્રકારની વસ્તુઓનું વર્ગીકરણ કરવા માટે વર્તમાન વર્ગીકરણ પસંદ કરો.','Browse Fields'=>'ક્ષેત્રો બ્રાઉઝ કરો','Nothing to import'=>'આયાત કરવા માટે કંઈ નથી','. The Custom Post Type UI plugin can be deactivated.'=>'. કસ્ટમ પોસ્ટ પ્રકાર UI પ્લગઇન નિષ્ક્રિય કરી શકાય છે.','Imported %d item from Custom Post Type UI -'=>'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી %d આઇટમ આયાત કરી -' . "\0" . 'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી %d આઇટમ આયાત કરી -','Failed to import taxonomies.'=>'વર્ગીકરણ આયાત કરવામાં નિષ્ફળ.','Failed to import post types.'=>'પોસ્ટ પ્રકારો આયાત કરવામાં નિષ્ફળ.','Nothing from Custom Post Type UI plugin selected for import.'=>'કસ્ટમ પોસ્ટ પ્રકાર UI પ્લગઇનમાંથી કંઈપણ આયાત માટે પસંદ કરેલ નથી.','Imported 1 item'=>'1 આઇટમ આયાત કરી' . "\0" . '%s આઇટમ આયાત કરી','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'પહેલાથી જ અસ્તિત્વમાં છે તે જ કી સાથે પોસ્ટ પ્રકાર અથવા વર્ગીકરણ આયાત કરવાથી વર્તમાન પોસ્ટ પ્રકાર અથવા વર્ગીકરણની સેટિંગ્સ આયાતની સાથે ઓવરરાઈટ થઈ જશે.','Import from Custom Post Type UI'=>'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી આયાત કરો','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'નીચેના કોડનો ઉપયોગ પસંદ કરેલી વસ્તુઓના સ્થાનિક સંસ્કરણની નોંધણી કરવા માટે થઈ શકે છે. સ્થાનિક રીતે ફીલ્ડ જૂથો, પોસ્ટ પ્રકારો અથવા વર્ગીકરણને સંગ્રહિત કરવાથી ઝડપી લોડ ટાઈમ, વર્ઝન કંટ્રોલ અને ડાયનેમિક ફીલ્ડ્સ/સેટિંગ્સ જેવા ઘણા ફાયદા મળી શકે છે. ફક્ત નીચેના કોડને તમારી થીમની functions.php ફાઇલમાં કોપી અને પેસ્ટ કરો અથવા તેને બાહ્ય ફાઇલમાં સમાવિષ્ટ કરો, પછી ACF એડમિન તરફથી આઇટમ્સને નિષ્ક્રિય કરો અથવા કાઢી નાખો.','Export - Generate PHP'=>'નિકાસ - PHP જનરેટ કરો','Export'=>'નિકાસ કરો','Category'=>'વર્ગ','Tag'=>'ટૅગ','Taxonomy submitted.'=>'વર્ગીકરણ સબમિટ કર્યું.','Taxonomy saved.'=>'વર્ગીકરણ સાચવ્યું.','Taxonomy deleted.'=>'વર્ગીકરણ કાઢી નાખ્યું.','Taxonomy updated.'=>'વર્ગીકરણ અપડેટ કર્યું.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'આ વર્ગીકરણ રજીસ્ટર થઈ શક્યું નથી કારણ કે તેની કી અન્ય પ્લગઈન અથવા થીમ દ્વારા નોંધાયેલ અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે.','Taxonomy synchronized.'=>'વર્ગીકરણ સમન્વયિત.' . "\0" . '%s વર્ગીકરણ સમન્વયિત.','Taxonomy duplicated.'=>'વર્ગીકરણ ડુપ્લિકેટ.' . "\0" . '%s વર્ગીકરણ ડુપ્લિકેટ.','Taxonomy deactivated.'=>'વર્ગીકરણ નિષ્ક્રિય.' . "\0" . '%s વર્ગીકરણ નિષ્ક્રિય.','Taxonomy activated.'=>'વર્ગીકરણ સક્રિય થયું.' . "\0" . '%s વર્ગીકરણ સક્રિય.','Terms'=>'શરતો','Post type synchronized.'=>'પોસ્ટ પ્રકાર સમન્વયિત.' . "\0" . '%s પોસ્ટ પ્રકારો સમન્વયિત.','Post type duplicated.'=>'પોસ્ટ પ્રકાર ડુપ્લિકેટ.' . "\0" . '%s પોસ્ટ પ્રકારો ડુપ્લિકેટ.','Post type deactivated.'=>'પોસ્ટ પ્રકાર નિષ્ક્રિય.' . "\0" . '%s પોસ્ટ પ્રકારો નિષ્ક્રિય કર્યા.','Post type activated.'=>'પોસ્ટનો પ્રકાર સક્રિય કર્યો.' . "\0" . '%s પોસ્ટ પ્રકારો સક્રિય થયા.','Post Types'=>'પોસ્ટ પ્રકારો','Advanced Settings'=>'સંવર્ધિત વિકલ્પો','Basic Settings'=>'મૂળભૂત સેટિંગ્સ','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'આ પોસ્ટ પ્રકાર રજીસ્ટર થઈ શક્યો નથી કારણ કે તેની કી અન્ય પ્લગઈન અથવા થીમ દ્વારા નોંધાયેલ અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં લેવાય છે.','Pages'=>'પૃષ્ઠો','Link Existing Field Groups'=>'હાલના ફીલ્ડ જૂથોને લિંક કરો','%s post type created'=>'%s પોસ્ટ પ્રકાર બનાવ્યો','Add fields to %s'=>'%s માં ફીલ્ડ્સ ઉમેરો','%s post type updated'=>'%s પોસ્ટ પ્રકાર અપડેટ કર્યો','Post type draft updated.'=>'પોસ્ટ પ્રકાર ડ્રાફ્ટ અપડેટ કર્યો.','Post type scheduled for.'=>'પોસ્ટ પ્રકાર માટે સુનિશ્ચિત થયેલ છે.','Post type submitted.'=>'પોસ્ટનો પ્રકાર સબમિટ કર્યો.','Post type saved.'=>'પોસ્ટનો પ્રકાર સાચવ્યો.','Post type updated.'=>'પોસ્ટ પ્રકાર અપડેટ કર્યો.','Post type deleted.'=>'પોસ્ટનો પ્રકાર કાઢી નાખ્યો.','Type to search...'=>'શોધવા માટે ટાઇપ કરો...','PRO Only'=>'માત્ર પ્રો','Field groups linked successfully.'=>'ક્ષેત્ર જૂથો સફળતાપૂર્વક લિંક થયા.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'કસ્ટમ પોસ્ટ પ્રકાર UI સાથે નોંધાયેલ પોસ્ટ પ્રકારો અને વર્ગીકરણ આયાત કરો અને ACF સાથે તેનું સંચાલન કરો. પ્રારંભ કરો.','taxonomy'=>'વર્ગીકરણ','post type'=>'પોસ્ટ પ્રકાર','Done'=>'પૂર્ણ','Field Group(s)'=>'ક્ષેત્ર જૂથો','Permissions'=>'પરવાનગીઓ','URLs'=>'URLs','Visibility'=>'દૃશ્યતા','Labels'=>'લેબલ્સ','Field Settings Tabs'=>'ફીલ્ડ સેટિંગ્સ ટૅબ્સ','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[એસીએફ શોર્ટકોડ મૂલ્ય પૂર્વાવલોકન માટે અક્ષમ કર્યું]','Close Modal'=>'મોડલ બંધ કરો','Field moved to other group'=>'ફિલ્ડ અન્ય જૂથમાં ખસેડવામાં આવ્યું','Close modal'=>'મોડલ બંધ કરો','Start a new group of tabs at this tab.'=>'આ ટૅબ પર ટૅબનું નવું જૂથ શરૂ કરો.','Updates'=>'સુધારાઓ','Save Changes'=>'ફેરફારો સેવ કરો','Field Group Title'=>'ફિલ્ડ જૂથનું શીર્ષક','Add title'=>'શીર્ષક ઉમેરો','Add Field Group'=>'ક્ષેત્ર જૂથ ઉમેરો','#'=>'#','Presentation'=>'રજૂઆત','General'=>'સામાન્ય','Deactivate'=>'નિષ્ક્રિય','Deactivate this item'=>'આ આઇટમ નિષ્ક્રિય કરો','Activate'=>'સક્રિય કરો','Activate this item'=>'આ આઇટમ સક્રિય કરો','post statusInactive'=>'નિષ્ક્રિય','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'અદ્યતન કસ્ટમ ફીલ્ડ્સ અને એડવાન્સ કસ્ટમ ફીલ્ડ્સ PRO એક જ સમયે સક્રિય ન હોવા જોઈએ. અમે એડવાન્સ્ડ કસ્ટમ ફીલ્ડ્સ પ્રોને આપમેળે નિષ્ક્રિય કરી દીધું છે.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'અદ્યતન કસ્ટમ ફીલ્ડ્સ અને એડવાન્સ કસ્ટમ ફીલ્ડ્સ PRO એક જ સમયે સક્રિય ન હોવા જોઈએ. અમે એડવાન્સ્ડ કસ્ટમ ફીલ્ડ્સને આપમેળે નિષ્ક્રિય કરી દીધા છે.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF શરૂ થાય તે પહેલાં અમે ACF ફીલ્ડ મૂલ્યો પુનઃપ્રાપ્ત કરવા માટે એક અથવા વધુ કૉલ્સ શોધી કાઢ્યા છે. આ સમર્થિત નથી અને તે ખોટા અથવા ખોવાયેલા ડેટામાં પરિણમી શકે છે. આને કેવી રીતે ઠીક કરવું તે જાણો.','Invalid request.'=>'અમાન્ય વિનંતી.','Show in REST API'=>'REST API માં બતાવો','Enable Transparency'=>'પારદર્શિતા સક્ષમ કરો','Upgrade to PRO'=>'પ્રો પર અપગ્રેડ કરો','post statusActive'=>'સક્રિય','\'%s\' is not a valid email address'=>'\'%s\' ઈ - મેઈલ સરનામું માન્ય નથી.','Color value'=>'રંગનું મુલ્ય','Select default color'=>'મુળભૂત રંગ પસંદ કરો','Clear color'=>'રંગ સાફ કરો','Blocks'=>'બ્લોક્સ','Options'=>'વિકલ્પો','Users'=>'વપરાશકર્તાઓ','Menu items'=>'મેનુ વસ્તુઓ','Widgets'=>'વિજેટો','Attachments'=>'જોડાણો','Taxonomies'=>'વર્ગીકરણ','Posts'=>'પોસ્ટો','Last updated: %s'=>'છેલ્લી અપડેટ: %s','Sorry, this post is unavailable for diff comparison.'=>'માફ કરશો, આ પોસ્ટ અલગ સરખામણી માટે અનુપલબ્ધ છે.','Invalid field group parameter(s).'=>'અમાન્ય ક્ષેત્ર જૂથ પરિમાણ(ઓ).','Awaiting save'=>'સેવ પ્રતીક્ષામાં છે','Saved'=>'સેવ થયેલ','Import'=>'આયાત','Review changes'=>'ફેરફારોની સમીક્ષા કરો','Located in: %s'=>'સ્થિત થયેલ છે: %s','Various'=>'વિવિધ','Sync changes'=>'સમન્વય ફેરફારો','Loading diff'=>'તફાવત લોડ કરી રહ્યું છે','Review local JSON changes'=>'સ્થાનિક JSON ફેરફારોની સમીક્ષા કરો','Visit website'=>'વેબસાઇટની મુલાકાત લો','View details'=>'વિગતો જુઓ','Version %s'=>'આવૃત્તિ %s','Information'=>'માહિતી','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'અમે સમર્થનને લઈને કટ્ટરપંથી છીએ અને ઈચ્છીએ છીએ કે તમે ACF સાથે તમારી વેબસાઇટનો શ્રેષ્ઠ લાભ મેળવો. જો તમને કોઈ મુશ્કેલી આવે, તો ત્યાં ઘણી જગ્યાએ મદદ મળી શકે છે:','Help & Support'=>'મદદ અને આધાર','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'જો તમને તમારી જાતને સહાયની જરૂર જણાય તો સંપર્કમાં રહેવા માટે કૃપા કરીને મદદ અને સમર્થન ટેબનો ઉપયોગ કરો.','Overview'=>'અવલોકન','Invalid nonce.'=>'અમાન્ય નૉન.','Widget'=>'વિજેટ','User Role'=>'વપરાશકર્તાની ભૂમિકા','Comment'=>'ટિપ્પણી','Post Format'=>'પોસ્ટ ફોર્મેટ','Menu Item'=>'મેનુ વસ્તુ','Post Status'=>'પોસ્ટની સ્થિતિ','Menus'=>'મેનુઓ','Menu Locations'=>'મેનુ ની જગ્યાઓ','Menu'=>'મેનુ','Posts Page'=>'પોસ્ટ્સ પેજ','Front Page'=>'પહેલું પાનું','Page Type'=>'પેજ પ્રકાર','Logged in'=>'લૉગ ઇન કર્યું','Current User'=>'વર્તમાન વપરાશકર્તા','Page Template'=>'પેજ ટેમ્પલેટ','Register'=>'રજિસ્ટર','Add / Edit'=>'ઉમેરો / સંપાદિત કરો','User Form'=>'વપરાશકર્તા ફોર્મ','Page Parent'=>'પેજ પેરન્ટ','Super Admin'=>'સુપર સંચાલક','Current User Role'=>'વર્તમાન વપરાશકર્તા ભૂમિકા','Default Template'=>'મૂળભૂત ટેમ્પલેટ','Post Template'=>'પોસ્ટ ટેમ્પલેટ','Post Category'=>'પોસ્ટ કેટેગરી','All %s formats'=>'બધા %s ફોર્મેટ','Attachment'=>'જોડાણ','and'=>'અને','Please also check all premium add-ons (%s) are updated to the latest version.'=>'કૃપા કરીને તમામ પ્રીમિયમ એડ-ઓન્સ (%s) નવીનતમ સંસ્કરણ પર અપડેટ થયા છે તે પણ તપાસો.','Gallery'=>'ગેલેરી','Hide on screen'=>'સ્ક્રીન પર છુપાવો','Send Trackbacks'=>'ટ્રેકબેકસ મોકલો','Tags'=>'ટૅગ્સ','Categories'=>'કેટેગરીઓ','Page Attributes'=>'પેજ લક્ષણો','Format'=>'ફોર્મેટ','Author'=>'લેખક','Slug'=>'સ્લગ','Revisions'=>'પુનરાવર્તનો','Comments'=>'ટિપ્પણીઓ','Discussion'=>'ચર્ચા','Excerpt'=>'અવતરણ','Permalink'=>'પરમાલિંક','Position'=>'પદ','Style'=>'સ્ટાઇલ','Type'=>'પ્રકાર','Key'=>'ચાવી','Order'=>'ઓર્ડર','width'=>'પહોળાઈ','Required'=>'જરૂરી?','Field Type'=>'ક્ષેત્ર પ્રકાર','Field Name'=>'ક્ષેત્રનું નામ','Field Label'=>'ફીલ્ડ લેબલ','Delete'=>'કાઢી નાખો','Delete field'=>'ફિલ્ડ કાઢી નાખો','Move'=>'ખસેડો','Edit field'=>'ફાઇલ સંપાદિત કરો','No updates available.'=>'કોઈ અપડેટ ઉપલબ્ધ નથી.','Database upgrade complete. See what\'s new'=>'ડેટાબેઝ અપગ્રેડ પૂર્ણ. નવું શું છે તે જુઓ','Please select at least one site to upgrade.'=>'કૃપા કરીને અપગ્રેડ કરવા માટે ઓછામાં ઓછી એક સાઇટ પસંદ કરો.','Site requires database upgrade from %1$s to %2$s'=>'વેબસાઈટને %1$s થી %2$s સુધી ડેટાબેઝ સુધારાની જરૂર છે','Site'=>'સાઇટ','Upgrade Sites'=>'અપગ્રેડ સાઇટ્સ','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'નીચેની સાઇટ્સને DB સુધારાની જરૂર છે. તમે અદ્યતન બનાવા માંગો છો તે તપાસો અને પછી %s પર ક્લિક કરો.','Rules'=>'નિયમો','Copied'=>'કૉપિ થઇ ગયું','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'તમે નિકાસ કરવા માંગો છો તે વસ્તુઓ પસંદ કરો અને પછી તમારી નિકાસ પદ્ધતિ પસંદ કરો. .json ફાઇલમાં નિકાસ કરવા માટે JSON તરીકે નિકાસ કરો જે પછી તમે અન્ય ACF સ્થાપનમાં આયાત કરી શકો છો. PHP કોડ પર નિકાસ કરવા માટે PHP ઉત્પન્ન કરો જેને તમે તમારી થીમમાં મૂકી શકો છો.','Sync'=>'સમન્વય','Select %s'=>'%s પસંદ કરો','Duplicate'=>'ડુપ્લિકેટ','Documentation'=>'માર્ગદર્શિકા','Description'=>'વર્ણન','Active (%s)'=>'સક્રિય (%s)' . "\0" . 'સક્રિય (%s)','Custom Fields'=>'કસ્ટમ ફીલ્ડ','The %1$s field can now be found in the %2$s field group'=>'%1$s ક્ષેત્ર હવે %2$s ક્ષેત્ર જૂથમાં મળી શકે છે','Active'=>'સક્રિય','Settings'=>'સેટિંગ્સ','Location'=>'સ્થાન','Null'=>'શૂન્ય','copy'=>'નકલ','(this field)'=>'(આ ક્ષેત્ર)','Checked'=>'ચકાસાયેલ','Move Custom Field'=>'કસ્ટમ ફીલ્ડ ખસેડો','No toggle fields available'=>'કોઈ ટૉગલ ફીલ્ડ ઉપલબ્ધ નથી','Field group title is required'=>'ક્ષેત્ર જૂથ શીર્ષક આવશ્યક છે','This field cannot be moved until its changes have been saved'=>'જ્યાં સુધી તેના ફેરફારો સાચવવામાં ન આવે ત્યાં સુધી આ ક્ષેત્ર ખસેડી શકાતું નથી','The string "field_" may not be used at the start of a field name'=>'શબ્દમાળા "field_" નો ઉપયોગ ક્ષેત્રના નામની શરૂઆતમાં થઈ શકશે નહીં','Field group draft updated.'=>'ફીલ્ડ ગ્રુપ ડ્રાફ્ટ અપડેટ કર્યો.','Field group scheduled for.'=>'ક્ષેત્ર જૂથ માટે સુનિશ્ચિત થયેલ છે.','Field group submitted.'=>'ક્ષેત્ર જૂથ સબમિટ.','Field group saved.'=>'ક્ષેત્ર જૂથ સાચવ્યું.','Field group published.'=>'ક્ષેત્ર જૂથ પ્રકાશિત.','Field group deleted.'=>'ફીલ્ડ જૂથ કાઢી નાખ્યું.','Field group updated.'=>'ફીલ્ડ જૂથ અપડેટ કર્યું.','Tools'=>'સાધનો','is not equal to'=>'ની સમાન નથી','is equal to'=>'ની બરાબર છે','Forms'=>'સ્વરૂપો','Page'=>'પેજ','Post'=>'પોસ્ટ','Relational'=>'સંબંધી','Choice'=>'પસંદગી','Basic'=>'પાયાની','Unknown'=>'અજ્ઞાત','Field type does not exist'=>'ક્ષેત્ર પ્રકાર અસ્તિત્વમાં નથી','Post updated'=>'પોસ્ટ અપડેટ થઇ ગઈ','Update'=>'સુધારો','Validate Email'=>'ઇમેઇલ માન્ય કરો','Content'=>'લખાણ','Title'=>'શીર્ષક','Selection is greater than'=>'પસંદગી કરતાં વધારે છે','Value is less than'=>'કરતાં ઓછું મૂલ્ય છે','Value is greater than'=>'કરતાં વધુ મૂલ્ય છે','Value contains'=>'મૂલ્ય સમાવે છે','Value matches pattern'=>'મૂલ્ય પેટર્ન સાથે મેળ ખાય છે','Value is not equal to'=>'મૂલ્ય સમાન નથી','Value is equal to'=>'મૂલ્ય સમાન છે','Has no value'=>'કોઈ મૂલ્ય નથી','Has any value'=>'કોઈપણ મૂલ્ય ધરાવે છે','Cancel'=>'રદ','Are you sure?'=>'શું તમને ખાતરી છે?','Restricted'=>'પ્રતિબંધિત','Expand Details'=>'વિગતો વિસ્તૃત કરો','Uploaded to this post'=>'આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','verbUpdate'=>'સુધારો','verbEdit'=>'સંપાદિત કરો','The changes you made will be lost if you navigate away from this page'=>'જો તમે આ પૃષ્ઠ છોડીને જશો તો તમે કરેલા ફેરફારો ખોવાઈ જશે','File type must be %s.'=>'ફાઇલનો પ્રકાર %s હોવો આવશ્યક છે.','or'=>'અથવા','File size must not exceed %s.'=>'ફાઇલનું કદ %s થી વધુ ન હોવું જોઈએ.','Image height must not exceed %dpx.'=>'છબીની ઊંચાઈ %dpx કરતાં વધુ ન હોવી જોઈએ.','Image height must be at least %dpx.'=>'છબીની ઊંચાઈ ઓછામાં ઓછી %dpx હોવી જોઈએ.','Image width must not exceed %dpx.'=>'છબીની પહોળાઈ %dpx થી વધુ ન હોવી જોઈએ.','Image width must be at least %dpx.'=>'છબીની પહોળાઈ ઓછામાં ઓછી %dpx હોવી જોઈએ.','(no title)'=>'(કોઈ શીર્ષક નથી)','Full Size'=>'પૂર્ણ કદ','Large'=>'મોટું','Medium'=>'મધ્યમ','Thumbnail'=>'થંબનેલ','(no label)'=>'(લેબલ નથી)','Rows'=>'પંક્તિઓ','Add new choice'=>'નવી પસંદગી ઉમેરો','Archives'=>'આર્કાઇવ્સ','Page Link'=>'પૃષ્ઠ લિંક','Add'=>'ઉમેરો','Name'=>'નામ','%s added'=>'%s ઉમેર્યું','User unable to add new %s'=>'વપરાશકર્તા નવા %s ઉમેરવામાં અસમર્થ છે','Allow new terms to be created whilst editing'=>'સંપાદન કરતી વખતે નવી શરતો બનાવવાની મંજૂરી આપો','Checkbox'=>'ચેકબોક્સ','Multiple Values'=>'બહુવિધ મૂલ્યો','Appearance'=>'દેખાવ','No TermsNo %s'=>'ના %s','Value must be equal to or higher than %d'=>'મૂલ્ય %d ની બરાબર અથવા વધારે હોવું જોઈએ','Value must be a number'=>'મૂલ્ય સંખ્યા હોવી જોઈએ','Number'=>'સંખ્યા','Save \'other\' values to the field\'s choices'=>'ક્ષેત્રની પસંદગીમાં \'અન્ય\' મૂલ્યો સાચવો','Other'=>'અન્ય','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'પાછલા એકોર્ડિયનને રોકવા માટે અંતિમ બિંદુને વ્યાખ્યાયિત કરો. આ એકોર્ડિયન દેખાશે નહીં.','Open'=>'ઓપન','Accordion'=>'એકોર્ડિયન','File URL'=>'ફાઈલ યુઆરએલ','Add File'=>'ફાઇલ ઉમેરો','No file selected'=>'કોઈ ફાઇલ પસંદ કરી નથી','File name'=>'ફાઇલનું નામ','Update File'=>'ફાઇલ અપડેટ કરો','Edit File'=>'ફાઇલ સંપાદિત કરો ','Select File'=>'ફાઇલ પસંદ કરો','File'=>'ફાઇલ','Password'=>'પાસવર્ડ','verbSelect'=>'પસંદ કરો','Select2 JS load_moreLoading more results…'=>'વધુ પરિણામો લોડ કરી રહ્યાં છીએ…','Select2 JS selection_too_long_nYou can only select %d items'=>'તમે માત્ર %d વસ્તુઓ પસંદ કરી શકો છો','Select2 JS selection_too_long_1You can only select 1 item'=>'તમે માત્ર 1 આઇટમ પસંદ કરી શકો છો','Select2 JS input_too_long_nPlease delete %d characters'=>'કૃપા કરીને %d અક્ષરો કાઢી નાખો','Select2 JS input_too_long_1Please delete 1 character'=>'કૃપા કરીને 1 અક્ષર કાઢી નાખો','Select2 JS input_too_short_nPlease enter %d or more characters'=>'કૃપા કરીને %d અથવા વધુ અક્ષરો દાખલ કરો','Select2 JS input_too_short_1Please enter 1 or more characters'=>'કૃપા કરીને 1 અથવા વધુ અક્ષરો દાખલ કરો','Select2 JS matches_0No matches found'=>'કોઈ બરાબરી મળી નથી','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d પરિણામો ઉપલબ્ધ છે, શોધખોળ કરવા માટે ઉપર અને નીચે એરો કીનો ઉપયોગ કરો.','Select2 JS matches_1One result is available, press enter to select it.'=>'એક પરિણામ ઉપલબ્ધ છે, તેને પસંદ કરવા માટે એન્ટર દબાવો.','nounSelect'=>'પસંદ કરો','User ID'=>'વપરાશકર્તા ID','User'=>'વપરાશકર્તા','Separator'=>'વિભાજક','Select Color'=>'રંગ પસંદ કરો','Default'=>'મૂળભૂત','Clear'=>'સાફ કરો','Color Picker'=>'રંગ પીકર','Date Time Picker JS pmTextPM'=>'પી એમ(PM)','Date Time Picker JS selectTextSelect'=>'પસંદ કરો','Date Time Picker JS closeTextDone'=>'પૂર્ણ','Date Time Picker JS currentTextNow'=>'હવે','Date Time Picker JS timezoneTextTime Zone'=>'સમય ઝોન','Date Time Picker JS microsecTextMicrosecond'=>'માઇક્રોસેકન્ડ','Date Time Picker JS millisecTextMillisecond'=>'મિલીસેકન્ડ','Date Time Picker JS secondTextSecond'=>'સેકન્ડ','Date Time Picker JS minuteTextMinute'=>'મિનિટ','Date Time Picker JS hourTextHour'=>'કલાક','Date Time Picker JS timeTextTime'=>'સમય','Date Time Picker JS timeOnlyTitleChoose Time'=>'સમય પસંદ કરો','Placement'=>'પ્લેસમેન્ટ','Tab'=>'ટેબ','Value must be a valid URL'=>'મૂલ્ય એક માન્ય URL હોવું આવશ્યક છે','Link URL'=>'લિંક યુઆરએલ','Select Link'=>'લિંક પસંદ કરો','Link'=>'લિંક','Email'=>'ઇમેઇલ','Maximum Value'=>'મહત્તમ મૂલ્ય','Minimum Value'=>'ન્યૂનતમ મૂલ્ય','Range'=>'શ્રેણી','Label'=>'લેબલ','Value'=>'મૂલ્ય','Vertical'=>'ઊભું','Horizontal'=>'આડું','For more control, you may specify both a value and label like this:'=>'વધુ નિયંત્રણ માટે, તમે આના જેવું મૂલ્ય અને નામપટ્ટી બંનેનો ઉલ્લેખ કરી શકો છો:','Enter each choice on a new line.'=>'દરેક પસંદગીને નવી લાઇન પર દાખલ કરો.','Choices'=>'પસંદગીઓ','Parent'=>'પેરેન્ટ','TinyMCE will not be initialized until field is clicked'=>'જ્યાં સુધી ફીલ્ડ ક્લિક ન થાય ત્યાં સુધી TinyMCE પ્રારંભ કરવામાં આવશે નહીં','Toolbar'=>'ટૂલબાર','Text Only'=>'ફક્ત ટેક્સ્ટ','Tabs'=>'ટૅબ્સ','Name for the Text editor tab (formerly HTML)Text'=>'લખાણ','Visual'=>'દ્રશ્ય','Value must not exceed %d characters'=>'મૂલ્ય %d અક્ષરોથી વધુ ન હોવું જોઈએ','Appears when creating a new post'=>'નવી પોસ્ટ બનાવતી વખતે દેખાય છે','Text'=>'લખાણ','%1$s requires at least %2$s selection'=>'%1$s ને ઓછામાં ઓછા %2$s પસંદગીની જરૂર છે' . "\0" . '%1$s ને ઓછામાં ઓછી %2$s પસંદગીની જરૂર છે','Featured Image'=>'ફીચર્ડ છબી','Elements'=>'તત્વો','Taxonomy'=>'વર્ગીકરણ','Post Type'=>'પોસ્ટ પ્રકાર','Filters'=>'ફિલ્ટર્સ','All taxonomies'=>'બધા વર્ગીકરણ','Search...'=>'શોધો','No matches found'=>'કોઈ બરાબરી મળી નથી','Loading'=>'લોડ કરી રહ્યું છે','Maximum values reached ( {max} values )'=>'મહત્તમ મૂલ્યો પહોંચી ગયા ( {max} મૂલ્યો )','Relationship'=>'સંબંધ','Comma separated list. Leave blank for all types'=>'અલ્પવિરામથી વિભાજિત સૂચિ. તમામ પ્રકારના માટે ખાલી છોડો','Maximum'=>'મહત્તમ','File size'=>'ફાઈલ સાઇઝ઼:','Restrict which images can be uploaded'=>'કઈ છબીઓ અપલોડ કરી શકાય તે પ્રતિબંધિત કરો','Minimum'=>'ન્યૂનતમ','Uploaded to post'=>'પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','All'=>'બધા','Limit the media library choice'=>'મીડિયા લાઇબ્રેરીની પસંદગીને મર્યાદિત કરો','Library'=>'લાઇબ્રેરી','Preview Size'=>'પૂર્વાવલોકન કદ','Specify the returned value on front end'=>'અગ્રભાગ પર પરત કરેલ મૂલ્યનો ઉલ્લેખ કરો','Return Value'=>'વળતર મૂલ્ય','Add Image'=>'ચિત્ર ઉમેરો','No image selected'=>'કોઇ ચિત્ર પસંદ નથી કયુઁ','Remove'=>'દૂર કરો','Edit'=>'સંપાદિત કરો','All images'=>'બધી છબીઓ','Update Image'=>'છબી અપડેટ કરો','Edit Image'=>'છબી સંપાદિત કરો','Select Image'=>'છબી પસંદ કરો','Image'=>'છબી','Allow HTML markup to display as visible text instead of rendering'=>'HTML માર્કઅપને અનુવાદ બદલે દૃશ્યમાન લખાણ તરીકે પ્રદર્શિત કરવાની મંજૂરી આપો','Controls how new lines are rendered'=>'નવી રેખાઓ કેવી રીતે રેન્ડર કરવામાં આવે છે તેનું નિયંત્રણ કરે છે','New Lines'=>'નવી રેખાઓ','The format used when saving a value'=>'મૂલ્ય સાચવતી વખતે વપરાતી ગોઠવણ','Date Picker JS prevTextPrev'=>'પૂર્વ','Date Picker JS nextTextNext'=>'આગળ','Date Picker JS currentTextToday'=>'આજે','Date Picker JS closeTextDone'=>'પૂર્ણ','Date Picker'=>'તારીખ પીકર','Width'=>'પહોળાઈ','Enter URL'=>'યુઆરએલ દાખલ કરો','Text shown when inactive'=>'જ્યારે નિષ્ક્રિય હોય ત્યારે લખાણ બતાવવામાં આવે છે','Default Value'=>'મૂળભૂત મૂલ્ય','Message'=>'સંદેશ','No'=>'ના','Yes'=>'હા','True / False'=>'સાચું / ખોટું','Row'=>'પંક્તિ','Table'=>'ટેબલ','Block'=>'બ્લોક','Layout'=>'લેઆઉટ','Group'=>'જૂથ','Height'=>'ઊંચાઈ','Zoom'=>'ઝૂમ','Center'=>'મધ્ય','Find current location'=>'વર્તમાન સ્થાન શોધો','Clear location'=>'સ્થાન સાફ કરો','Search'=>'શોધો','Google Map'=>'ગૂગલે નકશો','Custom:'=>'કસ્ટમ:','Time Picker'=>'તારીખ પીકર','Inactive (%s)'=>'નિષ્ક્રિય (%s)' . "\0" . 'નિષ્ક્રિય (%s)','No Fields found in Trash'=>'ટ્રેશમાં કોઈ ફીલ્ડ મળ્યાં નથી','No Fields found'=>'કોઈ ક્ષેત્રો મળ્યાં નથી','Search Fields'=>'શોધ ક્ષેત્રો','View Field'=>'ક્ષેત્ર જુઓ','New Field'=>'નવી ફીલ્ડ','Edit Field'=>'ફીલ્ડ સંપાદિત કરો','Add New Field'=>'નવી ફીલ્ડ ઉમેરો','Field'=>'ફિલ્ડ','Fields'=>'ક્ષેત્રો','No Field Groups found in Trash'=>'ટ્રેશમાં કોઈ ફીલ્ડ જૂથો મળ્યાં નથી','No Field Groups found'=>'કોઈ ક્ષેત્ર જૂથો મળ્યાં નથી','Search Field Groups'=>'ક્ષેત્ર જૂથો શોધો','View Field Group'=>'ક્ષેત્ર જૂથ જુઓ','New Field Group'=>'નવું ક્ષેત્ર જૂથ','Edit Field Group'=>'ક્ષેત્ર જૂથ સંપાદિત કરો','Add New Field Group'=>'નવું ક્ષેત્ર જૂથ ઉમેરો','Add New'=>'નવું ઉમેરો','Field Group'=>'ક્ષેત્ર જૂથ','Field Groups'=>'ક્ષેત્ર જૂથો','Customize WordPress with powerful, professional and intuitive fields.'=>'શક્તિશાળી, વ્યાવસાયિક અને સાહજિક ક્ષેત્રો સાથે વર્ડપ્રેસ ને કસ્ટમાઇઝ કરો.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'અદ્યતન કસ્ટમ ક્ષેત્રો']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'અપડેટ સ્ત્રોત','By default only admin users can edit this setting.'=>'ડિફૉલ્ટ રૂપે ફક્ત એડમિન વપરાશકર્તાઓ જ આ સેટિંગને સંપાદિત કરી શકે છે.','By default only super admin users can edit this setting.'=>'ડિફૉલ્ટ રૂપે ફક્ત સુપર એડમિન વપરાશકર્તાઓ જ આ સેટિંગને સંપાદિત કરી શકે છે.','Close and Add Field'=>'બંધ કરો અને ફીલ્ડ ઉમેરો','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'તમારા વર્ગીકરણ પર મેટા બોક્સની સામગ્રીને હેન્ડલ કરવા માટે કૉલ કરવા માટે PHP ફંક્શન નામ. સુરક્ષા માટે, આ કૉલબેકને $_POST અથવા $_GET જેવા કોઈપણ સુપરગ્લોબલ્સની ઍક્સેસ વિના વિશિષ્ટ સંદર્ભમાં એક્ઝિક્યુટ કરવામાં આવશે.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'સંપાદન સ્ક્રીન માટે મેટા બોક્સ સેટ કરતી વખતે કૉલ કરવા માટે PHP ફંક્શન નામ. સુરક્ષા માટે, આ કૉલબેકને $_POST અથવા $_GET જેવા કોઈપણ સુપરગ્લોબલ્સની ઍક્સેસ વિના વિશિષ્ટ સંદર્ભમાં એક્ઝિક્યુટ કરવામાં આવશે.','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'સંપાદક UI માં મૂલ્યને ઍક્સેસ કરવાની મંજૂરી આપો','Learn more.'=>'વધુ જાણો.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'સામગ્રી સંપાદકોને બ્લોક બાઈન્ડિંગ્સ અથવા ACF શોર્ટકોડનો ઉપયોગ કરીને એડિટર UI માં ફીલ્ડ મૂલ્યને ઍક્સેસ કરવા અને પ્રદર્શિત કરવાની મંજૂરી આપો. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડ પ્રકાર બ્લોક બાઈન્ડિંગ્સ અથવા ACF શોર્ટકોડમાં આઉટપુટને સપોર્ટ કરતું નથી.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડને બાઈન્ડીંગ અથવા ACF શોર્ટકોડમાં આઉટપુટ કરવાની મંજૂરી નથી.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'વિનંતી કરેલ ACF ફીલ્ડ પ્રકાર બાઈન્ડીંગ્સ અથવા ACF શોર્ટકોડમાં આઉટપુટને સપોર્ટ કરતું નથી.','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF શોર્ટકોડ બિન-સાર્વજનિક પોસ્ટમાંથી ફીલ્ડ પ્રદર્શિત કરી શકતું નથી]','[The ACF shortcode is disabled on this site]'=>'[આ સાઇટ પર ACF શોર્ટકોડ અક્ષમ છે]','Businessman Icon'=>'ઉદ્યોગપતિ ચિહ્ન','Forums Icon'=>'ફોરમ આયકન','YouTube Icon'=>'યુટ્યુબ ચિહ્ન','Yes (alt) Icon'=>'હા ચિહ્ન','Xing Icon'=>'ઝીંગ ચિહ્ન','WordPress (alt) Icon'=>'વર્ડપ્રેસ (વૈકલ્પિક) ચિહ્ન','WhatsApp Icon'=>'વોટ્સએપ ચિહ્ન','Write Blog Icon'=>'બ્લોગ આયકન લખો','Widgets Menus Icon'=>'વિજેટ્સ મેનુ આયકન','View Site Icon'=>'સાઇટ આયકન જુઓ','Learn More Icon'=>'વધુ જાણો આઇકન','Add Page Icon'=>'પૃષ્ઠ ચિહ્ન ઉમેરો','Video (alt3) Icon'=>'વિડિઓ (alt3) આઇકન','Video (alt2) Icon'=>'વિડિઓ (alt2) આઇકન','Video (alt) Icon'=>'વિડિઓ (Alt) આઇકન','Update (alt) Icon'=>'અપડેટ (Alt) આઇકન','Universal Access (alt) Icon'=>'સાર્વત્રિક એક્સેસ (alt) આઇકન','Twitter (alt) Icon'=>'ટ્વિટર (alt) આઇકન','Twitch Icon'=>'ટ્વિટર ચિહ્ન','Tide Icon'=>'ભરતી ચિહ્ન','Tickets (alt) Icon'=>'ટિકિટ ચિહ્ન','Text Page Icon'=>'ટેક્સ્ટ પેજ આયકન','Table Row Delete Icon'=>'Table Row Delete ચિહ્ન','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'RSS ચિહ્ન','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'માફ કરશો, તમને તે કરવાની પરવાનગી નથી','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'આઇકન પીકરને મૂલ્યની જરૂર છે.','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'સામાન્ય','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'મફત','Plugin Type'=>'','Plugin Version'=>'પ્લગઇન સંસ્કરણ','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'કાયમી ધોરણે કાઢી નાખો','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'ACF PRO લક્ષણ','Renew PRO to Unlock'=>'અનલૉક કરવા માટે PRO રિન્યૂ કરો','Renew PRO License'=>'PRO લાઇસન્સ રિન્યૂ કરો','PRO fields cannot be edited without an active license.'=>'સક્રિય લાયસન્સ વિના PRO ક્ષેત્રો સંપાદિત કરી શકાતા નથી.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'ACF બ્લોકને સોંપેલ ફીલ્ડ જૂથોને સંપાદિત કરવા માટે કૃપા કરીને તમારું ACF PRO લાઇસન્સ સક્રિય કરો.','Please activate your ACF PRO license to edit this options page.'=>'આ વિકલ્પો પૃષ્ઠને સંપાદિત કરવા માટે કૃપા કરીને તમારું ACF PRO લાઇસન્સ સક્રિય કરો.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'છટકી ગયેલા HTML મૂલ્યો પરત કરવા માત્ર ત્યારે જ શક્ય છે જ્યારે format_value પણ સાચું હોય. સુરક્ષા માટે ફીલ્ડ મૂલ્યો પરત કરવામાં આવ્યા નથી.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'એસ્કેપ કરેલ HTML મૂલ્ય પરત કરવું ત્યારે જ શક્ય છે જ્યારે format_value પણ સાચું હોય. સુરક્ષા માટે ફીલ્ડ મૂલ્ય પરત કરવામાં આવ્યું નથી.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'વધુ વિગતો માટે કૃપા કરીને તમારા સાઇટ એડમિનિસ્ટ્રેટર અથવા ડેવલપરનો સંપર્ક કરો.','Learn more'=>'વધુ જાણો','Hide details'=>' વિગતો છુપાવો','Show details'=>' વિગતો બતાવો','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s દ્વારા પ્રસ્તુત','Renew ACF PRO License'=>'ACF PRO લાઇસન્સ રિન્યૂ કરો','Renew License'=>'લાયસન્સ રિન્યૂ કરો','Manage License'=>'લાયસન્સ મેનેજ કરો','\'High\' position not supported in the Block Editor'=>'બ્લોક એડિટરમાં \'ઉચ્ચ\' સ્થિતિ સમર્થિત નથી','Upgrade to ACF PRO'=>'ACF PRO પર અપગ્રેડ કરો','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF વિકલ્પો પૃષ્ઠો એ ક્ષેત્રો દ્વારા વૈશ્વિક સેટિંગ્સનું સંચાલન કરવા માટેના કસ્ટમ એડમિન પૃષ્ઠો છે. તમે બહુવિધ પૃષ્ઠો અને પેટા પૃષ્ઠો બનાવી શકો છો.','Add Options Page'=>'વિકલ્પો પૃષ્ઠ ઉમેરો','In the editor used as the placeholder of the title.'=>'શીર્ષકના પ્લેસહોલ્ડર તરીકે ઉપયોગમાં લેવાતા એડિટરમાં.','Title Placeholder'=>'શીર્ષક પ્લેસહોલ્ડર','4 Months Free'=>'4 મહિના મફત','(Duplicated from %s)'=>'','Select Options Pages'=>'વિકલ્પો પૃષ્ઠો પસંદ કરો','Duplicate taxonomy'=>'ડુપ્લિકેટ વર્ગીકરણ','Create taxonomy'=>'વર્ગીકરણ બનાવો','Duplicate post type'=>'ડુપ્લિકેટ પોસ્ટ પ્રકાર','Create post type'=>'પોસ્ટ પ્રકાર બનાવો','Link field groups'=>'ફીલ્ડ જૂથોને લિંક કરો','Add fields'=>'ક્ષેત્રો ઉમેરો','This Field'=>'આ ક્ષેત્ર','ACF PRO'=>'એસીએફ પ્રો','Feedback'=>'પ્રતિસાદ','Support'=>'સપોર્ટ','is developed and maintained by'=>'દ્વારા વિકસિત અને જાળવણી કરવામાં આવે છે','Add this %s to the location rules of the selected field groups.'=>'પસંદ કરેલ ક્ષેત્ર જૂથોના સ્થાન નિયમોમાં આ %s ઉમેરો.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'દ્વિપક્ષીય સેટિંગને સક્ષમ કરવાથી તમે આ ફીલ્ડ માટે પસંદ કરેલ દરેક મૂલ્ય માટે લક્ષ્ય ફીલ્ડમાં મૂલ્ય અપડેટ કરી શકો છો, પોસ્ટ ID, વર્ગીકરણ ID અથવા અપડેટ કરવામાં આવી રહેલી આઇટમના વપરાશકર્તા ID ને ઉમેરીને અથવા દૂર કરી શકો છો. વધુ માહિતી માટે, કૃપા કરીને દસ્તાવેજીકરણ વાંચો.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'અપડેટ કરવામાં આવી રહેલી આઇટમનો સંદર્ભ પાછો સંગ્રહિત કરવા માટે ક્ષેત્ર(ઓ) પસંદ કરો. તમે આ ક્ષેત્ર પસંદ કરી શકો છો. જ્યાં આ ક્ષેત્ર પ્રદર્શિત થઈ રહ્યું છે તેની સાથે લક્ષ્ય ક્ષેત્રો સુસંગત હોવા જોઈએ. ઉદાહરણ તરીકે, જો આ ક્ષેત્ર વર્ગીકરણ પર પ્રદર્શિત થાય છે, તો તમારું લક્ષ્ય ક્ષેત્ર વર્ગીકરણ પ્રકારનું હોવું જોઈએ','Target Field'=>'લક્ષ્ય ક્ષેત્ર','Update a field on the selected values, referencing back to this ID'=>'આ ID નો સંદર્ભ આપીને પસંદ કરેલ મૂલ્યો પર ફીલ્ડ અપડેટ કરો','Bidirectional'=>'દ્વિપક્ષીય','%s Field'=>'%s ફીલ્ડ','Select Multiple'=>'બહુવિધ પસંદ કરો','WP Engine logo'=>'WP એન્જિન લોગો','Lower case letters, underscores and dashes only, Max 32 characters.'=>'લોઅર કેસ અક્ષરો, માત્ર અન્ડરસ્કોર અને ડૅશ, મહત્તમ 32 અક્ષરો.','The capability name for assigning terms of this taxonomy.'=>'આ વર્ગીકરણની શરતો સોંપવા માટેની ક્ષમતાનું નામ.','Assign Terms Capability'=>'ટર્મ ક્ષમતા સોંપો','The capability name for deleting terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોને કાઢી નાખવા માટેની ક્ષમતાનું નામ.','Delete Terms Capability'=>'ટર્મ ક્ષમતા કાઢી નાખો','The capability name for editing terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોને સંપાદિત કરવા માટેની ક્ષમતાનું નામ.','Edit Terms Capability'=>'શરતો ક્ષમતા સંપાદિત કરો','The capability name for managing terms of this taxonomy.'=>'આ વર્ગીકરણની શરતોનું સંચાલન કરવા માટેની ક્ષમતાનું નામ.','Manage Terms Capability'=>'શરતોની ક્ષમતા મેનેજ કરો','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'શોધ પરિણામો અને વર્ગીકરણ આર્કાઇવ પૃષ્ઠોમાંથી પોસ્ટ્સને બાકાત રાખવા જોઈએ કે કેમ તે સેટ કરે છે.','More Tools from WP Engine'=>'WP એન્જિનના વધુ સાધનો','Built for those that build with WordPress, by the team at %s'=>'%s પરની ટીમ દ્વારા વર્ડપ્રેસ સાથે બિલ્ડ કરનારાઓ માટે બનાવેલ છે','View Pricing & Upgrade'=>'કિંમત અને અપગ્રેડ જુઓ','Learn More'=>'વધુ શીખો','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'તમારા વર્કફ્લોને ઝડપી બનાવો અને ACF બ્લોક્સ અને ઓપ્શન્સ પેજીસ જેવી સુવિધાઓ અને રિપીટર, ફ્લેક્સિબલ કન્ટેન્ટ, ક્લોન અને ગેલેરી જેવા અત્યાધુનિક ફીલ્ડ પ્રકારો સાથે વધુ સારી વેબસાઇટ્સ વિકસાવો.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF PRO સાથે અદ્યતન સુવિધાઓને અનલૉક કરો અને હજી વધુ બનાવો','%s fields'=>'%s ફીલ્ડ','No terms'=>'કોઈ શરતો નથી','No post types'=>'કોઈ પોસ્ટ પ્રકાર નથી','No posts'=>'કોઈ પોસ્ટ નથી','No taxonomies'=>'કોઈ વર્ગીકરણ નથી','No field groups'=>'કોઈ ક્ષેત્ર જૂથો નથી','No fields'=>'કોઈ ફીલ્ડ નથી','No description'=>'કોઈ વર્ણન નથી','Any post status'=>'કોઈપણ પોસ્ટ સ્થિતિ','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'આ વર્ગીકરણ કી પહેલેથી જ ACF ની બહાર નોંધાયેલ અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'આ વર્ગીકરણ કી પહેલેથી જ ACF માં અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'વર્ગીકરણ કી માં માત્ર લોઅર કેસ આલ્ફાન્યૂમેરિક અક્ષરો, અન્ડરસ્કોર અથવા ડેશ હોવા જોઈએ.','The taxonomy key must be under 32 characters.'=>'વર્ગીકરણ કી 32 અક્ષરોથી ઓછી હોવી જોઈએ.','No Taxonomies found in Trash'=>'ટ્રેશમાં કોઈ વર્ગીકરણ મળ્યું નથી','No Taxonomies found'=>'કોઈ વર્ગીકરણ મળ્યું નથી','Search Taxonomies'=>'વર્ગીકરણ શોધો','View Taxonomy'=>'વર્ગીકરણ જુઓ','New Taxonomy'=>'નવુ વર્ગીકરણ','Edit Taxonomy'=>'વર્ગીકરણ સંપાદિત કરો','Add New Taxonomy'=>'નવુ વર્ગીકરણ ઉમેરો','No Post Types found in Trash'=>'ટ્રેશમાં કોઈ પોસ્ટ પ્રકારો મળ્યા નથી','No Post Types found'=>'કોઈ પોસ્ટ પ્રકારો મળ્યા નથી','Search Post Types'=>'પોસ્ટ પ્રકારો શોધો','View Post Type'=>'પોસ્ટનો પ્રકાર જુઓ','New Post Type'=>'નવો પોસ્ટ પ્રકાર','Edit Post Type'=>'પોસ્ટ પ્રકાર સંપાદિત કરો','Add New Post Type'=>'નવો પોસ્ટ પ્રકાર ઉમેરો','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'આ પોસ્ટ ટાઇપ કી પહેલેથી જ ACF ની બહાર નોંધાયેલ અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં લેવાય છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This post type key is already in use by another post type in ACF and cannot be used.'=>'આ પોસ્ટ ટાઇપ કી પહેલેથી જ ACF માં અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં છે અને તેનો ઉપયોગ કરી શકાતો નથી.','This field must not be a WordPress reserved term.'=>'આ ફીલ્ડ વર્ડપ્રેસનો આરક્ષિત શબ્દ ન હોવો જોઈએ.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'પોસ્ટ ટાઈપ કીમાં માત્ર લોઅર કેસ આલ્ફાન્યૂમેરિક અક્ષરો, અન્ડરસ્કોર અથવા ડેશ હોવા જોઈએ.','The post type key must be under 20 characters.'=>'પોસ્ટ પ્રકાર કી 20 અક્ષરોથી ઓછી હોવી જોઈએ.','We do not recommend using this field in ACF Blocks.'=>'અમે ACF બ્લોક્સમાં આ ક્ષેત્રનો ઉપયોગ કરવાની ભલામણ કરતા નથી.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'વર્ડપ્રેસ WYSIWYG એડિટર પ્રદર્શિત કરે છે જે પોસ્ટ્સ અને પૃષ્ઠો જોવા મળે છે જે સમૃદ્ધ ટેક્સ્ટ-એડિટિંગ અનુભવ માટે પરવાનગી આપે છે જે મલ્ટીમીડિયા સામગ્રી માટે પણ પરવાનગી આપે છે.','WYSIWYG Editor'=>'WYSIWYG સંપાદક','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'એક અથવા વધુ વપરાશકર્તાઓની પસંદગીની મંજૂરી આપે છે જેનો ઉપયોગ ડેટા ઑબ્જેક્ટ્સ વચ્ચે સંબંધ બનાવવા માટે થઈ શકે છે.','A text input specifically designed for storing web addresses.'=>'ખાસ કરીને વેબ એડ્રેસ સ્ટોર કરવા માટે રચાયેલ ટેક્સ્ટ ઇનપુટ.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'એક ટૉગલ જે તમને 1 અથવા 0 (ચાલુ અથવા બંધ, સાચું કે ખોટું, વગેરે) નું મૂલ્ય પસંદ કરવાની મંજૂરી આપે છે. સ્ટાઇલાઇઝ્ડ સ્વીચ અથવા ચેકબોક્સ તરીકે રજૂ કરી શકાય છે.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. ક્ષેત્ર સેટિંગ્સ ઉપયોગ કરીને સમય ફોર્મેટ કસ્ટમાઇઝ કરી શકાય છે.','A basic textarea input for storing paragraphs of text.'=>'ટેક્સ્ટના ફકરાને સ્ટોર કરવા માટે મૂળભૂત ટેક્સ્ટેરિયા ઇનપુટ.','A basic text input, useful for storing single string values.'=>'મૂળભૂત મૂળ લખાણ ઇનપુટ, એક તાર મૂલ્યો સંગ્રહ કરવા માટે ઉપયોગી.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'ફીલ્ડ સેટિંગ્સમાં ઉલ્લેખિત માપદંડ અને વિકલ્પોના આધારે એક અથવા વધુ વર્ગીકરણ શરતોની પસંદગીની મંજૂરી આપે છે.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'તમને સંપાદન સ્ક્રીનમાં ટેબ કરેલ વિભાગોમાં ક્ષેત્રોને જૂથબદ્ધ કરવાની મંજૂરી આપે છે. ક્ષેત્રોને વ્યવસ્થિત અને સંરચિત રાખવા માટે ઉપયોગી.','A dropdown list with a selection of choices that you specify.'=>'તમે ઉલ્લેખિત કરો છો તે પસંદગીઓની પસંદગી સાથે ડ્રોપડાઉન સૂચિ.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'તમે હાલમાં સંપાદિત કરી રહ્યાં છો તે આઇટમ સાથે સંબંધ બનાવવા માટે એક અથવા વધુ પોસ્ટ્સ, પૃષ્ઠો અથવા કસ્ટમ પોસ્ટ પ્રકારની આઇટમ્સ પસંદ કરવા માટેનું ડ્યુઅલ-કૉલમ ઇન્ટરફેસ. શોધવા અને ફિલ્ટર કરવાના વિકલ્પોનો સમાવેશ થાય છે.','An input for selecting a numerical value within a specified range using a range slider element.'=>'શ્રેણી સ્લાઇડર તત્વનો ઉપયોગ કરીને ઉલ્લેખિત શ્રેણીમાં સંખ્યાત્મક મૂલ્ય પસંદ કરવા માટેનું ઇનપુટ.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'રેડિયો બટન ઇનપુટ્સનું એક જૂથ જે વપરાશકર્તાને તમે ઉલ્લેખિત મૂલ્યોમાંથી એક જ પસંદગી કરવાની મંજૂરી આપે છે.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'શોધવાના વિકલ્પ સાથે એક અથવા ઘણી પોસ્ટ્સ, પૃષ્ઠો અથવા પોસ્ટ પ્રકારની વસ્તુઓ પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ અને વૈવિધ્યપૂર્ણ UI. ','An input for providing a password using a masked field.'=>'માસ્ક્ડ ફીલ્ડનો ઉપયોગ કરીને પાસવર્ડ આપવા માટેનું ઇનપુટ.','Filter by Post Status'=>'પોસ્ટ સ્ટેટસ દ્વારા ફિલ્ટર કરો','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'શોધવાના વિકલ્પ સાથે, એક અથવા વધુ પોસ્ટ્સ, પૃષ્ઠો, કસ્ટમ પોસ્ટ પ્રકારની આઇટમ્સ અથવા આર્કાઇવ URL પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ ડ્રોપડાઉન.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'મૂળ WordPress oEmbed કાર્યક્ષમતાનો ઉપયોગ કરીને વિડિઓઝ, છબીઓ, ટ્વીટ્સ, ઑડિઓ અને અન્ય સામગ્રીને એમ્બેડ કરવા માટે એક ઇન્ટરેક્ટિવ ઘટક.','An input limited to numerical values.'=>'સંખ્યાત્મક મૂલ્યો સુધી મર્યાદિત ઇનપુટ.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'અન્ય ક્ષેત્રોની સાથે સંપાદકોને સંદેશ પ્રદર્શિત કરવા માટે વપરાય છે. તમારા ક્ષેત્રોની આસપાસ વધારાના સંદર્ભ અથવા સૂચનાઓ પ્રદાન કરવા માટે ઉપયોગી.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'તમને વર્ડપ્રેસ મૂળ લિંક પીકરનો ઉપયોગ કરીને લિંક અને તેના ગુણધર્મો જેવા કે શીર્ષક અને લક્ષ્યનો ઉલ્લેખ કરવાની મંજૂરી આપે છે.','Uses the native WordPress media picker to upload, or choose images.'=>'અપલોડ કરવા અથવા છબીઓ પસંદ કરવા માટે મૂળ વર્ડપ્રેસ મીડિયા પીકરનો ઉપયોગ કરે છે.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'ડેટા અને સંપાદન સ્ક્રીનને વધુ સારી રીતે ગોઠવવા માટે જૂથોમાં ક્ષેત્રોને સંરચિત કરવાનો માર્ગ પૂરો પાડે છે.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google નકશાનો ઉપયોગ કરીને સ્થાન પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. યોગ્ય રીતે પ્રદર્શિત કરવા માટે Google Maps API કી અને વધારાના ગોઠવણીની જરૂર છે.','Uses the native WordPress media picker to upload, or choose files.'=>'અપલોડ કરવા અથવા છબીઓ પસંદ કરવા માટે મૂળ વર્ડપ્રેસ મીડિયા પીકરનો ઉપયોગ કરે છે.','A text input specifically designed for storing email addresses.'=>'ખાસ કરીને ઈમેલ એડ્રેસ સ્ટોર કરવા માટે રચાયેલ ટેક્સ્ટ ઇનપુટ.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'તારીખ અને સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. તારીખ રીટર્ન ફોર્મેટ ફીલ્ડ સેટિંગ્સનો ઉપયોગ કરીને કસ્ટમાઇઝ કરી શકાય છે.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'સમય પસંદ કરવા માટે એક ઇન્ટરેક્ટિવ UI. ક્ષેત્ર સેટિંગ્સ ઉપયોગ કરીને સમય ફોર્મેટ કસ્ટમાઇઝ કરી શકાય છે.','An interactive UI for selecting a color, or specifying a Hex value.'=>'રંગ પસંદ કરવા અથવા હેક્સ મૂલ્યનો ઉલ્લેખ કરવા માટે એક ઇન્ટરેક્ટિવ UI.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'ચેકબૉક્સ ઇનપુટ્સનું જૂથ કે જે વપરાશકર્તાને તમે ઉલ્લેખિત કરો છો તે એક અથવા બહુવિધ મૂલ્યો પસંદ કરવાની મંજૂરી આપે છે.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'તમે ઉલ્લેખિત કરેલ મૂલ્યો સાથેના બટનોનું જૂથ, વપરાશકર્તાઓ પ્રદાન કરેલ મૂલ્યોમાંથી એક વિકલ્પ પસંદ કરી શકે છે.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'તમને કન્ટેન્ટ સંપાદિત કરતી વખતે બતાવવામાં આવતી સંકુચિત પેનલ્સમાં કસ્ટમ ફીલ્ડ્સને જૂથ અને ગોઠવવાની મંજૂરી આપે છે. મોટા ડેટાસેટ્સને વ્યવસ્થિત રાખવા માટે ઉપયોગી.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'આ સ્લાઇડ્સ, ટીમના સભ્યો અને કૉલ-ટુ-એક્શન ટાઇલ્સ જેવી સામગ્રીને પુનરાવર્તિત કરવા માટેનો ઉકેલ પૂરો પાડે છે, પેરન્ટ તરીકે કામ કરીને પેટાફિલ્ડના સમૂહ કે જેને વારંવાર પુનરાવર્તિત કરી શકાય છે.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'આ જોડાણોના સંગ્રહનું સંચાલન કરવા માટે એક ઇન્ટરેક્ટિવ ઇન્ટરફેસ પૂરું પાડે છે. મોટાભાગની સેટિંગ્સ ઇમેજ ફીલ્ડના પ્રકાર જેવી જ હોય છે. વધારાની સેટિંગ્સ તમને ગેલેરીમાં નવા જોડાણો ક્યાં ઉમેરવામાં આવે છે અને જોડાણોની ન્યૂનતમ/મહત્તમ સંખ્યાને મંજૂરી આપે છે તેનો ઉલ્લેખ કરવાની મંજૂરી આપે છે.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'આ એક સરળ, સંરચિત, લેઆઉટ-આધારિત સંપાદક પ્રદાન કરે છે. લવચીક સામગ્રી ક્ષેત્ર તમને ઉપલબ્ધ બ્લોક્સ ડિઝાઇન કરવા માટે લેઆઉટ અને સબફિલ્ડનો ઉપયોગ કરીને સંપૂર્ણ નિયંત્રણ સાથે સામગ્રીને વ્યાખ્યાયિત કરવા, બનાવવા અને સંચાલિત કરવાની મંજૂરી આપે છે.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'આ તમને વર્તમાન ક્ષેત્રોને પસંદ કરવા અને પ્રદર્શિત કરવાની મંજૂરી આપે છે. તે ડેટાબેઝમાં કોઈપણ ફીલ્ડની નકલ કરતું નથી, પરંતુ રન-ટાઇમ પર પસંદ કરેલ ફીલ્ડ્સને લોડ કરે છે અને પ્રદર્શિત કરે છે. ક્લોન ફીલ્ડ કાં તો પોતાને પસંદ કરેલ ફીલ્ડ્સ સાથે બદલી શકે છે અથવા પસંદ કરેલ ફીલ્ડ્સને સબફિલ્ડના જૂથ તરીકે પ્રદર્શિત કરી શકે છે.','nounClone'=>'ક્લોન','PRO'=>'પ્રો','Advanced'=>'અદ્યતન','JSON (newer)'=>'JSON (નવું)','Original'=>'અસલ','Invalid post ID.'=>'અમાન્ય પોસ્ટ આઈડી.','Invalid post type selected for review.'=>'સમીક્ષા માટે અમાન્ય પોસ્ટ પ્રકાર પસંદ કર્યો.','More'=>'વધુ','Tutorial'=>'ટ્યુટોરીયલ','Select Field'=>'ક્ષેત્ર પસંદ કરો','Try a different search term or browse %s'=>'એક અલગ શોધ શબ્દ અજમાવો અથવા %s બ્રાઉઝ કરો','Popular fields'=>'લોકપ્રિય ક્ષેત્રો','No search results for \'%s\''=>'\'%s\' માટે કોઈ શોધ પરિણામો નથી','Search fields...'=>'ફીલ્ડ્સ શોધો...','Select Field Type'=>'ક્ષેત્ર પ્રકાર પસંદ કરો','Popular'=>'પ્રખ્યાત','Add Taxonomy'=>'વર્ગીકરણ ઉમેરો','Create custom taxonomies to classify post type content'=>'પોસ્ટ પ્રકારની સામગ્રીને વર્ગીકૃત કરવા માટે કસ્ટમ વર્ગીકરણ બનાવો','Add Your First Taxonomy'=>'તમારી પ્રથમ વર્ગીકરણ ઉમેરો','Hierarchical taxonomies can have descendants (like categories).'=>'અધિક્રમિક વર્ગીકરણમાં વંશજો હોઈ શકે છે (જેમ કે શ્રેણીઓ).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'અગ્રભાગ પર અને એડમિન ડેશબોર્ડમાં વર્ગીકરણ દૃશ્યમાન બનાવે છે.','One or many post types that can be classified with this taxonomy.'=>'આ વર્ગીકરણ સાથે વર્ગીકૃત કરી શકાય તેવા એક અથવા ઘણા પોસ્ટ પ્રકારો.','genre'=>'શૈલી','Genre'=>'શૈલી','Genres'=>'શૈલીઓ','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'`WP_REST_Terms_Controller` ને બદલે વાપરવા માટે વૈકલ્પિક કસ્ટમ નિયંત્રક.','Expose this post type in the REST API.'=>'REST API માં આ પોસ્ટ પ્રકારનો પર્દાફાશ કરો.','Customize the query variable name'=>'ક્વેરી વેરીએબલ નામને કસ્ટમાઇઝ કરો','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'બિન-સુંદર પરમાલિંકનો ઉપયોગ કરીને શરતોને ઍક્સેસ કરી શકાય છે, દા.ત., {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'આ વર્ગીકરણ માટે પરમાલિંક્સ અક્ષમ છે.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'સ્લગ તરીકે વર્ગીકરણ કીનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','Taxonomy Key'=>'વર્ગીકરણ કી','Select the type of permalink to use for this taxonomy.'=>'આ વર્ગીકરણ માટે વાપરવા માટે પરમાલિંકનો પ્રકાર પસંદ કરો.','Display a column for the taxonomy on post type listing screens.'=>'પોસ્ટ ટાઇપ લિસ્ટિંગ સ્ક્રીન પર વર્ગીકરણ માટે કૉલમ પ્રદર્શિત કરો.','Show Admin Column'=>'એડમિન કૉલમ બતાવો','Show the taxonomy in the quick/bulk edit panel.'=>'ઝડપી/બલ્ક સંપાદન પેનલમાં વર્ગીકરણ બતાવો.','Quick Edit'=>'ઝડપી સંપાદન','List the taxonomy in the Tag Cloud Widget controls.'=>'ટેગ ક્લાઉડ વિજેટ નિયંત્રણોમાં વર્ગીકરણની સૂચિ બનાવો.','Tag Cloud'=>'ટૅગ ક્લાઉડ','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'મેટા બૉક્સમાંથી સાચવેલા વર્ગીકરણ ડેટાને સેનિટાઇઝ કરવા માટે કૉલ કરવા માટે PHP ફંક્શન નામ.','Meta Box Sanitization Callback'=>'મેટા બોક્સ સેનિટાઈઝેશન કોલબેક','Register Meta Box Callback'=>'મેટા બોક્સ કોલબેક રજીસ્ટર કરો','No Meta Box'=>'કોઈ મેટા બોક્સ નથી','Custom Meta Box'=>'કસ્ટમ મેટા બોક્સ','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'સામગ્રી સંપાદક સ્ક્રીન પરના મેટા બોક્સને નિયંત્રિત કરે છે. મૂળભૂત રીતે, શ્રેણીઓ મેટા બોક્સ અધિક્રમિક વર્ગીકરણ માટે બતાવવામાં આવે છે, અને ટૅગ્સ મેટા બૉક્સ બિન-હાયરાર્કિકલ વર્ગીકરણ માટે બતાવવામાં આવે છે.','Meta Box'=>'મેટા બોક્સ','Categories Meta Box'=>'શ્રેણીઓ મેટા બોક્સ','Tags Meta Box'=>'ટૅગ્સ મેટા બોક્સ','A link to a tag'=>'ટેગની લિંક','Describes a navigation link block variation used in the block editor.'=>'બ્લોક એડિટરમાં વપરાતી નેવિગેશન લિંક બ્લોક ભિન્નતાનું વર્ણન કરે છે.','A link to a %s'=>'%s ની લિંક','Tag Link'=>'ટૅગ લિંક','Assigns a title for navigation link block variation used in the block editor.'=>'બ્લોક એડિટરમાં વપરાતી નેવિગેશન લિંક બ્લોક ભિન્નતાનું વર્ણન કરે છે.','← Go to tags'=>'← ટૅગ્સ પર જાઓ','Assigns the text used to link back to the main index after updating a term.'=>'શબ્દને અપડેટ કર્યા પછી મુખ્ય અનુક્રમણિકા સાથે પાછા લિંક કરવા માટે વપરાયેલ ટેક્સ્ટને સોંપે છે.','Back To Items'=>'આઇટમ્સ પર પાછા ફરો','← Go to %s'=>'← %s પર જાઓ','Tags list'=>'ટૅગ્સની સૂચિ','Assigns text to the table hidden heading.'=>'કોષ્ટક છુપાયેલા મથાળાને ટેક્સ્ટ અસાઇન કરે છે.','Tags list navigation'=>'ટૅગ્સ સૂચિ નેવિગેશન','Assigns text to the table pagination hidden heading.'=>'કોષ્ટક પૃષ્ઠ ક્રમાંકન છુપાયેલા મથાળાને ટેક્સ્ટ અસાઇન કરે છે.','Filter by category'=>'શ્રેણી દ્વારા ફિલ્ટર કરો','Assigns text to the filter button in the posts lists table.'=>'પોસ્ટ લિસ્ટ ટેબલમાં ફિલ્ટર બટન પર ટેક્સ્ટ અસાઇન કરે છે.','Filter By Item'=>'આઇટમ દ્વારા ફિલ્ટર કરો','Filter by %s'=>'%s દ્વારા ફિલ્ટર કરો','The description is not prominent by default; however, some themes may show it.'=>'આ વર્ણન મૂળભૂત રીતે જાણીતું નથી; તેમ છતાં, કોઈક થિમમા કદાચ દેખાય.','Describes the Description field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર પેરેન્ટ ફીલ્ડનું વર્ણન કરે છે.','Description Field Description'=>'વર્ણન ક્ષેત્રનું વર્ણન','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'અધિક્રમ(hierarchy) બનાવવા માટે એક પેરન્ટ ટર્મ સોંપો. ઉદાહરણ તરીકે જાઝ ટર્મ, બેબોપ અને બિગ બેન્ડની પેરન્ટ હશે.','Describes the Parent field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર પેરેન્ટ ફીલ્ડનું વર્ણન કરે છે.','Parent Field Description'=>'પિતૃ ક્ષેત્રનું વર્ણન','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"સ્લગ" એ નામનું URL-મૈત્રીપૂર્ણ સંસ્કરણ છે. તે સામાન્ય રીતે બધા લોઅરકેસ હોય છે અને તેમાં માત્ર અક્ષરો, સંખ્યાઓ અને હાઇફન્સ હોય છે.','Describes the Slug field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર નામ ફીલ્ડનું વર્ણન કરે છે.','Slug Field Description'=>'નામ ક્ષેત્ર વર્ણન','The name is how it appears on your site'=>'નામ જે તમારી સાઇટ પર દેખાશે.','Describes the Name field on the Edit Tags screen.'=>'એડિટ ટૅગ્સ સ્ક્રીન પર નામ ફીલ્ડનું વર્ણન કરે છે.','Name Field Description'=>'નામ ક્ષેત્ર વર્ણન','No tags'=>'ટૅગ્સ નથી','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'જ્યારે કોઈ ટૅગ્સ અથવા કૅટેગરીઝ ઉપલબ્ધ ન હોય ત્યારે પોસ્ટ્સ અને મીડિયા સૂચિ કોષ્ટકોમાં પ્રદર્શિત ટેક્સ્ટને અસાઇન કરે છે.','No Terms'=>'કોઈ શરતો નથી','No %s'=>'ના %s','No tags found'=>'કોઈ ટેગ મળ્યા નથી','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'જ્યારે કોઈ ટૅગ્સ ઉપલબ્ધ ન હોય ત્યારે વર્ગીકરણ મેટા બૉક્સમાં \'સૌથી વધુ વપરાયેલામાંથી પસંદ કરો\' ટેક્સ્ટને ક્લિક કરતી વખતે પ્રદર્શિત ટેક્સ્ટને અસાઇન કરે છે અને જ્યારે વર્ગીકરણ માટે કોઈ આઇટમ ન હોય ત્યારે ટર્મ્સ લિસ્ટ કોષ્ટકમાં વપરાયેલ ટેક્સ્ટને અસાઇન કરે છે.','Not Found'=>'મળ્યું નથી','Assigns text to the Title field of the Most Used tab.'=>'સૌથી વધુ ઉપયોગમાં લેવાતી ટેબના શીર્ષક ક્ષેત્રમાં ટેક્સ્ટ અસાઇન કરે છે.','Most Used'=>'સૌથી વધુ વપરાયેલ','Choose from the most used tags'=>'સૌથી વધુ ઉપયોગ થયેલ ટૅગ્સ માંથી પસંદ કરો','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'જ્યારે JavaScript અક્ષમ હોય ત્યારે મેટા બૉક્સમાં વપરાયેલ \'સૌથી વધુ ઉપયોગમાંથી પસંદ કરો\' ટેક્સ્ટને અસાઇન કરે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે.','Choose From Most Used'=>'સૌથી વધુ વપરાયેલમાંથી પસંદ કરો','Choose from the most used %s'=>'%s સૌથી વધુ ઉપયોગ થયેલ ટૅગ્સ માંથી પસંદ કરો','Add or remove tags'=>'ટૅગ્સ ઉમેરો અથવા દૂર કરો','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'જ્યારે JavaScript અક્ષમ હોય ત્યારે મેટા બૉક્સમાં ઉપયોગમાં લેવાતી આઇટમ્સ ઉમેરો અથવા દૂર કરો ટેક્સ્ટને સોંપે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે','Add Or Remove Items'=>'વસ્તુઓ ઉમેરો અથવા દૂર કરો','Add or remove %s'=>'%s ઉમેરો અથવા દૂર કરો','Separate tags with commas'=>'અલ્પવિરામથી ટૅગ્સ અલગ કરો','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'વર્ગીકરણ મેટા બોક્સમાં વપરાયેલ અલ્પવિરામ ટેક્સ્ટ સાથે અલગ આઇટમ સોંપે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ પર વપરાય છે.','Separate Items With Commas'=>'અલ્પવિરામથી ટૅગ્સ અલગ કરો','Separate %s with commas'=>'અલ્પવિરામથી %s ને અલગ કરો','Popular Tags'=>'લોકપ્રિય ટૅગ્સ','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'લોકપ્રિય આઇટમ ટેક્સ્ટ અસાઇન કરે છે. માત્ર બિન-હાયરાર્કીકલ વર્ગીકરણ માટે વપરાય છે.','Popular Items'=>'લોકપ્રિય વસ્તુઓ','Popular %s'=>'લોકપ્રિય %s','Search Tags'=>'ટૅગ્સ શોધો','Assigns search items text.'=>'શોધ આઇટમ ટેક્સ્ટ સોંપે છે.','Parent Category:'=>'પિતૃ શ્રેણી:','Assigns parent item text, but with a colon (:) added to the end.'=>'પેરેન્ટ આઇટમ ટેક્સ્ટ અસાઇન કરે છે, પરંતુ અંતમાં કોલોન (:) સાથે ઉમેરવામાં આવે છે.','Parent Item With Colon'=>'કોલોન સાથે પિતૃ શ્રેણી','Parent Category'=>'પિતૃ શ્રેણી','Assigns parent item text. Only used on hierarchical taxonomies.'=>'પેરેન્ટ આઇટમ ટેક્સ્ટ અસાઇન કરે છે. માત્ર અધિક્રમિક વર્ગીકરણ પર વપરાય છે.','Parent Item'=>'પિતૃ વસ્તુ','Parent %s'=>'પેરન્ટ %s','New Tag Name'=>'નવા ટેગ નું નામ','Assigns the new item name text.'=>'નવી આઇટમ નામનો ટેક્સ્ટ અસાઇન કરે છે.','New Item Name'=>'નવી આઇટમનું નામ','New %s Name'=>'નવું %s નામ','Add New Tag'=>'નવું ટેગ ઉમેરો','Assigns the add new item text.'=>'નવી આઇટમ ઉમેરો ટેક્સ્ટ સોંપે છે.','Update Tag'=>'અદ્યતન ટેગ','Assigns the update item text.'=>'અપડેટ આઇટમ ટેક્સ્ટ સોંપે છે.','Update Item'=>'આઇટમ અપડેટ કરો','Update %s'=>'%s અપડેટ કરો','View Tag'=>'ટેગ જુઓ','In the admin bar to view term during editing.'=>'સંપાદન દરમિયાન શબ્દ જોવા માટે એડમિન બારમાં.','Edit Tag'=>'ટેગ માં ફેરફાર કરો','At the top of the editor screen when editing a term.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','All Tags'=>'બધા ટૅગ્સ','Assigns the all items text.'=>'બધી આઇટમ ટેક્સ્ટ અસાઇન કરે છે.','Assigns the menu name text.'=>'મેનુ નામ લખાણ સોંપે છે.','Menu Label'=>'મેનુ લેબલ','Active taxonomies are enabled and registered with WordPress.'=>'સક્રિય વર્ગીકરણ વર્ડપ્રેસ સાથે સક્ષમ અને નોંધાયેલ છે.','A descriptive summary of the taxonomy.'=>'વર્ગીકરણનો વર્ણનાત્મક સારાંશ.','A descriptive summary of the term.'=>'શબ્દનો વર્ણનાત્મક સારાંશ.','Term Description'=>'ટર્મ વર્ણન','Single word, no spaces. Underscores and dashes allowed.'=>'એક શબ્દ, કોઈ જગ્યા નથી. અન્ડરસ્કોર અને ડેશની મંજૂરી છે.','Term Slug'=>'ટર્મ સ્લગ','The name of the default term.'=>'મૂળભૂત શબ્દનું નામ.','Term Name'=>'ટર્મ નામ','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'વર્ગીકરણ માટે એક શબ્દ બનાવો કે જેને કાઢી ન શકાય. તે મૂળભૂત રીતે પોસ્ટ્સ માટે પસંદ કરવામાં આવશે નહીં.','Default Term'=>'ડિફૉલ્ટ ટર્મ','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'શું આ વર્ગીકરણની શરતો `wp_set_object_terms()` ને પ્રદાન કરવામાં આવી છે તે ક્રમમાં સૉર્ટ કરવી જોઈએ.','Sort Terms'=>'સૉર્ટ શરતો','Add Post Type'=>'નવો પોસ્ટ પ્રકાર','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'વર્ડપ્રેસની કાર્યક્ષમતાને કસ્ટમ પોસ્ટ પ્રકારો સાથે પ્રમાણભૂત પોસ્ટ્સ અને પૃષ્ઠોથી આગળ વિસ્તૃત કરો','Add Your First Post Type'=>'તમારો પ્રથમ પોસ્ટ પ્રકાર ઉમેરો','I know what I\'m doing, show me all the options.'=>'હું જાણું છું કે હું શું કરી રહ્યો છું, મને બધા વિકલ્પો બતાવો.','Advanced Configuration'=>'અદ્યતન રૂપરેખાંકન','Hierarchical post types can have descendants (like pages).'=>'અધિક્રમિક વર્ગીકરણમાં વંશજો હોઈ શકે છે (જેમ કે શ્રેણીઓ).','Hierarchical'=>'વંશવેલો','Visible on the frontend and in the admin dashboard.'=>'અગ્રભાગ પર અને એડમિન ડેશબોર્ડમાં દૃશ્યમાન.','Public'=>'પબ્લિક','movie'=>'ફિલ્મ','Lower case letters, underscores and dashes only, Max 20 characters.'=>'લોઅર કેસ અક્ષરો, માત્ર અન્ડરસ્કોર અને ડૅશ, મહત્તમ ૨૦ અક્ષરો.','Movie'=>'ફિલ્મ','Singular Label'=>'એકવચન નામ','Movies'=>'મૂવીઝ','Plural Label'=>'બહુવચન નામ','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` ને બદલે વાપરવા માટે વૈકલ્પિક કસ્ટમ નિયંત્રક.','Controller Class'=>'નિયંત્રક વર્ગ','The namespace part of the REST API URL.'=>'REST API URL નો નેમસ્પેસ ભાગ.','Namespace Route'=>'નેમસ્પેસ રૂટ','The base URL for the post type REST API URLs.'=>'પોસ્ટ પ્રકાર REST API URL માટે આધાર URL.','Base URL'=>'આધાર URL','Exposes this post type in the REST API. Required to use the block editor.'=>'REST API માં આ પોસ્ટ પ્રકારનો પર્દાફાશ કરે છે. બ્લોક એડિટરનો ઉપયોગ કરવા માટે જરૂરી છે.','Show In REST API'=>'REST API માં બતાવો','Customize the query variable name.'=>'ક્વેરી વેરીએબલ નામને કસ્ટમાઇઝ કરો','Query Variable'=>'ક્વેરી વેરીએબલ','No Query Variable Support'=>'કોઈ ક્વેરી વેરીએબલ સપોર્ટ નથી','Custom Query Variable'=>'કસ્ટમ ક્વેરી વેરીએબલ','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'બિન-સુંદર પરમાલિંકનો ઉપયોગ કરીને શરતોને ઍક્સેસ કરી શકાય છે, દા.ત., {query_var}={term_slug}.','Query Variable Support'=>'વેરીએબલ સપોર્ટ ક્વેરી','URLs for an item and items can be accessed with a query string.'=>'આઇટમ અને આઇટમ્સ માટેના URL ને ક્વેરી સ્ટ્રિંગ વડે એક્સેસ કરી શકાય છે.','Publicly Queryable'=>'સાર્વજનિક રૂપે પૂછવા યોગ્ય','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'તમારી થીમમાં આર્કાઇવ ટેમ્પલેટ ફાઇલ સાથે કસ્ટમાઇઝ કરી શકાય તેવી આઇટમ આર્કાઇવ ધરાવે છે.','Archive'=>'આર્કાઇવ્સ','Pagination support for the items URLs such as the archives.'=>'આર્કાઇવ્સ જેવી વસ્તુઓ URL માટે પૃષ્ઠ ક્રમાંકન સપોર્ટ.','Pagination'=>'પૃષ્ઠ ક્રમાંકન','RSS feed URL for the post type items.'=>'પોસ્ટ પ્રકારની વસ્તુઓ માટે RSS ફીડ URL.','Feed URL'=>'ફીડ URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'URL માં `WP_Rwrite::$front` ઉપસર્ગ ઉમેરવા માટે પરમાલિંક માળખું બદલે છે.','Front URL Prefix'=>'ફ્રન્ટ URL ઉપસર્ગ','Customize the slug used in the URL.'=>'','URL Slug'=>'URL સ્લગ','Permalinks for this post type are disabled.'=>'આ વર્ગીકરણ માટે પરમાલિંક્સ અક્ષમ છે.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'નીચેના ઇનપુટમાં વ્યાખ્યાયિત કસ્ટમ સ્લગનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','No Permalink (prevent URL rewriting)'=>'કોઈ પરમાલિંક નથી (URL પુનઃલેખન અટકાવો)','Custom Permalink'=>'કસ્ટમ પરમાલિંક','Post Type Key'=>'પોસ્ટ પ્રકાર કી','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'સ્લગ તરીકે વર્ગીકરણ કીનો ઉપયોગ કરીને URL ને ફરીથી લખો. તમારું પરમાલિંક માળખું હશે','Permalink Rewrite'=>'પરમાલિંક ફરીથી લખો','Delete items by a user when that user is deleted.'=>'જ્યારે તે વપરાશકર્તા કાઢી નાખવામાં આવે ત્યારે વપરાશકર્તા દ્વારા આઇટમ્સ કાઢી નાખો.','Delete With User'=>'વપરાશકર્તા સાથે કાઢી નાખો','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'પોસ્ટ પ્રકારને \'ટૂલ્સ\' > \'નિકાસ\'માંથી નિકાસ કરવાની મંજૂરી આપો.','Can Export'=>'નિકાસ કરી શકે છે','Optionally provide a plural to be used in capabilities.'=>'વૈકલ્પિક રીતે ક્ષમતાઓમાં ઉપયોગમાં લેવા માટે બહુવચન પ્રદાન કરો.','Plural Capability Name'=>'બહુવચન ક્ષમતા નામ','Choose another post type to base the capabilities for this post type.'=>'આ પોસ્ટ પ્રકાર માટેની ક્ષમતાઓને આધાર આપવા માટે અન્ય પોસ્ટ પ્રકાર પસંદ કરો.','Singular Capability Name'=>'એકવચન ક્ષમતા નામ','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'મૂળભૂત રીતે પોસ્ટ પ્રકારની ક્ષમતાઓ \'પોસ્ટ\' ક્ષમતાના નામોને વારસામાં મેળવશે, દા.ત. એડિટ_પોસ્ટ, ડિલીટ_પોસ્ટ. પોસ્ટ પ્રકારની વિશિષ્ટ ક્ષમતાઓનો ઉપયોગ કરવા સક્ષમ કરો, દા.ત. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'ક્ષમતાઓનું નામ બદલો','Exclude From Search'=>'શોધમાંથી બાકાત રાખો','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'આઇટમ્સને \'દેખાવ\' > \'મેનૂઝ\' સ્ક્રીનમાં મેનૂમાં ઉમેરવાની મંજૂરી આપો. \'સ્ક્રીન વિકલ્પો\'માં ચાલુ કરવું આવશ્યક છે.','Appearance Menus Support'=>'દેખાવ મેનુ આધાર','Appears as an item in the \'New\' menu in the admin bar.'=>'એડમિન બારમાં \'નવા\' મેનૂમાં આઇટમ તરીકે દેખાય છે.','Show In Admin Bar'=>'એડમિન બારમાં બતાવો','Custom Meta Box Callback'=>'કસ્ટમ મેટા બોક્સ કોલબેક','Menu Icon'=>'મેનુ આયકન','The position in the sidebar menu in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં સાઇડબાર મેનૂમાં સ્થિતિ.','Menu Position'=>'મેનુ સ્થિતિ','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'ડિફૉલ્ટ રૂપે પોસ્ટના પ્રકારને એડમિન મેનૂમાં નવી ટોચની આઇટમ મળશે. જો હાલની ટોચની આઇટમ અહીં પૂરી પાડવામાં આવે છે, તો પોસ્ટનો પ્રકાર તેની હેઠળ સબમેનુ આઇટમ તરીકે ઉમેરવામાં આવશે.','Admin Menu Parent'=>'એડમિન મેનુ પેરન્ટ','Admin editor navigation in the sidebar menu.'=>'સાઇડબાર મેનૂમાં એડમિન એડિટર નેવિગેશન.','Show In Admin Menu'=>'એડમિન મેનુમાં બતાવો','Items can be edited and managed in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં વસ્તુઓને સંપાદિત અને સંચાલિત કરી શકાય છે.','Show In UI'=>'UI માં બતાવો','A link to a post.'=>'પોસ્ટની લિંક.','Description for a navigation link block variation.'=>'નેવિગેશન લિંક બ્લોક વિવિધતા માટે વર્ણન.','Item Link Description'=>'આઇટમ લિંક વર્ણન','A link to a %s.'=>'%s ની લિંક.','Post Link'=>'પોસ્ટ લિંક','Title for a navigation link block variation.'=>'નેવિગેશન લિંક બ્લોક વિવિધતા માટે શીર્ષક.','Item Link'=>'આઇટમ લિંક','%s Link'=>'%s લિંક','Post updated.'=>'પોસ્ટ અપડેટ થઇ ગઈ છે.','In the editor notice after an item is updated.'=>'આઇટમ અપડેટ થયા પછી એડિટર નોટિસમાં.','Item Updated'=>'આઈટમ અપડેટેડ.','%s updated.'=>'%s અપડેટ થઇ ગયું!','Post scheduled.'=>'સુનિશ્ચિત પોસ્ટ.','In the editor notice after scheduling an item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Scheduled'=>'આઇટમ સુનિશ્ચિત','%s scheduled.'=>'%s શેડ્યૂલ.','Post reverted to draft.'=>'પોસ્ટ ડ્રાફ્ટમાં પાછું ફેરવ્યું.','In the editor notice after reverting an item to draft.'=>'આઇટમને ડ્રાફ્ટમાં પાછી ફેરવ્યા પછી સંપાદક સૂચનામાં.','Item Reverted To Draft'=>'આઇટમ ડ્રાફ્ટમાં પાછી ફેરવાઈ','%s reverted to draft.'=>'%s ડ્રાફ્ટમાં પાછું ફર્યું.','Post published privately.'=>'પોસ્ટ ખાનગી રીતે પ્રકાશિત.','In the editor notice after publishing a private item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Published Privately'=>'આઇટમ ખાનગી રીતે પ્રકાશિત','%s published privately.'=>'%s ખાનગી રીતે પ્રકાશિત.','Post published.'=>'પોસ્ટ પ્રકાશિત થઇ ગઈ છે.','In the editor notice after publishing an item.'=>'આઇટમ સુનિશ્ચિત કર્યા પછી સંપાદક સૂચનામાં.','Item Published'=>'આઇટમ પ્રકાશિત','%s published.'=>'%s પ્રકાશિત.','Posts list'=>'પોસ્ટ્સ યાદી','Used by screen readers for the items list on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Items List'=>'આઇટ્મસ યાદી','%s list'=>'%s યાદી','Posts list navigation'=>'પોસ્ટ્સ સંશોધક માટે ની યાદી','Used by screen readers for the filter list pagination on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Items List Navigation'=>'વસ્તુઓની યાદી સંશોધક','%s list navigation'=>'%s ટૅગ્સ યાદી નેવિગેશન','Filter posts by date'=>'તારીખ દ્વારા પોસ્ટ્સ ફિલ્ટર કરો','Used by screen readers for the filter by date heading on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પર તારીખ દ્વારા ફિલ્ટર માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Filter Items By Date'=>'તારીખ દ્વારા આઇટમ્સ ફિલ્ટર કરો','Filter %s by date'=>'તારીખ દ્વારા %s ફિલ્ટર કરો','Filter posts list'=>'પોસ્ટની સૂચિ ને ફિલ્ટર કરો','Used by screen readers for the filter links heading on the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીન પરની ફિલ્ટર લિંક્સ માટે સ્ક્રીન રીડર્સ દ્વારા ઉપયોગમાં લેવાય છે.','Filter Items List'=>'વસ્તુઓ ની યાદી ફિલ્ટર કરો','Filter %s list'=>'%s સૂચિને ફિલ્ટર કરો','In the media modal showing all media uploaded to this item.'=>'મીડિયા મોડલમાં આ આઇટમ પર અપલોડ કરેલ તમામ મીડિયા દર્શાવે છે.','Uploaded To This Item'=>'આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','Uploaded to this %s'=>'%s આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','Insert into post'=>'પોસ્ટ માં સામેલ કરો','As the button label when adding media to content.'=>'સામગ્રીમાં મીડિયા ઉમેરતી વખતે બટન લેબલ તરીકે.','Insert Into Media Button'=>'મીડિયા બટનમાં દાખલ કરો','Insert into %s'=>'%s માં દાખલ કરો','Use as featured image'=>'વૈશિષ્ટિકૃત છબી તરીકે ઉપયોગ કરો','As the button label for selecting to use an image as the featured image.'=>'વૈશિષ્ટિકૃત છબી તરીકે છબીનો ઉપયોગ કરવા માટે પસંદ કરવા માટેના બટન લેબલ તરીકે.','Use Featured Image'=>'વૈશિષ્ટિકૃત છબીનો ઉપયોગ કરો','Remove featured image'=>'વૈશિષ્ટિકૃત છબી દૂર કરો','As the button label when removing the featured image.'=>'ફીચર્ડ ઈમેજ દૂર કરતી વખતે બટન લેબલ તરીકે.','Remove Featured Image'=>'વિશેષ ચિત્ર દૂર કરો','Set featured image'=>'ફીચર્ડ ચિત્ર સેટ કરો','As the button label when setting the featured image.'=>'ફીચર્ડ ઈમેજ સેટ કરતી વખતે બટન લેબલ તરીકે.','Set Featured Image'=>'ફીચર્ડ છબી સેટ કરો','Featured image'=>'વૈશિષ્ટિકૃત છબી','In the editor used for the title of the featured image meta box.'=>'ફીચર્ડ ઈમેજ મેટા બોક્સના શીર્ષક માટે ઉપયોગમાં લેવાતા એડિટરમાં.','Featured Image Meta Box'=>'ફીચર્ડ ઇમેજ મેટા બોક્સ','Post Attributes'=>'પોસ્ટ લક્ષણો','In the editor used for the title of the post attributes meta box.'=>'પોસ્ટ એટ્રીબ્યુટ્સ મેટા બોક્સના શીર્ષક માટે ઉપયોગમાં લેવાતા એડિટરમાં.','Attributes Meta Box'=>'લક્ષણો મેટા બોક્સ','%s Attributes'=>'%s પોસ્ટ લક્ષણો','Post Archives'=>'કાર્ય આર્કાઇવ્ઝ','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'આ લેબલ સાથે \'પોસ્ટ ટાઇપ આર્કાઇવ\' આઇટમ્સને આર્કાઇવ્સ સક્ષમ સાથે CPTમાં અસ્તિત્વમાંના મેનૂમાં આઇટમ ઉમેરતી વખતે બતાવવામાં આવેલી પોસ્ટ્સની સૂચિમાં ઉમેરે છે. જ્યારે \'લાઈવ પ્રીવ્યૂ\' મોડમાં મેનુ સંપાદિત કરવામાં આવે ત્યારે જ દેખાય છે અને કસ્ટમ આર્કાઈવ સ્લગ પ્રદાન કરવામાં આવે છે.','Archives Nav Menu'=>'આર્કાઇવ્સ નેવ મેનુ','%s Archives'=>'%s આર્કાઇવ્સ','No posts found in Trash'=>'ટ્રેશમાં કોઈ પોસ્ટ્સ મળી નથી','At the top of the post type list screen when there are no posts in the trash.'=>'જ્યારે ટ્રેશમાં કોઈ પોસ્ટ ન હોય ત્યારે પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીનની ટોચ પર.','No Items Found in Trash'=>'ટ્રેશમાં કોઈ આઇટમ્સ મળી નથી','No %s found in Trash'=>'ટ્રેશમાં કોઈ %s મળ્યું નથી','No posts found'=>'કોઈ પોસ્ટ મળી નથી','At the top of the post type list screen when there are no posts to display.'=>'જ્યારે પ્રદર્શિત કરવા માટે કોઈ પોસ્ટ્સ ન હોય ત્યારે પોસ્ટ ટાઇપ સૂચિ સ્ક્રીનની ટોચ પર.','No Items Found'=>'કોઈ આઇટમ્સ મળી નથી','No %s found'=>'કોઈ %s મળ્યું નથી','Search Posts'=>'પોસ્ટ્સ શોધો','At the top of the items screen when searching for an item.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','Search Items'=>'આઇટમ્સ શોધો','Search %s'=>'%s શોધો','Parent Page:'=>'પિતૃ પૃષ્ઠ:','For hierarchical types in the post type list screen.'=>'પોસ્ટ ટાઇપ લિસ્ટ સ્ક્રીનમાં અધિક્રમિક પ્રકારો માટે.','Parent Item Prefix'=>'','Parent %s:'=>'પેરન્ટ %s','New Post'=>'નવી પોસ્ટ','New Item'=>'નવી આઇટમ','New %s'=>'નવું %s','Add New Post'=>'નવી પોસ્ટ ઉમેરો','At the top of the editor screen when adding a new item.'=>'શબ્દ સંપાદિત કરતી વખતે સંપાદક સ્ક્રીનની ટોચ પર.','Add New Item'=>'નવી આઇટમ ઉમેરો','Add New %s'=>'નવું %s ઉમેરો','View Posts'=>'પોસ્ટ્સ જુઓ','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'પેરેન્ટ આઇટમ \'બધી પોસ્ટ્સ\' વ્યુમાં એડમિન બારમાં દેખાય છે, જો પોસ્ટ પ્રકાર આર્કાઇવ્સને સપોર્ટ કરે છે અને હોમ પેજ તે પોસ્ટ પ્રકારનું આર્કાઇવ નથી.','View Items'=>'આઇટમ જુઓ','View Post'=>'પોસ્ટ જુઓ','In the admin bar to view item when editing it.'=>'આઇટમમાં ફેરફાર કરતી વખતે તેને જોવા માટે એડમિન બારમાં.','View Item'=>'આઇટમ જુઓ','View %s'=>'%s જુઓ','Edit Post'=>'પોસ્ટ સુધારો','At the top of the editor screen when editing an item.'=>'આઇટમ સંપાદિત કરતી વખતે એડિટર સ્ક્રીનની ટોચ પર.','Edit Item'=>'આઇટમ સંપાદિત કરો','Edit %s'=>'%s સંપાદિત કરો','All Posts'=>'બધા પોસ્ટ્સ','In the post type submenu in the admin dashboard.'=>'એડમિન ડેશબોર્ડમાં પોસ્ટ ટાઇપ સબમેનુમાં.','All Items'=>'બધી વસ્તુઓ','All %s'=>'બધા %s','Admin menu name for the post type.'=>'પોસ્ટ પ્રકાર માટે એડમિન મેનુ નામ.','Menu Name'=>'મેનુ નુ નામ','Regenerate all labels using the Singular and Plural labels'=>'એકવચન અને બહુવચન લેબલ્સનો ઉપયોગ કરીને બધા લેબલ્સ ફરીથી બનાવો','Regenerate'=>'પુનઃસર્જન કરો','Active post types are enabled and registered with WordPress.'=>'સક્રિય પોસ્ટ પ્રકારો સક્ષમ અને વર્ડપ્રેસ સાથે નોંધાયેલ છે.','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'સામગ્રી સંપાદકમાં વિવિધ સુવિધાઓને સક્ષમ કરો.','Post Formats'=>'પોસ્ટ ફોર્મેટ્સ','Editor'=>'સંપાદક','Trackbacks'=>'ટ્રેકબેક્સ','Select existing taxonomies to classify items of the post type.'=>'પોસ્ટ પ્રકારની વસ્તુઓનું વર્ગીકરણ કરવા માટે વર્તમાન વર્ગીકરણ પસંદ કરો.','Browse Fields'=>'ક્ષેત્રો બ્રાઉઝ કરો','Nothing to import'=>'આયાત કરવા માટે કંઈ નથી','. The Custom Post Type UI plugin can be deactivated.'=>'. કસ્ટમ પોસ્ટ પ્રકાર UI પ્લગઇન નિષ્ક્રિય કરી શકાય છે.','Imported %d item from Custom Post Type UI -'=>'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી %d આઇટમ આયાત કરી -' . "\0" . 'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી %d આઇટમ આયાત કરી -','Failed to import taxonomies.'=>'વર્ગીકરણ આયાત કરવામાં નિષ્ફળ.','Failed to import post types.'=>'પોસ્ટ પ્રકારો આયાત કરવામાં નિષ્ફળ.','Nothing from Custom Post Type UI plugin selected for import.'=>'કસ્ટમ પોસ્ટ પ્રકાર UI પ્લગઇનમાંથી કંઈપણ આયાત માટે પસંદ કરેલ નથી.','Imported 1 item'=>'1 આઇટમ આયાત કરી' . "\0" . '%s આઇટમ આયાત કરી','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'પહેલાથી જ અસ્તિત્વમાં છે તે જ કી સાથે પોસ્ટ પ્રકાર અથવા વર્ગીકરણ આયાત કરવાથી વર્તમાન પોસ્ટ પ્રકાર અથવા વર્ગીકરણની સેટિંગ્સ આયાતની સાથે ઓવરરાઈટ થઈ જશે.','Import from Custom Post Type UI'=>'કસ્ટમ પોસ્ટ પ્રકાર UI માંથી આયાત કરો','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'નીચેના કોડનો ઉપયોગ પસંદ કરેલી વસ્તુઓના સ્થાનિક સંસ્કરણની નોંધણી કરવા માટે થઈ શકે છે. સ્થાનિક રીતે ફીલ્ડ જૂથો, પોસ્ટ પ્રકારો અથવા વર્ગીકરણને સંગ્રહિત કરવાથી ઝડપી લોડ ટાઈમ, વર્ઝન કંટ્રોલ અને ડાયનેમિક ફીલ્ડ્સ/સેટિંગ્સ જેવા ઘણા ફાયદા મળી શકે છે. ફક્ત નીચેના કોડને તમારી થીમની functions.php ફાઇલમાં કોપી અને પેસ્ટ કરો અથવા તેને બાહ્ય ફાઇલમાં સમાવિષ્ટ કરો, પછી ACF એડમિન તરફથી આઇટમ્સને નિષ્ક્રિય કરો અથવા કાઢી નાખો.','Export - Generate PHP'=>'નિકાસ - PHP જનરેટ કરો','Export'=>'નિકાસ કરો','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'વર્ગ','Tag'=>'ટૅગ','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'વર્ગીકરણ સબમિટ કર્યું.','Taxonomy saved.'=>'વર્ગીકરણ સાચવ્યું.','Taxonomy deleted.'=>'વર્ગીકરણ કાઢી નાખ્યું.','Taxonomy updated.'=>'વર્ગીકરણ અપડેટ કર્યું.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'આ વર્ગીકરણ રજીસ્ટર થઈ શક્યું નથી કારણ કે તેની કી અન્ય પ્લગઈન અથવા થીમ દ્વારા નોંધાયેલ અન્ય વર્ગીકરણ દ્વારા ઉપયોગમાં લેવાય છે.','Taxonomy synchronized.'=>'વર્ગીકરણ સમન્વયિત.' . "\0" . '%s વર્ગીકરણ સમન્વયિત.','Taxonomy duplicated.'=>'વર્ગીકરણ ડુપ્લિકેટ.' . "\0" . '%s વર્ગીકરણ ડુપ્લિકેટ.','Taxonomy deactivated.'=>'વર્ગીકરણ નિષ્ક્રિય.' . "\0" . '%s વર્ગીકરણ નિષ્ક્રિય.','Taxonomy activated.'=>'વર્ગીકરણ સક્રિય થયું.' . "\0" . '%s વર્ગીકરણ સક્રિય.','Terms'=>'શરતો','Post type synchronized.'=>'પોસ્ટ પ્રકાર સમન્વયિત.' . "\0" . '%s પોસ્ટ પ્રકારો સમન્વયિત.','Post type duplicated.'=>'પોસ્ટ પ્રકાર ડુપ્લિકેટ.' . "\0" . '%s પોસ્ટ પ્રકારો ડુપ્લિકેટ.','Post type deactivated.'=>'પોસ્ટ પ્રકાર નિષ્ક્રિય.' . "\0" . '%s પોસ્ટ પ્રકારો નિષ્ક્રિય કર્યા.','Post type activated.'=>'પોસ્ટનો પ્રકાર સક્રિય કર્યો.' . "\0" . '%s પોસ્ટ પ્રકારો સક્રિય થયા.','Post Types'=>'પોસ્ટ પ્રકારો','Advanced Settings'=>'સંવર્ધિત વિકલ્પો','Basic Settings'=>'મૂળભૂત સેટિંગ્સ','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'આ પોસ્ટ પ્રકાર રજીસ્ટર થઈ શક્યો નથી કારણ કે તેની કી અન્ય પ્લગઈન અથવા થીમ દ્વારા નોંધાયેલ અન્ય પોસ્ટ પ્રકાર દ્વારા ઉપયોગમાં લેવાય છે.','Pages'=>'પૃષ્ઠો','Link Existing Field Groups'=>'હાલના ફીલ્ડ જૂથોને લિંક કરો','%s post type created'=>'%s પોસ્ટ પ્રકાર બનાવ્યો','Add fields to %s'=>'%s માં ફીલ્ડ્સ ઉમેરો','%s post type updated'=>'%s પોસ્ટ પ્રકાર અપડેટ કર્યો','Post type draft updated.'=>'પોસ્ટ પ્રકાર ડ્રાફ્ટ અપડેટ કર્યો.','Post type scheduled for.'=>'પોસ્ટ પ્રકાર માટે સુનિશ્ચિત થયેલ છે.','Post type submitted.'=>'પોસ્ટનો પ્રકાર સબમિટ કર્યો.','Post type saved.'=>'પોસ્ટનો પ્રકાર સાચવ્યો.','Post type updated.'=>'પોસ્ટ પ્રકાર અપડેટ કર્યો.','Post type deleted.'=>'પોસ્ટનો પ્રકાર કાઢી નાખ્યો.','Type to search...'=>'શોધવા માટે ટાઇપ કરો...','PRO Only'=>'માત્ર પ્રો','Field groups linked successfully.'=>'ક્ષેત્ર જૂથો સફળતાપૂર્વક લિંક થયા.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'કસ્ટમ પોસ્ટ પ્રકાર UI સાથે નોંધાયેલ પોસ્ટ પ્રકારો અને વર્ગીકરણ આયાત કરો અને ACF સાથે તેનું સંચાલન કરો. પ્રારંભ કરો.','ACF'=>'','taxonomy'=>'વર્ગીકરણ','post type'=>'પોસ્ટ પ્રકાર','Done'=>'પૂર્ણ','Field Group(s)'=>'ક્ષેત્ર જૂથો','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'પરવાનગીઓ','URLs'=>'URLs','Visibility'=>'દૃશ્યતા','Labels'=>'લેબલ્સ','Field Settings Tabs'=>'ફીલ્ડ સેટિંગ્સ ટૅબ્સ','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[એસીએફ શોર્ટકોડ મૂલ્ય પૂર્વાવલોકન માટે અક્ષમ કર્યું]','Close Modal'=>'મોડલ બંધ કરો','Field moved to other group'=>'ફિલ્ડ અન્ય જૂથમાં ખસેડવામાં આવ્યું','Close modal'=>'મોડલ બંધ કરો','Start a new group of tabs at this tab.'=>'આ ટૅબ પર ટૅબનું નવું જૂથ શરૂ કરો.','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'સુધારાઓ','Advanced Custom Fields logo'=>'','Save Changes'=>'ફેરફારો સેવ કરો','Field Group Title'=>'ફિલ્ડ જૂથનું શીર્ષક','Add title'=>'શીર્ષક ઉમેરો','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'ક્ષેત્ર જૂથ ઉમેરો','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'#','Add Field'=>'','Presentation'=>'રજૂઆત','Validation'=>'','General'=>'સામાન્ય','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'નિષ્ક્રિય','Deactivate this item'=>'આ આઇટમ નિષ્ક્રિય કરો','Activate'=>'સક્રિય કરો','Activate this item'=>'આ આઇટમ સક્રિય કરો','Move field group to trash?'=>'','post statusInactive'=>'નિષ્ક્રિય','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'અદ્યતન કસ્ટમ ફીલ્ડ્સ અને એડવાન્સ કસ્ટમ ફીલ્ડ્સ PRO એક જ સમયે સક્રિય ન હોવા જોઈએ. અમે એડવાન્સ્ડ કસ્ટમ ફીલ્ડ્સ પ્રોને આપમેળે નિષ્ક્રિય કરી દીધું છે.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'અદ્યતન કસ્ટમ ફીલ્ડ્સ અને એડવાન્સ કસ્ટમ ફીલ્ડ્સ PRO એક જ સમયે સક્રિય ન હોવા જોઈએ. અમે એડવાન્સ્ડ કસ્ટમ ફીલ્ડ્સને આપમેળે નિષ્ક્રિય કરી દીધા છે.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF શરૂ થાય તે પહેલાં અમે ACF ફીલ્ડ મૂલ્યો પુનઃપ્રાપ્ત કરવા માટે એક અથવા વધુ કૉલ્સ શોધી કાઢ્યા છે. આ સમર્થિત નથી અને તે ખોટા અથવા ખોવાયેલા ડેટામાં પરિણમી શકે છે. આને કેવી રીતે ઠીક કરવું તે જાણો.','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'અમાન્ય વિનંતી.','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'REST API માં બતાવો','Enable Transparency'=>'પારદર્શિતા સક્ષમ કરો','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'પ્રો પર અપગ્રેડ કરો','post statusActive'=>'સક્રિય','\'%s\' is not a valid email address'=>'\'%s\' ઈ - મેઈલ સરનામું માન્ય નથી.','Color value'=>'રંગનું મુલ્ય','Select default color'=>'મુળભૂત રંગ પસંદ કરો','Clear color'=>'રંગ સાફ કરો','Blocks'=>'બ્લોક્સ','Options'=>'વિકલ્પો','Users'=>'વપરાશકર્તાઓ','Menu items'=>'મેનુ વસ્તુઓ','Widgets'=>'વિજેટો','Attachments'=>'જોડાણો','Taxonomies'=>'વર્ગીકરણ','Posts'=>'પોસ્ટો','Last updated: %s'=>'છેલ્લી અપડેટ: %s','Sorry, this post is unavailable for diff comparison.'=>'માફ કરશો, આ પોસ્ટ અલગ સરખામણી માટે અનુપલબ્ધ છે.','Invalid field group parameter(s).'=>'અમાન્ય ક્ષેત્ર જૂથ પરિમાણ(ઓ).','Awaiting save'=>'સેવ પ્રતીક્ષામાં છે','Saved'=>'સેવ થયેલ','Import'=>'આયાત','Review changes'=>'ફેરફારોની સમીક્ષા કરો','Located in: %s'=>'સ્થિત થયેલ છે: %s','Located in plugin: %s'=>'','Located in theme: %s'=>'','Various'=>'વિવિધ','Sync changes'=>'સમન્વય ફેરફારો','Loading diff'=>'તફાવત લોડ કરી રહ્યું છે','Review local JSON changes'=>'સ્થાનિક JSON ફેરફારોની સમીક્ષા કરો','Visit website'=>'વેબસાઇટની મુલાકાત લો','View details'=>'વિગતો જુઓ','Version %s'=>'આવૃત્તિ %s','Information'=>'માહિતી','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'અમે સમર્થનને લઈને કટ્ટરપંથી છીએ અને ઈચ્છીએ છીએ કે તમે ACF સાથે તમારી વેબસાઇટનો શ્રેષ્ઠ લાભ મેળવો. જો તમને કોઈ મુશ્કેલી આવે, તો ત્યાં ઘણી જગ્યાએ મદદ મળી શકે છે:','Help & Support'=>'મદદ અને આધાર','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'જો તમને તમારી જાતને સહાયની જરૂર જણાય તો સંપર્કમાં રહેવા માટે કૃપા કરીને મદદ અને સમર્થન ટેબનો ઉપયોગ કરો.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'અવલોકન','Location type "%s" is already registered.'=>'','Class "%s" does not exist.'=>'','Invalid nonce.'=>'અમાન્ય નૉન.','Error loading field.'=>'','Error: %s'=>'','Widget'=>'વિજેટ','User Role'=>'વપરાશકર્તાની ભૂમિકા','Comment'=>'ટિપ્પણી','Post Format'=>'પોસ્ટ ફોર્મેટ','Menu Item'=>'મેનુ વસ્તુ','Post Status'=>'પોસ્ટની સ્થિતિ','Menus'=>'મેનુઓ','Menu Locations'=>'મેનુ ની જગ્યાઓ','Menu'=>'મેનુ','Post Taxonomy'=>'','Child Page (has parent)'=>'','Parent Page (has children)'=>'','Top Level Page (no parent)'=>'','Posts Page'=>'પોસ્ટ્સ પેજ','Front Page'=>'પહેલું પાનું','Page Type'=>'પેજ પ્રકાર','Viewing back end'=>'','Viewing front end'=>'','Logged in'=>'લૉગ ઇન કર્યું','Current User'=>'વર્તમાન વપરાશકર્તા','Page Template'=>'પેજ ટેમ્પલેટ','Register'=>'રજિસ્ટર','Add / Edit'=>'ઉમેરો / સંપાદિત કરો','User Form'=>'વપરાશકર્તા ફોર્મ','Page Parent'=>'પેજ પેરન્ટ','Super Admin'=>'સુપર સંચાલક','Current User Role'=>'વર્તમાન વપરાશકર્તા ભૂમિકા','Default Template'=>'મૂળભૂત ટેમ્પલેટ','Post Template'=>'પોસ્ટ ટેમ્પલેટ','Post Category'=>'પોસ્ટ કેટેગરી','All %s formats'=>'બધા %s ફોર્મેટ','Attachment'=>'જોડાણ','%s value is required'=>'','Show this field if'=>'','Conditional Logic'=>'','and'=>'અને','Local JSON'=>'','Clone Field'=>'','Please also check all premium add-ons (%s) are updated to the latest version.'=>'કૃપા કરીને તમામ પ્રીમિયમ એડ-ઓન્સ (%s) નવીનતમ સંસ્કરણ પર અપડેટ થયા છે તે પણ તપાસો.','This version contains improvements to your database and requires an upgrade.'=>'','Thank you for updating to %1$s v%2$s!'=>'','Database Upgrade Required'=>'','Options Page'=>'','Gallery'=>'ગેલેરી','Flexible Content'=>'','Repeater'=>'','Back to all tools'=>'','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)'=>'','Select items to hide them from the edit screen.'=>'','Hide on screen'=>'સ્ક્રીન પર છુપાવો','Send Trackbacks'=>'ટ્રેકબેકસ મોકલો','Tags'=>'ટૅગ્સ','Categories'=>'કેટેગરીઓ','Page Attributes'=>'પેજ લક્ષણો','Format'=>'ફોર્મેટ','Author'=>'લેખક','Slug'=>'સ્લગ','Revisions'=>'પુનરાવર્તનો','Comments'=>'ટિપ્પણીઓ','Discussion'=>'ચર્ચા','Excerpt'=>'અવતરણ','Content Editor'=>'','Permalink'=>'પરમાલિંક','Shown in field group list'=>'','Field groups with a lower order will appear first'=>'','Order No.'=>'','Below fields'=>'','Below labels'=>'','Instruction Placement'=>'','Label Placement'=>'','Side'=>'','Normal (after content)'=>'','High (after title)'=>'','Position'=>'પદ','Seamless (no metabox)'=>'','Standard (WP metabox)'=>'','Style'=>'સ્ટાઇલ','Type'=>'પ્રકાર','Key'=>'ચાવી','Order'=>'ઓર્ડર','Close Field'=>'','id'=>'','class'=>'','width'=>'પહોળાઈ','Wrapper Attributes'=>'','Required'=>'જરૂરી?','Instructions'=>'','Field Type'=>'ક્ષેત્ર પ્રકાર','Single word, no spaces. Underscores and dashes allowed'=>'','Field Name'=>'ક્ષેત્રનું નામ','This is the name which will appear on the EDIT page'=>'','Field Label'=>'ફીલ્ડ લેબલ','Delete'=>'કાઢી નાખો','Delete field'=>'ફિલ્ડ કાઢી નાખો','Move'=>'ખસેડો','Move field to another group'=>'','Duplicate field'=>'','Edit field'=>'ફાઇલ સંપાદિત કરો','Drag to reorder'=>'','Show this field group if'=>'','No updates available.'=>'કોઈ અપડેટ ઉપલબ્ધ નથી.','Database upgrade complete. See what\'s new'=>'ડેટાબેઝ અપગ્રેડ પૂર્ણ. નવું શું છે તે જુઓ','Reading upgrade tasks...'=>'','Upgrade failed.'=>'','Upgrade complete.'=>'','Upgrading data to version %s'=>'','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'','Please select at least one site to upgrade.'=>'કૃપા કરીને અપગ્રેડ કરવા માટે ઓછામાં ઓછી એક સાઇટ પસંદ કરો.','Database Upgrade complete. Return to network dashboard'=>'','Site is up to date'=>'','Site requires database upgrade from %1$s to %2$s'=>'વેબસાઈટને %1$s થી %2$s સુધી ડેટાબેઝ સુધારાની જરૂર છે','Site'=>'સાઇટ','Upgrade Sites'=>'અપગ્રેડ સાઇટ્સ','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'નીચેની સાઇટ્સને DB સુધારાની જરૂર છે. તમે અદ્યતન બનાવા માંગો છો તે તપાસો અને પછી %s પર ક્લિક કરો.','Add rule group'=>'','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'','Rules'=>'નિયમો','Copied'=>'કૉપિ થઇ ગયું','Copy to clipboard'=>'','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'તમે નિકાસ કરવા માંગો છો તે વસ્તુઓ પસંદ કરો અને પછી તમારી નિકાસ પદ્ધતિ પસંદ કરો. .json ફાઇલમાં નિકાસ કરવા માટે JSON તરીકે નિકાસ કરો જે પછી તમે અન્ય ACF સ્થાપનમાં આયાત કરી શકો છો. PHP કોડ પર નિકાસ કરવા માટે PHP ઉત્પન્ન કરો જેને તમે તમારી થીમમાં મૂકી શકો છો.','Select Field Groups'=>'','No field groups selected'=>'','Generate PHP'=>'','Export Field Groups'=>'','Import file empty'=>'','Incorrect file type'=>'','Error uploading file. Please try again'=>'','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'','Sync'=>'સમન્વય','Select %s'=>'%s પસંદ કરો','Duplicate'=>'ડુપ્લિકેટ','Duplicate this item'=>'','Supports'=>'','Documentation'=>'માર્ગદર્શિકા','Description'=>'વર્ણન','Sync available'=>'','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'' . "\0" . '','Active (%s)'=>'સક્રિય (%s)' . "\0" . 'સક્રિય (%s)','Review sites & upgrade'=>'','Upgrade Database'=>'','Custom Fields'=>'કસ્ટમ ફીલ્ડ','Move Field'=>'','Please select the destination for this field'=>'','The %1$s field can now be found in the %2$s field group'=>'%1$s ક્ષેત્ર હવે %2$s ક્ષેત્ર જૂથમાં મળી શકે છે','Move Complete.'=>'','Active'=>'સક્રિય','Field Keys'=>'','Settings'=>'સેટિંગ્સ','Location'=>'સ્થાન','Null'=>'શૂન્ય','copy'=>'નકલ','(this field)'=>'(આ ક્ષેત્ર)','Checked'=>'ચકાસાયેલ','Move Custom Field'=>'કસ્ટમ ફીલ્ડ ખસેડો','No toggle fields available'=>'કોઈ ટૉગલ ફીલ્ડ ઉપલબ્ધ નથી','Field group title is required'=>'ક્ષેત્ર જૂથ શીર્ષક આવશ્યક છે','This field cannot be moved until its changes have been saved'=>'જ્યાં સુધી તેના ફેરફારો સાચવવામાં ન આવે ત્યાં સુધી આ ક્ષેત્ર ખસેડી શકાતું નથી','The string "field_" may not be used at the start of a field name'=>'શબ્દમાળા "field_" નો ઉપયોગ ક્ષેત્રના નામની શરૂઆતમાં થઈ શકશે નહીં','Field group draft updated.'=>'ફીલ્ડ ગ્રુપ ડ્રાફ્ટ અપડેટ કર્યો.','Field group scheduled for.'=>'ક્ષેત્ર જૂથ માટે સુનિશ્ચિત થયેલ છે.','Field group submitted.'=>'ક્ષેત્ર જૂથ સબમિટ.','Field group saved.'=>'ક્ષેત્ર જૂથ સાચવ્યું.','Field group published.'=>'ક્ષેત્ર જૂથ પ્રકાશિત.','Field group deleted.'=>'ફીલ્ડ જૂથ કાઢી નાખ્યું.','Field group updated.'=>'ફીલ્ડ જૂથ અપડેટ કર્યું.','Tools'=>'સાધનો','is not equal to'=>'ની સમાન નથી','is equal to'=>'ની બરાબર છે','Forms'=>'સ્વરૂપો','Page'=>'પેજ','Post'=>'પોસ્ટ','Relational'=>'સંબંધી','Choice'=>'પસંદગી','Basic'=>'પાયાની','Unknown'=>'અજ્ઞાત','Field type does not exist'=>'ક્ષેત્ર પ્રકાર અસ્તિત્વમાં નથી','Spam Detected'=>'','Post updated'=>'પોસ્ટ અપડેટ થઇ ગઈ','Update'=>'સુધારો','Validate Email'=>'ઇમેઇલ માન્ય કરો','Content'=>'લખાણ','Title'=>'શીર્ષક','Edit field group'=>'','Selection is less than'=>'','Selection is greater than'=>'પસંદગી કરતાં વધારે છે','Value is less than'=>'કરતાં ઓછું મૂલ્ય છે','Value is greater than'=>'કરતાં વધુ મૂલ્ય છે','Value contains'=>'મૂલ્ય સમાવે છે','Value matches pattern'=>'મૂલ્ય પેટર્ન સાથે મેળ ખાય છે','Value is not equal to'=>'મૂલ્ય સમાન નથી','Value is equal to'=>'મૂલ્ય સમાન છે','Has no value'=>'કોઈ મૂલ્ય નથી','Has any value'=>'કોઈપણ મૂલ્ય ધરાવે છે','Cancel'=>'રદ','Are you sure?'=>'શું તમને ખાતરી છે?','%d fields require attention'=>'','1 field requires attention'=>'','Validation failed'=>'','Validation successful'=>'','Restricted'=>'પ્રતિબંધિત','Collapse Details'=>'','Expand Details'=>'વિગતો વિસ્તૃત કરો','Uploaded to this post'=>'આ પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','verbUpdate'=>'સુધારો','verbEdit'=>'સંપાદિત કરો','The changes you made will be lost if you navigate away from this page'=>'જો તમે આ પૃષ્ઠ છોડીને જશો તો તમે કરેલા ફેરફારો ખોવાઈ જશે','File type must be %s.'=>'ફાઇલનો પ્રકાર %s હોવો આવશ્યક છે.','or'=>'અથવા','File size must not exceed %s.'=>'ફાઇલનું કદ %s થી વધુ ન હોવું જોઈએ.','File size must be at least %s.'=>'','Image height must not exceed %dpx.'=>'છબીની ઊંચાઈ %dpx કરતાં વધુ ન હોવી જોઈએ.','Image height must be at least %dpx.'=>'છબીની ઊંચાઈ ઓછામાં ઓછી %dpx હોવી જોઈએ.','Image width must not exceed %dpx.'=>'છબીની પહોળાઈ %dpx થી વધુ ન હોવી જોઈએ.','Image width must be at least %dpx.'=>'છબીની પહોળાઈ ઓછામાં ઓછી %dpx હોવી જોઈએ.','(no title)'=>'(કોઈ શીર્ષક નથી)','Full Size'=>'પૂર્ણ કદ','Large'=>'મોટું','Medium'=>'મધ્યમ','Thumbnail'=>'થંબનેલ','(no label)'=>'(લેબલ નથી)','Sets the textarea height'=>'','Rows'=>'પંક્તિઓ','Text Area'=>'ટેક્સ્ટ વિસ્તાર','Prepend an extra checkbox to toggle all choices'=>'','Save \'custom\' values to the field\'s choices'=>'','Allow \'custom\' values to be added'=>'','Add new choice'=>'નવી પસંદગી ઉમેરો','Toggle All'=>'','Allow Archives URLs'=>'','Archives'=>'આર્કાઇવ્સ','Page Link'=>'પૃષ્ઠ લિંક','Add'=>'ઉમેરો','Name'=>'નામ','%s added'=>'%s ઉમેર્યું','%s already exists'=>'','User unable to add new %s'=>'વપરાશકર્તા નવા %s ઉમેરવામાં અસમર્થ છે','Term ID'=>'','Term Object'=>'','Load value from posts terms'=>'','Load Terms'=>'','Connect selected terms to the post'=>'','Save Terms'=>'','Allow new terms to be created whilst editing'=>'સંપાદન કરતી વખતે નવી શરતો બનાવવાની મંજૂરી આપો','Create Terms'=>'','Radio Buttons'=>'','Single Value'=>'','Multi Select'=>'','Checkbox'=>'ચેકબોક્સ','Multiple Values'=>'બહુવિધ મૂલ્યો','Select the appearance of this field'=>'','Appearance'=>'દેખાવ','Select the taxonomy to be displayed'=>'','No TermsNo %s'=>'ના %s','Value must be equal to or lower than %d'=>'','Value must be equal to or higher than %d'=>'મૂલ્ય %d ની બરાબર અથવા વધારે હોવું જોઈએ','Value must be a number'=>'મૂલ્ય સંખ્યા હોવી જોઈએ','Number'=>'સંખ્યા','Save \'other\' values to the field\'s choices'=>'ક્ષેત્રની પસંદગીમાં \'અન્ય\' મૂલ્યો સાચવો','Add \'other\' choice to allow for custom values'=>'','Other'=>'અન્ય','Radio Button'=>'','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'પાછલા એકોર્ડિયનને રોકવા માટે અંતિમ બિંદુને વ્યાખ્યાયિત કરો. આ એકોર્ડિયન દેખાશે નહીં.','Allow this accordion to open without closing others.'=>'','Multi-Expand'=>'','Display this accordion as open on page load.'=>'','Open'=>'ઓપન','Accordion'=>'એકોર્ડિયન','Restrict which files can be uploaded'=>'','File ID'=>'','File URL'=>'ફાઈલ યુઆરએલ','File Array'=>'','Add File'=>'ફાઇલ ઉમેરો','No file selected'=>'કોઈ ફાઇલ પસંદ કરી નથી','File name'=>'ફાઇલનું નામ','Update File'=>'ફાઇલ અપડેટ કરો','Edit File'=>'ફાઇલ સંપાદિત કરો ','Select File'=>'ફાઇલ પસંદ કરો','File'=>'ફાઇલ','Password'=>'પાસવર્ડ','Specify the value returned'=>'','Use AJAX to lazy load choices?'=>'','Enter each default value on a new line'=>'','verbSelect'=>'પસંદ કરો','Select2 JS load_failLoading failed'=>'','Select2 JS searchingSearching…'=>'','Select2 JS load_moreLoading more results…'=>'વધુ પરિણામો લોડ કરી રહ્યાં છીએ…','Select2 JS selection_too_long_nYou can only select %d items'=>'તમે માત્ર %d વસ્તુઓ પસંદ કરી શકો છો','Select2 JS selection_too_long_1You can only select 1 item'=>'તમે માત્ર 1 આઇટમ પસંદ કરી શકો છો','Select2 JS input_too_long_nPlease delete %d characters'=>'કૃપા કરીને %d અક્ષરો કાઢી નાખો','Select2 JS input_too_long_1Please delete 1 character'=>'કૃપા કરીને 1 અક્ષર કાઢી નાખો','Select2 JS input_too_short_nPlease enter %d or more characters'=>'કૃપા કરીને %d અથવા વધુ અક્ષરો દાખલ કરો','Select2 JS input_too_short_1Please enter 1 or more characters'=>'કૃપા કરીને 1 અથવા વધુ અક્ષરો દાખલ કરો','Select2 JS matches_0No matches found'=>'કોઈ બરાબરી મળી નથી','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d પરિણામો ઉપલબ્ધ છે, શોધખોળ કરવા માટે ઉપર અને નીચે એરો કીનો ઉપયોગ કરો.','Select2 JS matches_1One result is available, press enter to select it.'=>'એક પરિણામ ઉપલબ્ધ છે, તેને પસંદ કરવા માટે એન્ટર દબાવો.','nounSelect'=>'પસંદ કરો','User ID'=>'વપરાશકર્તા ID','User Object'=>'','User Array'=>'','All user roles'=>'','Filter by Role'=>'','User'=>'વપરાશકર્તા','Separator'=>'વિભાજક','Select Color'=>'રંગ પસંદ કરો','Default'=>'મૂળભૂત','Clear'=>'સાફ કરો','Color Picker'=>'રંગ પીકર','Date Time Picker JS pmTextShortP'=>'','Date Time Picker JS pmTextPM'=>'પી એમ(PM)','Date Time Picker JS amTextShortA'=>'','Date Time Picker JS amTextAM'=>'','Date Time Picker JS selectTextSelect'=>'પસંદ કરો','Date Time Picker JS closeTextDone'=>'પૂર્ણ','Date Time Picker JS currentTextNow'=>'હવે','Date Time Picker JS timezoneTextTime Zone'=>'સમય ઝોન','Date Time Picker JS microsecTextMicrosecond'=>'માઇક્રોસેકન્ડ','Date Time Picker JS millisecTextMillisecond'=>'મિલીસેકન્ડ','Date Time Picker JS secondTextSecond'=>'સેકન્ડ','Date Time Picker JS minuteTextMinute'=>'મિનિટ','Date Time Picker JS hourTextHour'=>'કલાક','Date Time Picker JS timeTextTime'=>'સમય','Date Time Picker JS timeOnlyTitleChoose Time'=>'સમય પસંદ કરો','Date Time Picker'=>'','Endpoint'=>'','Left aligned'=>'','Top aligned'=>'','Placement'=>'પ્લેસમેન્ટ','Tab'=>'ટેબ','Value must be a valid URL'=>'મૂલ્ય એક માન્ય URL હોવું આવશ્યક છે','Link URL'=>'લિંક યુઆરએલ','Link Array'=>'','Opens in a new window/tab'=>'','Select Link'=>'લિંક પસંદ કરો','Link'=>'લિંક','Email'=>'ઇમેઇલ','Step Size'=>'','Maximum Value'=>'મહત્તમ મૂલ્ય','Minimum Value'=>'ન્યૂનતમ મૂલ્ય','Range'=>'શ્રેણી','Both (Array)'=>'','Label'=>'લેબલ','Value'=>'મૂલ્ય','Vertical'=>'ઊભું','Horizontal'=>'આડું','red : Red'=>'','For more control, you may specify both a value and label like this:'=>'વધુ નિયંત્રણ માટે, તમે આના જેવું મૂલ્ય અને નામપટ્ટી બંનેનો ઉલ્લેખ કરી શકો છો:','Enter each choice on a new line.'=>'દરેક પસંદગીને નવી લાઇન પર દાખલ કરો.','Choices'=>'પસંદગીઓ','Button Group'=>'','Allow Null'=>'','Parent'=>'પેરેન્ટ','TinyMCE will not be initialized until field is clicked'=>'જ્યાં સુધી ફીલ્ડ ક્લિક ન થાય ત્યાં સુધી TinyMCE પ્રારંભ કરવામાં આવશે નહીં','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'ટૂલબાર','Text Only'=>'ફક્ત ટેક્સ્ટ','Visual Only'=>'','Visual & Text'=>'','Tabs'=>'ટૅબ્સ','Click to initialize TinyMCE'=>'','Name for the Text editor tab (formerly HTML)Text'=>'લખાણ','Visual'=>'દ્રશ્ય','Value must not exceed %d characters'=>'મૂલ્ય %d અક્ષરોથી વધુ ન હોવું જોઈએ','Leave blank for no limit'=>'','Character Limit'=>'','Appears after the input'=>'','Append'=>'','Appears before the input'=>'','Prepend'=>'','Appears within the input'=>'','Placeholder Text'=>'','Appears when creating a new post'=>'નવી પોસ્ટ બનાવતી વખતે દેખાય છે','Text'=>'લખાણ','%1$s requires at least %2$s selection'=>'%1$s ને ઓછામાં ઓછા %2$s પસંદગીની જરૂર છે' . "\0" . '%1$s ને ઓછામાં ઓછી %2$s પસંદગીની જરૂર છે','Post ID'=>'પોસ્ટ આઈડી','Post Object'=>'','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'ફીચર્ડ છબી','Selected elements will be displayed in each result'=>'','Elements'=>'તત્વો','Taxonomy'=>'વર્ગીકરણ','Post Type'=>'પોસ્ટ પ્રકાર','Filters'=>'ફિલ્ટર્સ','All taxonomies'=>'બધા વર્ગીકરણ','Filter by Taxonomy'=>'','All post types'=>'','Filter by Post Type'=>'','Search...'=>'શોધો','Select taxonomy'=>'','Select post type'=>'','No matches found'=>'કોઈ બરાબરી મળી નથી','Loading'=>'લોડ કરી રહ્યું છે','Maximum values reached ( {max} values )'=>'મહત્તમ મૂલ્યો પહોંચી ગયા ( {max} મૂલ્યો )','Relationship'=>'સંબંધ','Comma separated list. Leave blank for all types'=>'અલ્પવિરામથી વિભાજિત સૂચિ. તમામ પ્રકારના માટે ખાલી છોડો','Allowed File Types'=>'','Maximum'=>'મહત્તમ','File size'=>'ફાઈલ સાઇઝ઼:','Restrict which images can be uploaded'=>'કઈ છબીઓ અપલોડ કરી શકાય તે પ્રતિબંધિત કરો','Minimum'=>'ન્યૂનતમ','Uploaded to post'=>'પોસ્ટમાં અપલોડ કરવામાં આવ્યું છે','All'=>'બધા','Limit the media library choice'=>'મીડિયા લાઇબ્રેરીની પસંદગીને મર્યાદિત કરો','Library'=>'લાઇબ્રેરી','Preview Size'=>'પૂર્વાવલોકન કદ','Image ID'=>'','Image URL'=>'ચિત્ર યુઆરએલ','Image Array'=>'','Specify the returned value on front end'=>'અગ્રભાગ પર પરત કરેલ મૂલ્યનો ઉલ્લેખ કરો','Return Value'=>'વળતર મૂલ્ય','Add Image'=>'ચિત્ર ઉમેરો','No image selected'=>'કોઇ ચિત્ર પસંદ નથી કયુઁ','Remove'=>'દૂર કરો','Edit'=>'સંપાદિત કરો','All images'=>'બધી છબીઓ','Update Image'=>'છબી અપડેટ કરો','Edit Image'=>'છબી સંપાદિત કરો','Select Image'=>'છબી પસંદ કરો','Image'=>'છબી','Allow HTML markup to display as visible text instead of rendering'=>'HTML માર્કઅપને અનુવાદ બદલે દૃશ્યમાન લખાણ તરીકે પ્રદર્શિત કરવાની મંજૂરી આપો','Escape HTML'=>'','No Formatting'=>'','Automatically add <br>'=>'','Automatically add paragraphs'=>'','Controls how new lines are rendered'=>'નવી રેખાઓ કેવી રીતે રેન્ડર કરવામાં આવે છે તેનું નિયંત્રણ કરે છે','New Lines'=>'નવી રેખાઓ','Week Starts On'=>'','The format used when saving a value'=>'મૂલ્ય સાચવતી વખતે વપરાતી ગોઠવણ','Save Format'=>'','Date Picker JS weekHeaderWk'=>'','Date Picker JS prevTextPrev'=>'પૂર્વ','Date Picker JS nextTextNext'=>'આગળ','Date Picker JS currentTextToday'=>'આજે','Date Picker JS closeTextDone'=>'પૂર્ણ','Date Picker'=>'તારીખ પીકર','Width'=>'પહોળાઈ','Embed Size'=>'','Enter URL'=>'યુઆરએલ દાખલ કરો','oEmbed'=>'','Text shown when inactive'=>'જ્યારે નિષ્ક્રિય હોય ત્યારે લખાણ બતાવવામાં આવે છે','Off Text'=>'','Text shown when active'=>'','On Text'=>'','Stylized UI'=>'','Default Value'=>'મૂળભૂત મૂલ્ય','Displays text alongside the checkbox'=>'','Message'=>'સંદેશ','No'=>'ના','Yes'=>'હા','True / False'=>'સાચું / ખોટું','Row'=>'પંક્તિ','Table'=>'ટેબલ','Block'=>'બ્લોક','Specify the style used to render the selected fields'=>'','Layout'=>'લેઆઉટ','Sub Fields'=>'','Group'=>'જૂથ','Customize the map height'=>'','Height'=>'ઊંચાઈ','Set the initial zoom level'=>'','Zoom'=>'ઝૂમ','Center the initial map'=>'','Center'=>'મધ્ય','Search for address...'=>'','Find current location'=>'વર્તમાન સ્થાન શોધો','Clear location'=>'સ્થાન સાફ કરો','Search'=>'શોધો','Sorry, this browser does not support geolocation'=>'','Google Map'=>'ગૂગલે નકશો','The format returned via template functions'=>'','Return Format'=>'','Custom:'=>'કસ્ટમ:','The format displayed when editing a post'=>'','Display Format'=>'','Time Picker'=>'તારીખ પીકર','Inactive (%s)'=>'નિષ્ક્રિય (%s)' . "\0" . 'નિષ્ક્રિય (%s)','No Fields found in Trash'=>'ટ્રેશમાં કોઈ ફીલ્ડ મળ્યાં નથી','No Fields found'=>'કોઈ ક્ષેત્રો મળ્યાં નથી','Search Fields'=>'શોધ ક્ષેત્રો','View Field'=>'ક્ષેત્ર જુઓ','New Field'=>'નવી ફીલ્ડ','Edit Field'=>'ફીલ્ડ સંપાદિત કરો','Add New Field'=>'નવી ફીલ્ડ ઉમેરો','Field'=>'ફિલ્ડ','Fields'=>'ક્ષેત્રો','No Field Groups found in Trash'=>'ટ્રેશમાં કોઈ ફીલ્ડ જૂથો મળ્યાં નથી','No Field Groups found'=>'કોઈ ક્ષેત્ર જૂથો મળ્યાં નથી','Search Field Groups'=>'ક્ષેત્ર જૂથો શોધો','View Field Group'=>'ક્ષેત્ર જૂથ જુઓ','New Field Group'=>'નવું ક્ષેત્ર જૂથ','Edit Field Group'=>'ક્ષેત્ર જૂથ સંપાદિત કરો','Add New Field Group'=>'નવું ક્ષેત્ર જૂથ ઉમેરો','Add New'=>'નવું ઉમેરો','Field Group'=>'ક્ષેત્ર જૂથ','Field Groups'=>'ક્ષેત્ર જૂથો','Customize WordPress with powerful, professional and intuitive fields.'=>'શક્તિશાળી, વ્યાવસાયિક અને સાહજિક ક્ષેત્રો સાથે વર્ડપ્રેસ ને કસ્ટમાઇઝ કરો.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'અદ્યતન કસ્ટમ ક્ષેત્રો'],'language'=>'gu','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-gu.mo b/lang/acf-gu.mo
index e034a85..30cc21e 100644
Binary files a/lang/acf-gu.mo and b/lang/acf-gu.mo differ
diff --git a/lang/acf-gu.po b/lang/acf-gu.po
index 63c52d7..0434a29 100644
--- a/lang/acf-gu.po
+++ b/lang/acf-gu.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: gu\n"
"MIME-Version: 1.0\n"
@@ -21,9 +21,31 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
-msgstr ""
+msgstr "અપડેટ સ્ત્રોત"
#: includes/admin/views/acf-post-type/advanced-settings.php:850
#: includes/admin/views/acf-taxonomy/advanced-settings.php:810
@@ -63,12 +85,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr "અમાન્ય સુરક્ષા પૂરી પાડવામાં ન આવવાને કારણે ACF માન્યતા કરવામાં અસમર્થ હતું."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "સંપાદક UI માં મૂલ્યને ઍક્સેસ કરવાની મંજૂરી આપો"
@@ -1720,7 +1736,7 @@ msgstr ""
#: includes/class-acf-site-health.php:280
msgid "Plugin Version"
-msgstr ""
+msgstr "પ્લગઇન સંસ્કરણ"
#: includes/class-acf-site-health.php:251
msgid ""
@@ -2038,21 +2054,21 @@ msgstr "ક્ષેત્રો ઉમેરો"
msgid "This Field"
msgstr "આ ક્ષેત્ર"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "એસીએફ પ્રો"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "પ્રતિસાદ"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "સપોર્ટ"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "દ્વારા વિકસિત અને જાળવણી કરવામાં આવે છે"
@@ -4529,7 +4545,7 @@ msgstr ""
"કસ્ટમ પોસ્ટ પ્રકાર UI સાથે નોંધાયેલ પોસ્ટ પ્રકારો અને વર્ગીકરણ આયાત કરો અને ACF સાથે તેનું "
"સંચાલન કરો. પ્રારંભ કરો."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr ""
@@ -4850,7 +4866,7 @@ msgstr "આ આઇટમ સક્રિય કરો"
msgid "Move field group to trash?"
msgstr ""
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4863,7 +4879,7 @@ msgstr "નિષ્ક્રિય"
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4871,7 +4887,7 @@ msgstr ""
"અદ્યતન કસ્ટમ ફીલ્ડ્સ અને એડવાન્સ કસ્ટમ ફીલ્ડ્સ PRO એક જ સમયે સક્રિય ન હોવા જોઈએ. અમે "
"એડવાન્સ્ડ કસ્ટમ ફીલ્ડ્સ પ્રોને આપમેળે નિષ્ક્રિય કરી દીધું છે."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5305,7 +5321,7 @@ msgstr "બધા %s ફોર્મેટ"
msgid "Attachment"
msgstr "જોડાણ"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr ""
@@ -5781,7 +5797,7 @@ msgstr ""
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "માર્ગદર્શિકા"
@@ -6078,8 +6094,8 @@ msgstr ""
msgid "1 field requires attention"
msgstr ""
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr ""
@@ -6190,7 +6206,7 @@ msgstr "પંક્તિઓ"
#: includes/fields/class-acf-field-textarea.php:22
msgid "Text Area"
-msgstr ""
+msgstr "ટેક્સ્ટ વિસ્તાર"
#: includes/fields/class-acf-field-checkbox.php:421
msgid "Prepend an extra checkbox to toggle all choices"
@@ -6930,7 +6946,7 @@ msgstr[1] "%1$s ને ઓછામાં ઓછી %2$s પસંદગીન
#: includes/fields/class-acf-field-post_object.php:402
#: includes/fields/class-acf-field-relationship.php:616
msgid "Post ID"
-msgstr ""
+msgstr "પોસ્ટ આઈડી"
#: includes/fields/class-acf-field-post_object.php:15
#: includes/fields/class-acf-field-post_object.php:401
@@ -7099,7 +7115,7 @@ msgstr ""
#: includes/fields/class-acf-field-image.php:184
msgid "Image URL"
-msgstr ""
+msgstr "ચિત્ર યુઆરએલ"
#: includes/fields/class-acf-field-image.php:183
msgid "Image Array"
@@ -7453,90 +7469,90 @@ msgid "Time Picker"
msgstr "તારીખ પીકર"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "નિષ્ક્રિય (%s)"
msgstr[1] "નિષ્ક્રિય (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "ટ્રેશમાં કોઈ ફીલ્ડ મળ્યાં નથી"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "કોઈ ક્ષેત્રો મળ્યાં નથી"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "શોધ ક્ષેત્રો"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "ક્ષેત્ર જુઓ"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "નવી ફીલ્ડ"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "ફીલ્ડ સંપાદિત કરો"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "નવી ફીલ્ડ ઉમેરો"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "ફિલ્ડ"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "ક્ષેત્રો"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "ટ્રેશમાં કોઈ ફીલ્ડ જૂથો મળ્યાં નથી"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "કોઈ ક્ષેત્ર જૂથો મળ્યાં નથી"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "ક્ષેત્ર જૂથો શોધો"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "ક્ષેત્ર જૂથ જુઓ"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "નવું ક્ષેત્ર જૂથ"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "ક્ષેત્ર જૂથ સંપાદિત કરો"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "નવું ક્ષેત્ર જૂથ ઉમેરો"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "નવું ઉમેરો"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "ક્ષેત્ર જૂથ"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-he_IL.l10n.php b/lang/acf-he_IL.l10n.php
index caa7920..87102da 100644
--- a/lang/acf-he_IL.l10n.php
+++ b/lang/acf-he_IL.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'he_IL','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'שדות מיוחדים מתקדמים פרו','Block type name is required.'=>'ערך %s נדרש','%s settings'=>'הגדרות','Options'=>'אפשרויות','Update'=>'עדכון','Options Updated'=>'האפשרויות עודכנו','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'כדי לאפשר עדכונים, בבקשה הקלד את מפתח הרשיון שלך בדף העדכונים. אם אין לך מפתח רשיון, בבקשה עבור לדף פרטים ומחירים','ACF Activation Error. An error occurred when connecting to activation server'=>'שגיאה. החיבור לשרת העדכון נכשל','Check Again'=>'בדיקה חוזרת','ACF Activation Error. Could not connect to activation server'=>'שגיאה. החיבור לשרת העדכון נכשל','Publish'=>'פורסם','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'אף קבוצת שדות לא נמצאה בפח. יצירת קבוצת שדות מיוחדים','Error. Could not connect to update server'=>'שגיאה. החיבור לשרת העדכון נכשל','Updates'=>'עדכונים','Fields'=>'שדות','Display'=>'תצוגה','Layout'=>'פריסת תוכן','Block'=>'בלוק','Table'=>'טבלה','Row'=>'שורה','(no title)'=>'(אין כותרת)','Flexible Content'=>'תוכן גמיש','Add Row'=>'הוספת שורה חדשה','layout'=>'פריסה' . "\0" . 'פריסה','layouts'=>'פריסות','This field requires at least {min} {label} {identifier}'=>'שדה זה דורש לפחות {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'לשדה זה יש מגבלה של {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} זמינים (מקסימום {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} נדרש (מינימום {min})','Flexible Content requires at least 1 layout'=>'דרושה לפחות פריסה אחת לתוכן הגמיש','Click the "%s" button below to start creating your layout'=>'לחצו על כפתור "%s" שלמטה כדי להתחיל ביצירת הפריסה','Drag to reorder'=>'גרור ושחרר לסידור מחדש','Add layout'=>'הוספת פריסה','Duplicate layout'=>'שכפול פריסת תוכן','Remove layout'=>'הסרת פריסה','Delete Layout'=>'מחיקת פריסת תוכן','Duplicate Layout'=>'שכפול פריסת תוכן','Add New Layout'=>'הוספת פריסת תוכן חדשה','Add Layout'=>'הוספת פריסה','Label'=>'תווית','Name'=>'שם','Min'=>'מינימום','Max'=>'מקסימום','Minimum Layouts'=>'מינימום פריסות','Maximum Layouts'=>'מקסימום פריסות','Button Label'=>'תווית כפתור','Gallery'=>'גלריה','Add Image to Gallery'=>'הוספת תמונה לגלריה','Maximum selection reached'=>'הגעתם למקסימום בחירה','Length'=>'אורך','Edit'=>'עריכה','Remove'=>'הסר','Title'=>'כותרת','Description'=>'תיאור','Add to gallery'=>'הוספה לגלריה','Bulk actions'=>'עריכה קבוצתית','Sort by date uploaded'=>'מיון לפי תאריך העלאה','Sort by date modified'=>'מיון לפי תאריך שינוי','Sort by title'=>'מיון לפי כותרת','Reverse current order'=>'הפוך סדר נוכחי','Close'=>'סגור','Return Format'=>'פורמט חוזר','Image Array'=>'מערך תמונות','Image URL'=>'כתובת אינטרנט של התמונה','Image ID'=>'מזהה ייחודי של תמונה','Library'=>'ספריה','Limit the media library choice'=>'הגבלת אפשרויות ספריית המדיה','All'=>'הכל','Uploaded to post'=>'הועלה לפוסט','Minimum Selection'=>'מינימום בחירה','Maximum Selection'=>'מקסימום בחירה','Height'=>'גובה','Preview Size'=>'גודל תצוגה','%1$s requires at least %2$s selection'=>'%s מחייב לפחות בחירה %s' . "\0" . '%s מחייב לפחות בחירה %s','Repeater'=>'שדה חזרה','Minimum rows not reached ({min} rows)'=>'הגעתם למינימום שורות האפשרי ({min} שורות)','Maximum rows reached ({max} rows)'=>'הגעתם למקסימום שורות האפשרי ({max} שורות)','Error loading page'=>'שגיאה בבקשת האימות','Sub Fields'=>'שדות משנה','Pagination'=>'מיקום','Rows Per Page'=>'עמוד פוסטים','Minimum Rows'=>'מינימום שורות','Maximum Rows'=>'מקסימום שורות','Click to reorder'=>'גרור ושחרר לסידור מחדש','Add row'=>'הוספת שורה','Duplicate row'=>'שיכפול','Remove row'=>'הסרת שורה','Current Page'=>'עמוד ראשי','First Page'=>'עמוד ראשי','Previous Page'=>'עמוד פוסטים','Next Page'=>'עמוד ראשי','Last Page'=>'עמוד פוסטים','No block types exist'=>'לא קיים דף אפשרויות','Options Page'=>'עמוד אפשרויות','No options pages exist'=>'לא קיים דף אפשרויות','Deactivate License'=>'ביטול הפעלת רשיון','Activate License'=>'הפעל את הרשיון','License Key'=>'מפתח רשיון','Retry Activation'=>'אימות נתונים משופר','Update Information'=>'מידע על העדכון','Current Version'=>'גרסה נוכחית','Latest Version'=>'גרסה אחרונה','Update Available'=>'יש עדכון זמין','No'=>'לא','Yes'=>'כן','Upgrade Notice'=>'הודעת שדרוג','Enter your license key to unlock updates'=>'הקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכונים','Update Plugin'=>'עדכון התוסף','Please reactivate your license to unlock updates'=>'הקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכונים']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'שדות מיוחדים מתקדמים פרו','Block type name is required.'=>'ערך %s נדרש','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'הגדרות','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'אפשרויות','Update'=>'עדכון','Options Updated'=>'האפשרויות עודכנו','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'כדי לאפשר עדכונים, בבקשה הקלד את מפתח הרשיון שלך בדף העדכונים. אם אין לך מפתח רשיון, בבקשה עבור לדף פרטים ומחירים','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'שגיאה. החיבור לשרת העדכון נכשל','Check Again'=>'בדיקה חוזרת','ACF Activation Error. Could not connect to activation server'=>'שגיאה. החיבור לשרת העדכון נכשל','Publish'=>'פורסם','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'אף קבוצת שדות לא נמצאה בפח. יצירת קבוצת שדות מיוחדים','Edit field group'=>'','Error. Could not connect to update server'=>'שגיאה. החיבור לשרת העדכון נכשל','Updates'=>'עדכונים','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','nounClone'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'שדות','Select one or more fields you wish to clone'=>'','Display'=>'תצוגה','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Layout'=>'פריסת תוכן','Specify the style used to render the selected fields'=>'','Block'=>'בלוק','Table'=>'טבלה','Row'=>'שורה','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'','Values will be saved as %s'=>'','Prefix Field Names'=>'','Unknown field'=>'','(no title)'=>'(אין כותרת)','Unknown field group'=>'','All fields from %s field group'=>'','Flexible Content'=>'תוכן גמיש','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'הוספת שורה חדשה','layout'=>'פריסה' . "\0" . 'פריסה','layouts'=>'פריסות','This field requires at least {min} {label} {identifier}'=>'שדה זה דורש לפחות {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'לשדה זה יש מגבלה של {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} זמינים (מקסימום {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} נדרש (מינימום {min})','Flexible Content requires at least 1 layout'=>'דרושה לפחות פריסה אחת לתוכן הגמיש','Click the "%s" button below to start creating your layout'=>'לחצו על כפתור "%s" שלמטה כדי להתחיל ביצירת הפריסה','Drag to reorder'=>'גרור ושחרר לסידור מחדש','Add layout'=>'הוספת פריסה','Duplicate layout'=>'שכפול פריסת תוכן','Remove layout'=>'הסרת פריסה','Click to toggle'=>'','Delete Layout'=>'מחיקת פריסת תוכן','Duplicate Layout'=>'שכפול פריסת תוכן','Add New Layout'=>'הוספת פריסת תוכן חדשה','Add Layout'=>'הוספת פריסה','Label'=>'תווית','Name'=>'שם','Min'=>'מינימום','Max'=>'מקסימום','Minimum Layouts'=>'מינימום פריסות','Maximum Layouts'=>'מקסימום פריסות','Button Label'=>'תווית כפתור','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','Gallery'=>'גלריה','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'הוספת תמונה לגלריה','Maximum selection reached'=>'הגעתם למקסימום בחירה','Length'=>'אורך','Edit'=>'עריכה','Remove'=>'הסר','Title'=>'כותרת','Caption'=>'','Alt Text'=>'','Description'=>'תיאור','Add to gallery'=>'הוספה לגלריה','Bulk actions'=>'עריכה קבוצתית','Sort by date uploaded'=>'מיון לפי תאריך העלאה','Sort by date modified'=>'מיון לפי תאריך שינוי','Sort by title'=>'מיון לפי כותרת','Reverse current order'=>'הפוך סדר נוכחי','Close'=>'סגור','Return Format'=>'פורמט חוזר','Image Array'=>'מערך תמונות','Image URL'=>'כתובת אינטרנט של התמונה','Image ID'=>'מזהה ייחודי של תמונה','Library'=>'ספריה','Limit the media library choice'=>'הגבלת אפשרויות ספריית המדיה','All'=>'הכל','Uploaded to post'=>'הועלה לפוסט','Minimum Selection'=>'מינימום בחירה','Maximum Selection'=>'מקסימום בחירה','Minimum'=>'','Restrict which images can be uploaded'=>'','Width'=>'','Height'=>'גובה','File size'=>'','Maximum'=>'','Allowed file types'=>'','Comma separated list. Leave blank for all types'=>'','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'','Prepend to the beginning'=>'','Preview Size'=>'גודל תצוגה','%1$s requires at least %2$s selection'=>'%s מחייב לפחות בחירה %s' . "\0" . '%s מחייב לפחות בחירה %s','Repeater'=>'שדה חזרה','Minimum rows not reached ({min} rows)'=>'הגעתם למינימום שורות האפשרי ({min} שורות)','Maximum rows reached ({max} rows)'=>'הגעתם למקסימום שורות האפשרי ({max} שורות)','Error loading page'=>'שגיאה בבקשת האימות','Order will be assigned upon save'=>'','Sub Fields'=>'שדות משנה','Pagination'=>'מיקום','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'עמוד פוסטים','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'מינימום שורות','Maximum Rows'=>'מקסימום שורות','Collapsed'=>'','Select a sub field to show when row is collapsed'=>'','Invalid nonce.'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'גרור ושחרר לסידור מחדש','Add row'=>'הוספת שורה','Duplicate row'=>'שיכפול','Remove row'=>'הסרת שורה','Current Page'=>'עמוד ראשי','First Page'=>'עמוד ראשי','Previous Page'=>'עמוד פוסטים','paging%1$s of %2$s'=>'','Next Page'=>'עמוד ראשי','Last Page'=>'עמוד פוסטים','No block types exist'=>'לא קיים דף אפשרויות','Options Page'=>'עמוד אפשרויות','No options pages exist'=>'לא קיים דף אפשרויות','Deactivate License'=>'ביטול הפעלת רשיון','Activate License'=>'הפעל את הרשיון','License Information'=>'','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'','License Key'=>'מפתח רשיון','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'אימות נתונים משופר','Update Information'=>'מידע על העדכון','Current Version'=>'גרסה נוכחית','Latest Version'=>'גרסה אחרונה','Update Available'=>'יש עדכון זמין','No'=>'לא','Yes'=>'כן','Upgrade Notice'=>'הודעת שדרוג','Check For Updates'=>'','Enter your license key to unlock updates'=>'הקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכונים','Update Plugin'=>'עדכון התוסף','Please reactivate your license to unlock updates'=>'הקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכונים'],'language'=>'he_IL','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-he_IL.mo b/lang/acf-he_IL.mo
index f09aab4..9d9307a 100644
Binary files a/lang/acf-he_IL.mo and b/lang/acf-he_IL.mo differ
diff --git a/lang/acf-he_IL.po b/lang/acf-he_IL.po
index d985226..f04efaa 100644
--- a/lang/acf-he_IL.po
+++ b/lang/acf-he_IL.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: he_IL\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-hr.l10n.php b/lang/acf-hr.l10n.php
index dac0b89..7fb0a73 100644
--- a/lang/acf-hr.l10n.php
+++ b/lang/acf-hr.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'hr','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s je obavezno','%s settings'=>'Postavke','Options'=>'Postavke','Update'=>'Ažuriraj','Options Updated'=>'Postavke spremljene','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Da bi omogućili automatsko ažuriranje, molimo unesite licencu na stranici ažuriranja. Ukoliko nemate licencu, pogledajte opcije i cijene.','ACF Activation Error. An error occurred when connecting to activation server'=>'Greška. Greška prilikom spajanja na server','Check Again'=>'Provjeri ponovno','ACF Activation Error. Could not connect to activation server'=>'Greška. Greška prilikom spajanja na server','Publish'=>'Objavi','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Niste dodali nijedan skup polja na ovu stranicu, Dodaj skup polja','Edit field group'=>'Uredi skup polja','Error. Could not connect to update server'=>'Greška. Greška prilikom spajanja na server','Updates'=>'Ažuriranja','nounClone'=>'Kloniraj','Fields'=>'Polja','Select one or more fields you wish to clone'=>'Odaberite jedno ili više polja koja želite klonirati','Display'=>'Prikaz','Specify the style used to render the clone field'=>'Odaberite način prikaza kloniranog polja','Group (displays selected fields in a group within this field)'=>'Skupno (Prikazuje odabrana polja kao dodatni skup unutar trenutnog polja)','Seamless (replaces this field with selected fields)'=>'Zamjena (Prikazuje odabrana polja umjesto trenutnog polja)','Layout'=>'Format','Specify the style used to render the selected fields'=>'Odaberite način prikaza odabranih polja','Block'=>'Blok','Table'=>'Tablica','Row'=>'Red','Labels will be displayed as %s'=>'Oznake će biti prikazane kao %s','Prefix Field Labels'=>'Dodaj prefiks ispred oznake','Values will be saved as %s'=>'Vrijednosti će biti spremljene kao %s','Prefix Field Names'=>'Dodaj prefiks ispred naziva polja','Unknown field'=>'Nepoznato polje','(no title)'=>'(bez naziva)','Unknown field group'=>'Nepoznat skup polja','All fields from %s field group'=>'Sva polje iz %s skupa polja','Flexible Content'=>'Fleksibilno polje','Add Row'=>'Dodaj red','layout'=>'raspored' . "\0" . 'raspored' . "\0" . 'raspored','layouts'=>'rasporedi','This field requires at least {min} {label} {identifier}'=>'Polje mora sadržavati najmanje {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Polje je ograničeno na najviše {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} preostalo (najviše {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} obavezno (najmanje {min})','Flexible Content requires at least 1 layout'=>'Potrebno je unijeti najmanje jedno fleksibilni polje','Click the "%s" button below to start creating your layout'=>'Kliknite “%s” gumb kako bi započeki kreiranje raspored','Drag to reorder'=>'Presloži polja povlačenjem','Add layout'=>'Dodaj razmještaj','Duplicate layout'=>'Dupliciraj razmještaj','Remove layout'=>'Ukloni razmještaj','Click to toggle'=>'Klikni za uključivanje/isključivanje','Delete Layout'=>'Obriši','Duplicate Layout'=>'Dupliciraj razmještaj','Add New Layout'=>'Dodaj novi razmještaj','Add Layout'=>'Dodaj razmještaj','Label'=>'Oznaka','Name'=>'Naziv','Min'=>'Minimum','Max'=>'Maksimum','Minimum Layouts'=>'Najmanje','Maximum Layouts'=>'Najviše','Button Label'=>'Tekst gumba','Gallery'=>'Galerija','Add Image to Gallery'=>'Dodaj sliku u galeriju','Maximum selection reached'=>'Već ste dodali najviše dozovoljenih polja','Length'=>'Dužina','Edit'=>'Uredi','Remove'=>'Ukloni','Title'=>'Naziv','Caption'=>'Potpis','Alt Text'=>'Alternativni tekst','Description'=>'Opis','Add to gallery'=>'Dodaj u galeriju','Bulk actions'=>'Grupne akcije','Sort by date uploaded'=>'Razvrstaj po datumu dodavanja','Sort by date modified'=>'Razvrstaj po datumu zadnje promjene','Sort by title'=>'Razvrstaj po naslovu','Reverse current order'=>'Obrnuti redosljed','Close'=>'Zatvori','Return Format'=>'Format za prikaz na web stranici','Image Array'=>'Podaci kao niz','Image URL'=>'Putanja slike','Image ID'=>'ID slike','Library'=>'Zbirka','Limit the media library choice'=>'Ograniči odabir iz zbirke','All'=>'Sve','Uploaded to post'=>'Dodani uz trenutnu objavu','Minimum Selection'=>'Minimalni odabri','Maximum Selection'=>'Maksimalni odabir','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Ograniči koje slike mogu biti dodane','Width'=>'Širina','Height'=>'Visina','File size'=>'Veličina datoteke','Maximum'=>'Maksimum','Allowed file types'=>'Dozvoljeni tipovi datoteka','Comma separated list. Leave blank for all types'=>'Dodaj kao niz odvojen zarezom, npr: .txt, .jpg, ... Ukoliko je prazno, sve datoteke su dozvoljene','Insert'=>'Umetni','Specify where new attachments are added'=>'Precizirajte gdje se dodaju novi prilozi','Append to the end'=>'Umetni na kraj','Prepend to the beginning'=>'Umetni na početak','Preview Size'=>'Veličina prikaza prilikom uređivanja stranice','%1$s requires at least %2$s selection'=>'1 polje treba vašu pažnju' . "\0" . '1 polje treba vašu pažnju' . "\0" . '1 polje treba vašu pažnju','Repeater'=>'Ponavljajuće polje','Minimum rows not reached ({min} rows)'=>'Minimalni broj redova je već odabran ({min})','Maximum rows reached ({max} rows)'=>'Maksimalni broj redova je već odabran ({max})','Error loading page'=>'Neuspješno učitavanje','Sub Fields'=>'Pod polja','Pagination'=>'Pozicija','Rows Per Page'=>'Stranica za objave','Set the number of rows to be displayed on a page.'=>'Odaberite taksonomiju za prikaz','Minimum Rows'=>'Minimalno redova','Maximum Rows'=>'Maksimalno redova','Collapsed'=>'Sklopljeno','Select a sub field to show when row is collapsed'=>'Odaberite pod polje koje će biti prikazano dok je red sklopljen','Invalid field key or name.'=>'Uredi skup polja','Click to reorder'=>'Presloži polja povlačenjem','Add row'=>'Dodaj red','Duplicate row'=>'Dupliciraj','Remove row'=>'Ukloni red','Current Page'=>'Trenutni korisnik','First Page'=>'Početna stranica','Previous Page'=>'Stranica za objave','Next Page'=>'Početna stranica','Last Page'=>'Stranica za objave','No block types exist'=>'Ne postoji stranica sa postavkama','Options Page'=>'Postavke','No options pages exist'=>'Ne postoji stranica sa postavkama','Deactivate License'=>'Deaktiviraj licencu','Activate License'=>'Aktiviraj licencu','License Information'=>'Informacije o licenci','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Da bi omogućili ažuriranje, molimo unesite vašu licencu i polje ispod. Ukoliko ne posjedujete licencu, molimo posjetite detalji i cijene.','License Key'=>'Licenca','Retry Activation'=>'Bolja verifikacija polja','Update Information'=>'Ažuriraj informacije','Current Version'=>'Trenutna vezija','Latest Version'=>'Posljednja dostupna verzija','Update Available'=>'Dostupna nadogradnja','No'=>'Ne','Yes'=>'Da','Upgrade Notice'=>'Obavijest od nadogradnjama','Enter your license key to unlock updates'=>'Unesite licencu kako bi mogli izvršiti nadogradnju','Update Plugin'=>'Nadogradi dodatak','Please reactivate your license to unlock updates'=>'Unesite licencu kako bi mogli izvršiti nadogradnju']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s je obavezno','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Postavke','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Postavke','Update'=>'Ažuriraj','Options Updated'=>'Postavke spremljene','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Da bi omogućili automatsko ažuriranje, molimo unesite licencu na stranici ažuriranja. Ukoliko nemate licencu, pogledajte opcije i cijene.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Greška. Greška prilikom spajanja na server','Check Again'=>'Provjeri ponovno','ACF Activation Error. Could not connect to activation server'=>'Greška. Greška prilikom spajanja na server','Publish'=>'Objavi','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Niste dodali nijedan skup polja na ovu stranicu, Dodaj skup polja','Edit field group'=>'Uredi skup polja','Error. Could not connect to update server'=>'Greška. Greška prilikom spajanja na server','Updates'=>'Ažuriranja','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','nounClone'=>'Kloniraj','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Polja','Select one or more fields you wish to clone'=>'Odaberite jedno ili više polja koja želite klonirati','Display'=>'Prikaz','Specify the style used to render the clone field'=>'Odaberite način prikaza kloniranog polja','Group (displays selected fields in a group within this field)'=>'Skupno (Prikazuje odabrana polja kao dodatni skup unutar trenutnog polja)','Seamless (replaces this field with selected fields)'=>'Zamjena (Prikazuje odabrana polja umjesto trenutnog polja)','Layout'=>'Format','Specify the style used to render the selected fields'=>'Odaberite način prikaza odabranih polja','Block'=>'Blok','Table'=>'Tablica','Row'=>'Red','Labels will be displayed as %s'=>'Oznake će biti prikazane kao %s','Prefix Field Labels'=>'Dodaj prefiks ispred oznake','Values will be saved as %s'=>'Vrijednosti će biti spremljene kao %s','Prefix Field Names'=>'Dodaj prefiks ispred naziva polja','Unknown field'=>'Nepoznato polje','(no title)'=>'(bez naziva)','Unknown field group'=>'Nepoznat skup polja','All fields from %s field group'=>'Sva polje iz %s skupa polja','Flexible Content'=>'Fleksibilno polje','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Dodaj red','layout'=>'raspored' . "\0" . 'raspored' . "\0" . 'raspored','layouts'=>'rasporedi','This field requires at least {min} {label} {identifier}'=>'Polje mora sadržavati najmanje {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Polje je ograničeno na najviše {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} preostalo (najviše {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} obavezno (najmanje {min})','Flexible Content requires at least 1 layout'=>'Potrebno je unijeti najmanje jedno fleksibilni polje','Click the "%s" button below to start creating your layout'=>'Kliknite “%s” gumb kako bi započeki kreiranje raspored','Drag to reorder'=>'Presloži polja povlačenjem','Add layout'=>'Dodaj razmještaj','Duplicate layout'=>'Dupliciraj razmještaj','Remove layout'=>'Ukloni razmještaj','Click to toggle'=>'Klikni za uključivanje/isključivanje','Delete Layout'=>'Obriši','Duplicate Layout'=>'Dupliciraj razmještaj','Add New Layout'=>'Dodaj novi razmještaj','Add Layout'=>'Dodaj razmještaj','Label'=>'Oznaka','Name'=>'Naziv','Min'=>'Minimum','Max'=>'Maksimum','Minimum Layouts'=>'Najmanje','Maximum Layouts'=>'Najviše','Button Label'=>'Tekst gumba','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','Gallery'=>'Galerija','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Dodaj sliku u galeriju','Maximum selection reached'=>'Već ste dodali najviše dozovoljenih polja','Length'=>'Dužina','Edit'=>'Uredi','Remove'=>'Ukloni','Title'=>'Naziv','Caption'=>'Potpis','Alt Text'=>'Alternativni tekst','Description'=>'Opis','Add to gallery'=>'Dodaj u galeriju','Bulk actions'=>'Grupne akcije','Sort by date uploaded'=>'Razvrstaj po datumu dodavanja','Sort by date modified'=>'Razvrstaj po datumu zadnje promjene','Sort by title'=>'Razvrstaj po naslovu','Reverse current order'=>'Obrnuti redosljed','Close'=>'Zatvori','Return Format'=>'Format za prikaz na web stranici','Image Array'=>'Podaci kao niz','Image URL'=>'Putanja slike','Image ID'=>'ID slike','Library'=>'Zbirka','Limit the media library choice'=>'Ograniči odabir iz zbirke','All'=>'Sve','Uploaded to post'=>'Dodani uz trenutnu objavu','Minimum Selection'=>'Minimalni odabri','Maximum Selection'=>'Maksimalni odabir','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Ograniči koje slike mogu biti dodane','Width'=>'Širina','Height'=>'Visina','File size'=>'Veličina datoteke','Maximum'=>'Maksimum','Allowed file types'=>'Dozvoljeni tipovi datoteka','Comma separated list. Leave blank for all types'=>'Dodaj kao niz odvojen zarezom, npr: .txt, .jpg, ... Ukoliko je prazno, sve datoteke su dozvoljene','Insert'=>'Umetni','Specify where new attachments are added'=>'Precizirajte gdje se dodaju novi prilozi','Append to the end'=>'Umetni na kraj','Prepend to the beginning'=>'Umetni na početak','Preview Size'=>'Veličina prikaza prilikom uređivanja stranice','%1$s requires at least %2$s selection'=>'1 polje treba vašu pažnju' . "\0" . '1 polje treba vašu pažnju' . "\0" . '1 polje treba vašu pažnju','Repeater'=>'Ponavljajuće polje','Minimum rows not reached ({min} rows)'=>'Minimalni broj redova je već odabran ({min})','Maximum rows reached ({max} rows)'=>'Maksimalni broj redova je već odabran ({max})','Error loading page'=>'Neuspješno učitavanje','Order will be assigned upon save'=>'','Sub Fields'=>'Pod polja','Pagination'=>'Pozicija','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Stranica za objave','Set the number of rows to be displayed on a page.'=>'Odaberite taksonomiju za prikaz','Minimum Rows'=>'Minimalno redova','Maximum Rows'=>'Maksimalno redova','Collapsed'=>'Sklopljeno','Select a sub field to show when row is collapsed'=>'Odaberite pod polje koje će biti prikazano dok je red sklopljen','Invalid nonce.'=>'','Invalid field key or name.'=>'Uredi skup polja','There was an error retrieving the field.'=>'','Click to reorder'=>'Presloži polja povlačenjem','Add row'=>'Dodaj red','Duplicate row'=>'Dupliciraj','Remove row'=>'Ukloni red','Current Page'=>'Trenutni korisnik','First Page'=>'Početna stranica','Previous Page'=>'Stranica za objave','paging%1$s of %2$s'=>'','Next Page'=>'Početna stranica','Last Page'=>'Stranica za objave','No block types exist'=>'Ne postoji stranica sa postavkama','Options Page'=>'Postavke','No options pages exist'=>'Ne postoji stranica sa postavkama','Deactivate License'=>'Deaktiviraj licencu','Activate License'=>'Aktiviraj licencu','License Information'=>'Informacije o licenci','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Da bi omogućili ažuriranje, molimo unesite vašu licencu i polje ispod. Ukoliko ne posjedujete licencu, molimo posjetite detalji i cijene.','License Key'=>'Licenca','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Bolja verifikacija polja','Update Information'=>'Ažuriraj informacije','Current Version'=>'Trenutna vezija','Latest Version'=>'Posljednja dostupna verzija','Update Available'=>'Dostupna nadogradnja','No'=>'Ne','Yes'=>'Da','Upgrade Notice'=>'Obavijest od nadogradnjama','Check For Updates'=>'','Enter your license key to unlock updates'=>'Unesite licencu kako bi mogli izvršiti nadogradnju','Update Plugin'=>'Nadogradi dodatak','Please reactivate your license to unlock updates'=>'Unesite licencu kako bi mogli izvršiti nadogradnju'],'language'=>'hr','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-hr.mo b/lang/acf-hr.mo
index c76f5fc..5bd51b4 100644
Binary files a/lang/acf-hr.mo and b/lang/acf-hr.mo differ
diff --git a/lang/acf-hr.po b/lang/acf-hr.po
index ffc7452..ad2bf2b 100644
--- a/lang/acf-hr.po
+++ b/lang/acf-hr.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: hr\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-hu_HU.l10n.php b/lang/acf-hu_HU.l10n.php
index 1f28c22..aae28bd 100644
--- a/lang/acf-hu_HU.l10n.php
+++ b/lang/acf-hu_HU.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'hu_HU','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s kitöltése kötelező','%s settings'=>'Új beállítások','Options'=>'Beállítások','Update'=>'Frissítés','Options Updated'=>'Beállítások elmentve','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük át a licencek részleteit és árait.','ACF Activation Error. An error occurred when connecting to activation server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Check Again'=>'Ismételt ellenőrzés','ACF Activation Error. Could not connect to activation server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Publish'=>'Közzététel','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nincsenek mezőcsoportok ehhez a beállítás oldalhoz. Mezőcsoport hozzáadása','Error. Could not connect to update server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Updates'=>'Frissítések','Fields'=>'Mezők','Display'=>'Megjelenítés','Layout'=>'Tartalom elrendezés','Block'=>'Blokk','Table'=>'Táblázat','Row'=>'Sorok','Labels will be displayed as %s'=>'A kiválasztott elemek jelennek meg az eredményekben','Prefix Field Labels'=>'Mezőfelirat','Prefix Field Names'=>'Mezőnév','Unknown field'=>'Mezők alatt','(no title)'=>'Rendezés cím szerint','Unknown field group'=>'Mezőcsoport megjelenítése, ha','Flexible Content'=>'Rugalmas tartalom (flexible content)','Add Row'=>'Sor hozzáadása','layout'=>'elrendezés' . "\0" . 'elrendezés','layouts'=>'elrendezés','This field requires at least {min} {label} {identifier}'=>'Ennél a mezőnél legalább {min} {label} {identifier} hozzáadása szükséges','This field has a limit of {max} {label} {identifier}'=>'Ennél a mezőnél legfeljebb {max} {identifier} adható hozzá.','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} adható még hozzá (maximum {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} hozzáadása szükséges (minimum {min})','Flexible Content requires at least 1 layout'=>'Rugalmas tartalomnál legalább egy elrendezést definiálni kell.','Click the "%s" button below to start creating your layout'=>'Kattintsunk lent a "%s" gombra egyéni tartalom létrehozásához.','Drag to reorder'=>'Átrendezéshez húzzuk a megfelelő helyre','Add layout'=>'Elrendezés hozzáadása','Duplicate layout'=>'Elrendezés duplikálása','Remove layout'=>'Elrendezés eltávolítása','Delete Layout'=>'Elrendezés törlése','Duplicate Layout'=>'Elrendezés duplikálása','Add New Layout'=>'Új elrendezés hozzáadása','Add Layout'=>'Elrendezés hozzáadása','Label'=>'Felirat','Name'=>'Név','Min'=>'Minimum','Max'=>'Maximum','Minimum Layouts'=>'Tartalmak minimális száma','Maximum Layouts'=>'Tartalmak maximális száma','Button Label'=>'Gomb felirata','Gallery'=>'Galéria','Add Image to Gallery'=>'Kép hozzáadása a galériához','Maximum selection reached'=>'Elértük a kiválasztható elemek maximális számát','Edit'=>'Szerkesztés','Title'=>'Cím','Caption'=>'Beállítások','Alt Text'=>'Szöveg (text)','Add to gallery'=>'Hozzáadás galériához','Bulk actions'=>'Csoportművelet','Sort by date uploaded'=>'Rendezés feltöltési dátum szerint','Sort by date modified'=>'Rendezés módosítási dátum szerint','Sort by title'=>'Rendezés cím szerint','Reverse current order'=>'Fordított sorrend','Close'=>'Bezárás','Return Format'=>'Visszaadott formátum','Image Array'=>'Kép adattömb (array)','Image URL'=>'Kép URL','Image ID'=>'Kép azonosító','Library'=>'Médiatár','Limit the media library choice'=>'Kiválasztható médiatár elemek korlátozása','All'=>'Összes','Uploaded to post'=>'Feltöltve a bejegyzéshez','Minimum Selection'=>'Minimális választás','Maximum Selection'=>'Maximális választás','Height'=>'Magasság','Append to the end'=>'Beviteli mező után jelenik meg','Preview Size'=>'Előnézeti méret','%1$s requires at least %2$s selection'=>'%s mező esetében legalább %s értéket ki kell választani' . "\0" . '%s mező esetében legalább %s értéket ki kell választani','Repeater'=>'Ismétlő csoportmező (repeater)','Minimum rows not reached ({min} rows)'=>'Nem érjük el a sorok minimális számát (legalább {min} sort hozzá kell adni)','Maximum rows reached ({max} rows)'=>'Elértük a sorok maximális számát (legfeljebb {max} sor adható hozzá)','Sub Fields'=>'Almezők','Pagination'=>'Pozíció','Rows Per Page'=>'Bejegyzések oldala','Minimum Rows'=>'Sorok minimális száma','Maximum Rows'=>'Sorok maximális száma','Collapsed'=>'Részletek bezárása','Click to reorder'=>'Átrendezéshez húzzuk a megfelelő helyre','Add row'=>'Sor hozzáadása','Duplicate row'=>'Duplikálás','Remove row'=>'Sor eltávolítása','Current Page'=>'Kezdőoldal','First Page'=>'Kezdőoldal','Previous Page'=>'Bejegyzések oldala','Next Page'=>'Kezdőoldal','Last Page'=>'Bejegyzések oldala','No block types exist'=>'Nincsenek beállítás oldalak','Options Page'=>'Beállítások oldal','No options pages exist'=>'Nincsenek beállítás oldalak','Deactivate License'=>'Licenc deaktiválása','Activate License'=>'Licenc aktiválása','License Information'=>'Frissítési információ','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük át a licencek részleteit és árait.','License Key'=>'Licenckulcs','Retry Activation'=>'Jobb ellenőrzés és érvényesítés','Update Information'=>'Frissítési információ','Current Version'=>'Jelenlegi verzió','Latest Version'=>'Legújabb verzió','Update Available'=>'Frissítés elérhető','No'=>'Nem','Yes'=>'Igen','Upgrade Notice'=>'Frissítési figyelmeztetés','Enter your license key to unlock updates'=>'Adjuk meg a licenckulcsot a frissítések engedélyezéséhez','Update Plugin'=>'Bővítmény frissítése','Please reactivate your license to unlock updates'=>'Adjuk meg a licenckulcsot a frissítések engedélyezéséhez']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s kitöltése kötelező','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Új beállítások','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Beállítások','Update'=>'Frissítés','Options Updated'=>'Beállítások elmentve','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük át a licencek részleteit és árait.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Check Again'=>'Ismételt ellenőrzés','ACF Activation Error. Could not connect to activation server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Publish'=>'Közzététel','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nincsenek mezőcsoportok ehhez a beállítás oldalhoz. Mezőcsoport hozzáadása','Edit field group'=>'','Error. Could not connect to update server'=>'Hiba. Nem hozható létre kapcsolat a frissítési szerverrel.','Updates'=>'Frissítések','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','nounClone'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Mezők','Select one or more fields you wish to clone'=>'','Display'=>'Megjelenítés','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Layout'=>'Tartalom elrendezés','Specify the style used to render the selected fields'=>'','Block'=>'Blokk','Table'=>'Táblázat','Row'=>'Sorok','Labels will be displayed as %s'=>'A kiválasztott elemek jelennek meg az eredményekben','Prefix Field Labels'=>'Mezőfelirat','Values will be saved as %s'=>'','Prefix Field Names'=>'Mezőnév','Unknown field'=>'Mezők alatt','(no title)'=>'Rendezés cím szerint','Unknown field group'=>'Mezőcsoport megjelenítése, ha','All fields from %s field group'=>'','Flexible Content'=>'Rugalmas tartalom (flexible content)','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Sor hozzáadása','layout'=>'elrendezés' . "\0" . 'elrendezés','layouts'=>'elrendezés','This field requires at least {min} {label} {identifier}'=>'Ennél a mezőnél legalább {min} {label} {identifier} hozzáadása szükséges','This field has a limit of {max} {label} {identifier}'=>'Ennél a mezőnél legfeljebb {max} {identifier} adható hozzá.','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} adható még hozzá (maximum {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} hozzáadása szükséges (minimum {min})','Flexible Content requires at least 1 layout'=>'Rugalmas tartalomnál legalább egy elrendezést definiálni kell.','Click the "%s" button below to start creating your layout'=>'Kattintsunk lent a "%s" gombra egyéni tartalom létrehozásához.','Drag to reorder'=>'Átrendezéshez húzzuk a megfelelő helyre','Add layout'=>'Elrendezés hozzáadása','Duplicate layout'=>'Elrendezés duplikálása','Remove layout'=>'Elrendezés eltávolítása','Click to toggle'=>'','Delete Layout'=>'Elrendezés törlése','Duplicate Layout'=>'Elrendezés duplikálása','Add New Layout'=>'Új elrendezés hozzáadása','Add Layout'=>'Elrendezés hozzáadása','Label'=>'Felirat','Name'=>'Név','Min'=>'Minimum','Max'=>'Maximum','Minimum Layouts'=>'Tartalmak minimális száma','Maximum Layouts'=>'Tartalmak maximális száma','Button Label'=>'Gomb felirata','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','Gallery'=>'Galéria','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Kép hozzáadása a galériához','Maximum selection reached'=>'Elértük a kiválasztható elemek maximális számát','Length'=>'','Edit'=>'Szerkesztés','Remove'=>'','Title'=>'Cím','Caption'=>'Beállítások','Alt Text'=>'Szöveg (text)','Description'=>'','Add to gallery'=>'Hozzáadás galériához','Bulk actions'=>'Csoportművelet','Sort by date uploaded'=>'Rendezés feltöltési dátum szerint','Sort by date modified'=>'Rendezés módosítási dátum szerint','Sort by title'=>'Rendezés cím szerint','Reverse current order'=>'Fordított sorrend','Close'=>'Bezárás','Return Format'=>'Visszaadott formátum','Image Array'=>'Kép adattömb (array)','Image URL'=>'Kép URL','Image ID'=>'Kép azonosító','Library'=>'Médiatár','Limit the media library choice'=>'Kiválasztható médiatár elemek korlátozása','All'=>'Összes','Uploaded to post'=>'Feltöltve a bejegyzéshez','Minimum Selection'=>'Minimális választás','Maximum Selection'=>'Maximális választás','Minimum'=>'','Restrict which images can be uploaded'=>'','Width'=>'','Height'=>'Magasság','File size'=>'','Maximum'=>'','Allowed file types'=>'','Comma separated list. Leave blank for all types'=>'','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'Beviteli mező után jelenik meg','Prepend to the beginning'=>'','Preview Size'=>'Előnézeti méret','%1$s requires at least %2$s selection'=>'%s mező esetében legalább %s értéket ki kell választani' . "\0" . '%s mező esetében legalább %s értéket ki kell választani','Repeater'=>'Ismétlő csoportmező (repeater)','Minimum rows not reached ({min} rows)'=>'Nem érjük el a sorok minimális számát (legalább {min} sort hozzá kell adni)','Maximum rows reached ({max} rows)'=>'Elértük a sorok maximális számát (legfeljebb {max} sor adható hozzá)','Error loading page'=>'','Order will be assigned upon save'=>'','Sub Fields'=>'Almezők','Pagination'=>'Pozíció','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Bejegyzések oldala','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Sorok minimális száma','Maximum Rows'=>'Sorok maximális száma','Collapsed'=>'Részletek bezárása','Select a sub field to show when row is collapsed'=>'','Invalid nonce.'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Átrendezéshez húzzuk a megfelelő helyre','Add row'=>'Sor hozzáadása','Duplicate row'=>'Duplikálás','Remove row'=>'Sor eltávolítása','Current Page'=>'Kezdőoldal','First Page'=>'Kezdőoldal','Previous Page'=>'Bejegyzések oldala','paging%1$s of %2$s'=>'','Next Page'=>'Kezdőoldal','Last Page'=>'Bejegyzések oldala','No block types exist'=>'Nincsenek beállítás oldalak','Options Page'=>'Beállítások oldal','No options pages exist'=>'Nincsenek beállítás oldalak','Deactivate License'=>'Licenc deaktiválása','Activate License'=>'Licenc aktiválása','License Information'=>'Frissítési információ','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük át a licencek részleteit és árait.','License Key'=>'Licenckulcs','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Jobb ellenőrzés és érvényesítés','Update Information'=>'Frissítési információ','Current Version'=>'Jelenlegi verzió','Latest Version'=>'Legújabb verzió','Update Available'=>'Frissítés elérhető','No'=>'Nem','Yes'=>'Igen','Upgrade Notice'=>'Frissítési figyelmeztetés','Check For Updates'=>'','Enter your license key to unlock updates'=>'Adjuk meg a licenckulcsot a frissítések engedélyezéséhez','Update Plugin'=>'Bővítmény frissítése','Please reactivate your license to unlock updates'=>'Adjuk meg a licenckulcsot a frissítések engedélyezéséhez'],'language'=>'hu_HU','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-hu_HU.mo b/lang/acf-hu_HU.mo
index d481ada..6c2ccae 100644
Binary files a/lang/acf-hu_HU.mo and b/lang/acf-hu_HU.mo differ
diff --git a/lang/acf-hu_HU.po b/lang/acf-hu_HU.po
index b9a2ec5..9b3b424 100644
--- a/lang/acf-hu_HU.po
+++ b/lang/acf-hu_HU.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: hu_HU\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-id_ID.l10n.php b/lang/acf-id_ID.l10n.php
index f9892d2..b8a9d56 100644
--- a/lang/acf-id_ID.l10n.php
+++ b/lang/acf-id_ID.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'id_ID','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blok tipe nama diharuskan.','Block type "%s" is already registered.'=>'Blok tipe “%s” telah terdaftar.','Switch to Edit'=>'Beralih ke Penyuntingan','Switch to Preview'=>'Beralih ke Pratinjau','Change content alignment'=>'Sunting perataan konten','%s settings'=>'%s pengaturan','Options'=>'Pengaturan','Update'=>'Perbarui','Options Updated'=>'Pilihan Diperbarui','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Untuk mengaktifkan update, masukkan kunci lisensi Anda pada halaman Pembaruan. Jika anda tidak memiliki kunci lisensi, silakan lihat rincian & harga.','ACF Activation Error. An error occurred when connecting to activation server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Check Again'=>'Periksa lagi','ACF Activation Error. Could not connect to activation server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Publish'=>'Terbitkan','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Tidak ada Grup Bidang Kustom ditemukan untuk halaman pilihan ini. Buat Grup Bidang Kustom','Edit field group'=>'Sunting Grup Bidang','Error. Could not connect to update server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Updates'=>'Pembaruan','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Terjadi Kesalahan. Tidak dapat mengautentikasi paket pembaruan. Silakan periksa lagi atau nonaktifkan dan aktifkan kembali lisensi ACF PRO Anda.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Terjadi Kesalahan. Tidak dapat mengautentikasi paket pembaruan. Silakan periksa lagi atau nonaktifkan dan aktifkan kembali lisensi ACF PRO Anda.','nounClone'=>'Klon','Fields'=>'Bidang','Select one or more fields you wish to clone'=>'Pilih satu atau lebih bidang yang ingin Anda gandakan','Display'=>'Tampilan','Specify the style used to render the clone field'=>'Tentukan gaya yang digunakan untuk merender bidang ganda','Group (displays selected fields in a group within this field)'=>'Grup (menampilkan bidang yang dipilih dalam grup dalam bidang ini)','Seamless (replaces this field with selected fields)'=>'Seamless (mengganti bidang ini dengan bidang yang dipilih)','Layout'=>'Layout','Specify the style used to render the selected fields'=>'Tentukan gaya yang digunakan untuk merender bidang yang dipilih','Block'=>'Blok','Table'=>'Tabel','Row'=>'Baris','Labels will be displayed as %s'=>'Label akan ditampilkan sebagai %s','Prefix Field Labels'=>'Awalan Label Bidang','Values will be saved as %s'=>'Nilai akan disimpan sebagai %s','Prefix Field Names'=>'Awalan Nama Bidang','Unknown field'=>'Bidang tidak diketahui','(no title)'=>'(tanpa judul)','Unknown field group'=>'Grup bidang tidak diketahui','All fields from %s field group'=>'Semua bidang dari %s grup bidang','Flexible Content'=>'Konten Fleksibel','Add Row'=>'Tambah Baris','layout'=>'tata letak','layouts'=>'layout','This field requires at least {min} {label} {identifier}'=>'Bidang ini membutuhkan setidaknya {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Bidang ini memiliki batas {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tersedia (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} diperlukan (min {min})','Flexible Content requires at least 1 layout'=>'Konten fleksibel memerlukan setidaknya 1 layout','Click the "%s" button below to start creating your layout'=>'Klik tombol"%s" dibawah untuk mulai membuat layout Anda','Drag to reorder'=>'Seret untuk menyusun ulang','Add layout'=>'Tambah Layout','Duplicate layout'=>'Gandakan Layout','Remove layout'=>'Hapus layout','Click to toggle'=>'Klik untuk toggle','Delete Layout'=>'Hapus Layout','Duplicate Layout'=>'Duplikat Layout','Add New Layout'=>'Tambah Layout Baru','Add Layout'=>'Tambah Layout','Label'=>'Label','Name'=>'Nama','Min'=>'Min','Max'=>'Maks','Minimum Layouts'=>'Minimum Layouts','Maximum Layouts'=>'Maksimum Layout','Button Label'=>'Label tombol','Gallery'=>'Galeri','Add Image to Gallery'=>'Tambahkan Gambar ke Galeri','Maximum selection reached'=>'Batas pilihan maksimum','Length'=>'Panjang','Edit'=>'Sunting','Remove'=>'Singkirkan','Title'=>'Judul','Caption'=>'Judul','Alt Text'=>'Alt Teks','Description'=>'Deskripsi','Add to gallery'=>'Tambahkan ke galeri','Bulk actions'=>'Aksi besar','Sort by date uploaded'=>'Urutkan berdasarkan tanggal unggah','Sort by date modified'=>'Urutkan berdasarkan tanggal modifikasi','Sort by title'=>'Urutkan menurut judul','Reverse current order'=>'Balik urutan saat ini','Close'=>'Tutup','Return Format'=>'Kembalikan format','Image Array'=>'Gambar Array','Image URL'=>'URL Gambar','Image ID'=>'ID Gambar','Library'=>'Perpustakaan','Limit the media library choice'=>'Batasi pilihan pustaka media','All'=>'Semua','Uploaded to post'=>'Diunggah ke post','Minimum Selection'=>'Seleksi Minimum','Maximum Selection'=>'Seleksi maksimum','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Batasi gambar mana yang dapat diunggah','Width'=>'Lebar','Height'=>'Tinggi','File size'=>'Ukuran Berkas','Maximum'=>'Maksimum','Allowed file types'=>'Jenis berkas yang diperbolehkan','Comma separated list. Leave blank for all types'=>'Daftar dipisahkan koma. Kosongkan untuk semua jenis','Insert'=>'Masukkan','Specify where new attachments are added'=>'Tentukan di mana lampiran baru ditambahkan','Append to the end'=>'Tambahkan ke bagian akhir','Prepend to the beginning'=>'Tambahkan ke bagian awal','Preview Size'=>'Ukuran Tinjauan','%1$s requires at least %2$s selection'=>'%s diperlukan setidaknya %s pilihan','Repeater'=>'Pengulang','Minimum rows not reached ({min} rows)'=>'Baris minimal mencapai ({min} baris)','Maximum rows reached ({max} rows)'=>'Baris maksimum mencapai ({max} baris)','Error loading page'=>'Kesalahan saat memproses bidang.','Sub Fields'=>'Sub Bidang','Pagination'=>'Posisi','Rows Per Page'=>'Laman Post','Set the number of rows to be displayed on a page.'=>'Pilih taksonomi yang akan ditampilkan','Minimum Rows'=>'Minimum Baris','Maximum Rows'=>'Maksimum Baris','Collapsed'=>'Disempitkan','Select a sub field to show when row is collapsed'=>'Pilih sub bidang untuk ditampilkan ketika baris disempitkan','Invalid nonce.'=>'Nonce tidak valid.','Invalid field key or name.'=>'ID grup bidang tidak valid.','Click to reorder'=>'Seret untuk menyusun ulang','Add row'=>'Tambah Baris','Duplicate row'=>'Gandakan baris','Remove row'=>'Hapus baris','Current Page'=>'Pengguna saat ini','First Page'=>'Laman Depan','Previous Page'=>'Laman Post','Next Page'=>'Laman Depan','Last Page'=>'Laman Post','No block types exist'=>'Tidak ada tipe blok tersedia','Options Page'=>'Opsi Laman','No options pages exist'=>'Tidak ada pilihan halaman yang ada','Deactivate License'=>'Nonaktifkan Lisensi','Activate License'=>'Aktifkan Lisensi','License Information'=>'Informasi Lisensi','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Untuk membuka kunci pembaruan, masukkan kunci lisensi Anda di bawah. Jika Anda tidak memiliki kunci lisensi, silakan lihat rincian & harga.','License Key'=>'Kunci lisensi','Retry Activation'=>'Validasi lebih baik','Update Information'=>'Informasi Pembaruan','Current Version'=>'Versi sekarang','Latest Version'=>'Versi terbaru','Update Available'=>'Pembaruan Tersedia','No'=>'Tidak','Yes'=>'Ya','Upgrade Notice'=>'Pemberitahuan Upgrade','Enter your license key to unlock updates'=>'Masukkan kunci lisensi Anda di atas untuk membuka pembaruan','Update Plugin'=>'Perbarui Plugin','Please reactivate your license to unlock updates'=>'Masukkan kunci lisensi Anda di atas untuk membuka pembaruan']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blok tipe nama diharuskan.','Block type "%s" is already registered.'=>'Blok tipe “%s” telah terdaftar.','Switch to Edit'=>'Beralih ke Penyuntingan','Switch to Preview'=>'Beralih ke Pratinjau','Change content alignment'=>'Sunting perataan konten','%s settings'=>'%s pengaturan','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Pengaturan','Update'=>'Perbarui','Options Updated'=>'Pilihan Diperbarui','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Untuk mengaktifkan update, masukkan kunci lisensi Anda pada halaman Pembaruan. Jika anda tidak memiliki kunci lisensi, silakan lihat rincian & harga.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Check Again'=>'Periksa lagi','ACF Activation Error. Could not connect to activation server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Publish'=>'Terbitkan','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Tidak ada Grup Bidang Kustom ditemukan untuk halaman pilihan ini. Buat Grup Bidang Kustom','Edit field group'=>'Sunting Grup Bidang','Error. Could not connect to update server'=>'Kesalahan. Tidak dapat terhubung ke server yang memperbarui','Updates'=>'Pembaruan','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Terjadi Kesalahan. Tidak dapat mengautentikasi paket pembaruan. Silakan periksa lagi atau nonaktifkan dan aktifkan kembali lisensi ACF PRO Anda.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Terjadi Kesalahan. Tidak dapat mengautentikasi paket pembaruan. Silakan periksa lagi atau nonaktifkan dan aktifkan kembali lisensi ACF PRO Anda.','nounClone'=>'Klon','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Bidang','Select one or more fields you wish to clone'=>'Pilih satu atau lebih bidang yang ingin Anda gandakan','Display'=>'Tampilan','Specify the style used to render the clone field'=>'Tentukan gaya yang digunakan untuk merender bidang ganda','Group (displays selected fields in a group within this field)'=>'Grup (menampilkan bidang yang dipilih dalam grup dalam bidang ini)','Seamless (replaces this field with selected fields)'=>'Seamless (mengganti bidang ini dengan bidang yang dipilih)','Layout'=>'Layout','Specify the style used to render the selected fields'=>'Tentukan gaya yang digunakan untuk merender bidang yang dipilih','Block'=>'Blok','Table'=>'Tabel','Row'=>'Baris','Labels will be displayed as %s'=>'Label akan ditampilkan sebagai %s','Prefix Field Labels'=>'Awalan Label Bidang','Values will be saved as %s'=>'Nilai akan disimpan sebagai %s','Prefix Field Names'=>'Awalan Nama Bidang','Unknown field'=>'Bidang tidak diketahui','(no title)'=>'(tanpa judul)','Unknown field group'=>'Grup bidang tidak diketahui','All fields from %s field group'=>'Semua bidang dari %s grup bidang','Flexible Content'=>'Konten Fleksibel','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Tambah Baris','layout'=>'tata letak','layouts'=>'layout','This field requires at least {min} {label} {identifier}'=>'Bidang ini membutuhkan setidaknya {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Bidang ini memiliki batas {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tersedia (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} diperlukan (min {min})','Flexible Content requires at least 1 layout'=>'Konten fleksibel memerlukan setidaknya 1 layout','Click the "%s" button below to start creating your layout'=>'Klik tombol"%s" dibawah untuk mulai membuat layout Anda','Drag to reorder'=>'Seret untuk menyusun ulang','Add layout'=>'Tambah Layout','Duplicate layout'=>'Gandakan Layout','Remove layout'=>'Hapus layout','Click to toggle'=>'Klik untuk toggle','Delete Layout'=>'Hapus Layout','Duplicate Layout'=>'Duplikat Layout','Add New Layout'=>'Tambah Layout Baru','Add Layout'=>'Tambah Layout','Label'=>'Label','Name'=>'Nama','Min'=>'Min','Max'=>'Maks','Minimum Layouts'=>'Minimum Layouts','Maximum Layouts'=>'Maksimum Layout','Button Label'=>'Label tombol','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'','%1$s must contain at most %2$s %3$s layout.'=>'','Gallery'=>'Galeri','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Tambahkan Gambar ke Galeri','Maximum selection reached'=>'Batas pilihan maksimum','Length'=>'Panjang','Edit'=>'Sunting','Remove'=>'Singkirkan','Title'=>'Judul','Caption'=>'Judul','Alt Text'=>'Alt Teks','Description'=>'Deskripsi','Add to gallery'=>'Tambahkan ke galeri','Bulk actions'=>'Aksi besar','Sort by date uploaded'=>'Urutkan berdasarkan tanggal unggah','Sort by date modified'=>'Urutkan berdasarkan tanggal modifikasi','Sort by title'=>'Urutkan menurut judul','Reverse current order'=>'Balik urutan saat ini','Close'=>'Tutup','Return Format'=>'Kembalikan format','Image Array'=>'Gambar Array','Image URL'=>'URL Gambar','Image ID'=>'ID Gambar','Library'=>'Perpustakaan','Limit the media library choice'=>'Batasi pilihan pustaka media','All'=>'Semua','Uploaded to post'=>'Diunggah ke post','Minimum Selection'=>'Seleksi Minimum','Maximum Selection'=>'Seleksi maksimum','Minimum'=>'Minimum','Restrict which images can be uploaded'=>'Batasi gambar mana yang dapat diunggah','Width'=>'Lebar','Height'=>'Tinggi','File size'=>'Ukuran Berkas','Maximum'=>'Maksimum','Allowed file types'=>'Jenis berkas yang diperbolehkan','Comma separated list. Leave blank for all types'=>'Daftar dipisahkan koma. Kosongkan untuk semua jenis','Insert'=>'Masukkan','Specify where new attachments are added'=>'Tentukan di mana lampiran baru ditambahkan','Append to the end'=>'Tambahkan ke bagian akhir','Prepend to the beginning'=>'Tambahkan ke bagian awal','Preview Size'=>'Ukuran Tinjauan','%1$s requires at least %2$s selection'=>'%s diperlukan setidaknya %s pilihan','Repeater'=>'Pengulang','Minimum rows not reached ({min} rows)'=>'Baris minimal mencapai ({min} baris)','Maximum rows reached ({max} rows)'=>'Baris maksimum mencapai ({max} baris)','Error loading page'=>'Kesalahan saat memproses bidang.','Order will be assigned upon save'=>'','Sub Fields'=>'Sub Bidang','Pagination'=>'Posisi','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Laman Post','Set the number of rows to be displayed on a page.'=>'Pilih taksonomi yang akan ditampilkan','Minimum Rows'=>'Minimum Baris','Maximum Rows'=>'Maksimum Baris','Collapsed'=>'Disempitkan','Select a sub field to show when row is collapsed'=>'Pilih sub bidang untuk ditampilkan ketika baris disempitkan','Invalid nonce.'=>'Nonce tidak valid.','Invalid field key or name.'=>'ID grup bidang tidak valid.','There was an error retrieving the field.'=>'','Click to reorder'=>'Seret untuk menyusun ulang','Add row'=>'Tambah Baris','Duplicate row'=>'Gandakan baris','Remove row'=>'Hapus baris','Current Page'=>'Pengguna saat ini','First Page'=>'Laman Depan','Previous Page'=>'Laman Post','paging%1$s of %2$s'=>'','Next Page'=>'Laman Depan','Last Page'=>'Laman Post','No block types exist'=>'Tidak ada tipe blok tersedia','Options Page'=>'Opsi Laman','No options pages exist'=>'Tidak ada pilihan halaman yang ada','Deactivate License'=>'Nonaktifkan Lisensi','Activate License'=>'Aktifkan Lisensi','License Information'=>'Informasi Lisensi','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Untuk membuka kunci pembaruan, masukkan kunci lisensi Anda di bawah. Jika Anda tidak memiliki kunci lisensi, silakan lihat rincian & harga.','License Key'=>'Kunci lisensi','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Validasi lebih baik','Update Information'=>'Informasi Pembaruan','Current Version'=>'Versi sekarang','Latest Version'=>'Versi terbaru','Update Available'=>'Pembaruan Tersedia','No'=>'Tidak','Yes'=>'Ya','Upgrade Notice'=>'Pemberitahuan Upgrade','Check For Updates'=>'','Enter your license key to unlock updates'=>'Masukkan kunci lisensi Anda di atas untuk membuka pembaruan','Update Plugin'=>'Perbarui Plugin','Please reactivate your license to unlock updates'=>'Masukkan kunci lisensi Anda di atas untuk membuka pembaruan'],'language'=>'id_ID','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-id_ID.mo b/lang/acf-id_ID.mo
index c0aa5be..3510614 100644
Binary files a/lang/acf-id_ID.mo and b/lang/acf-id_ID.mo differ
diff --git a/lang/acf-id_ID.po b/lang/acf-id_ID.po
index 1d3e113..5208d4f 100644
--- a/lang/acf-id_ID.po
+++ b/lang/acf-id_ID.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: id_ID\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-it_IT.l10n.php b/lang/acf-it_IT.l10n.php
index 2a60bcd..e80fb02 100644
--- a/lang/acf-it_IT.l10n.php
+++ b/lang/acf-it_IT.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'it_IT','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Aggiorna fonte','By default only admin users can edit this setting.'=>'Per impostazione predefinita, solo gli utenti amministratori possono modificare questa impostazione.','By default only super admin users can edit this setting.'=>'Per impostazione predefinita, solo gli utenti super-amministratori possono modificare questa impostazione.','Close and Add Field'=>'Chiudi e aggiungi il campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Il nome di una funzione PHP da chiamare per gestire il contenuto di un meta box nella tua tassonomia. Per motivi di sicurezza, questa callback sarà eseguita in un contesto speciale senza accesso a nessuna superglobale come $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Il nome di una funzione PHP da chiamare durante la preparazione delle meta box per la schermata di modifica. Per motivi di sicurezza, questa callback sarà eseguita in un contesto speciale senza accesso a nessuna superglobale come $_POST o $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF non ha potuto effettuare la validazione a causa del fatto che è stato fornito un nonce di sicurezza non valido.','Allow Access to Value in Editor UI'=>'Permetti l\'accesso al valore nell\'interfaccia utente dell\'editor','Learn more.'=>'Approfondisci.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permetti agli editori del contenuto di accedere e visualizzare il valore del campo nell\'interfaccia utente dell\'editor utilizzando blocchi con associazioni o lo shortcode di ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Il tipo di campo di ACF richiesto non supporta output nei blocchi con associazioni o nello shortcode di ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Il campo di ACF richiesto non può essere un output in associazioni o nello shortcode di ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Il tipo di campo di ACF richiesto non supporta output in associazioni o nello shortcode di ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Lo shortcode di ACF non può visualizzare campi da articoli non pubblici]','[The ACF shortcode is disabled on this site]'=>'[Lo shortcode di ACF è disabilitato su questo sito]','Businessman Icon'=>'Icona uomo d\'affari','Forums Icon'=>'Icona forum','YouTube Icon'=>'Icona YouTube','Yes (alt) Icon'=>'Icona sì (alt)','Xing Icon'=>'Icona Xing','WordPress (alt) Icon'=>'Icona WordPress (alt)','WhatsApp Icon'=>'Icona WhatsApp','Write Blog Icon'=>'Icona scrivi blog','Widgets Menus Icon'=>'Icona widget menu','View Site Icon'=>'Icona visualizza sito','Learn More Icon'=>'Icona approfondisci','Add Page Icon'=>'Icona aggiungi pagina','Video (alt3) Icon'=>'Icona video (alt3)','Video (alt2) Icon'=>'Icona video (alt2)','Video (alt) Icon'=>'Icona video (alt)','Update (alt) Icon'=>'Icona aggiorna (alt)','Universal Access (alt) Icon'=>'Icona accesso universale (alt)','Twitter (alt) Icon'=>'Icona Twitter (alt)','Twitch Icon'=>'Icona Twitch','Tide Icon'=>'Icona marea','Tickets (alt) Icon'=>'Icona biglietti (alt)','Text Page Icon'=>'Icona pagina di testo','Table Row Delete Icon'=>'Icona elimina riga tabella','Table Row Before Icon'=>'Icona aggiungi riga tabella sopra','Table Row After Icon'=>'Icona aggiungi riga tabella sotto','Table Col Delete Icon'=>'Icona elimina colonna tabella','Table Col Before Icon'=>'Icona aggiungi colonna tabella prima','Table Col After Icon'=>'Icona aggiungi colonna tabella dopo','Superhero (alt) Icon'=>'Icona supereroe (alt)','Superhero Icon'=>'Icona supereroe','Spotify Icon'=>'Icona Spotify','Shortcode Icon'=>'Icona shortcode','Shield (alt) Icon'=>'Icona scudo (alt)','Share (alt2) Icon'=>'Icona condivisione (alt2)','Share (alt) Icon'=>'Icona condivisione (alt)','Saved Icon'=>'Icona salvato','RSS Icon'=>'Icona RSS','REST API Icon'=>'Icona REST API','Remove Icon'=>'Icona rimuovi','Reddit Icon'=>'Icona Reddit','Privacy Icon'=>'Icona privacy','Printer Icon'=>'Icona stampante','Podio Icon'=>'Icona podio','Plus (alt2) Icon'=>'Icona più (alt2)','Plus (alt) Icon'=>'Icona più (alt)','Plugins Checked Icon'=>'Icona plugin con spunta','Pinterest Icon'=>'Icona Pinterest','Pets Icon'=>'Icona zampa','PDF Icon'=>'Icona PDF','Palm Tree Icon'=>'Icona palma','Open Folder Icon'=>'Icona apri cartella','No (alt) Icon'=>'Icona no (alt)','Money (alt) Icon'=>'Icona denaro (alt)','Menu (alt3) Icon'=>'Icona menu (alt3)','Menu (alt2) Icon'=>'Icona menu (alt2)','Menu (alt) Icon'=>'Icona menu (alt)','Spreadsheet Icon'=>'Icona foglio di calcolo','Interactive Icon'=>'Icona interattiva','Document Icon'=>'Icona documento','Default Icon'=>'Icona predefinito','Location (alt) Icon'=>'Icona luogo (alt)','LinkedIn Icon'=>'Icona LinkedIn','Instagram Icon'=>'Icona Instagram','Insert Before Icon'=>'Icona inserisci prima','Insert After Icon'=>'Icona inserisci dopo','Insert Icon'=>'Icona inserisci','Info Outline Icon'=>'Icona informazioni contornata','Images (alt2) Icon'=>'Icona immagini (alt2)','Images (alt) Icon'=>'Icona immagini (alt)','Rotate Right Icon'=>'Icona ruota a destra','Rotate Left Icon'=>'Icona ruota a sinistra','Rotate Icon'=>'Icona ruota','Flip Vertical Icon'=>'Icona inverti verticalmente','Flip Horizontal Icon'=>'Icona inverti orizzontalmente','Crop Icon'=>'Icona ritaglio','ID (alt) Icon'=>'Icona ID (alt)','HTML Icon'=>'Icona HTML','Hourglass Icon'=>'Icona clessidra','Heading Icon'=>'Icona titolo','Google Icon'=>'Icona Google','Games Icon'=>'Icona giochI','Fullscreen Exit (alt) Icon'=>'Icona esci da schermo intero (alt)','Fullscreen (alt) Icon'=>'Icona schermo intero (alt)','Status Icon'=>'Icona stato','Image Icon'=>'Icona immagine','Gallery Icon'=>'Icona galleria','Chat Icon'=>'Icona chat','Audio Icon'=>'Icona audio','Aside Icon'=>'Icona nota','Food Icon'=>'Icona cibo','Exit Icon'=>'Icona uscita','Excerpt View Icon'=>'Icona visualizzazione riassunto','Embed Video Icon'=>'Icona video incorporato','Embed Post Icon'=>'Icona articolo incorporato','Embed Photo Icon'=>'Icona foto incorporata','Embed Generic Icon'=>'Icona oggetto generico incorporato','Embed Audio Icon'=>'Icona audio incorporato','Email (alt2) Icon'=>'Icona email (alt2)','Ellipsis Icon'=>'Icona ellisse','Unordered List Icon'=>'Icona lista non ordinata','RTL Icon'=>'Icona RTL','Ordered List RTL Icon'=>'Icona lista ordinata RTL','Ordered List Icon'=>'Icona lista ordinata','LTR Icon'=>'Icona LTR','Custom Character Icon'=>'Icona carattere personalizzato','Edit Page Icon'=>'Icona modifica pagina','Edit Large Icon'=>'Icona modifica grande','Drumstick Icon'=>'Icona coscia di pollo','Database View Icon'=>'Icona visualizzazione database','Database Remove Icon'=>'Icona rimuovi database','Database Import Icon'=>'Icona importa database','Database Export Icon'=>'Icona esporta database','Database Add Icon'=>'Icona aggiungi database','Database Icon'=>'Icona database','Cover Image Icon'=>'Icona immagine di copertina','Volume On Icon'=>'Icona volume attivato','Volume Off Icon'=>'Icona volume disattivato','Skip Forward Icon'=>'Icona salta in avanti','Skip Back Icon'=>'Icona salta indietro','Repeat Icon'=>'Icona ripeti','Play Icon'=>'Icona play','Pause Icon'=>'Icona pausa','Forward Icon'=>'Icona avanti','Back Icon'=>'Icona indietro','Columns Icon'=>'Icona colonne','Color Picker Icon'=>'Icona selettore colore','Coffee Icon'=>'Icona caffè','Code Standards Icon'=>'Icona standard di codice','Cloud Upload Icon'=>'Icona caricamento cloud','Cloud Saved Icon'=>'Icona salvataggio cloud','Car Icon'=>'Icona macchina','Camera (alt) Icon'=>'Icona fotocamera (alt)','Calculator Icon'=>'Icona calcolatrice','Button Icon'=>'Icona pulsante','Businessperson Icon'=>'Icona persona d\'affari','Tracking Icon'=>'Icona tracciamento','Topics Icon'=>'Icona argomenti','Replies Icon'=>'Icona risposte','PM Icon'=>'Icona PM','Friends Icon'=>'Icona amici','Community Icon'=>'Icona community','BuddyPress Icon'=>'Icona BuddyPress','bbPress Icon'=>'icona bbPress','Activity Icon'=>'Icona attività','Book (alt) Icon'=>'Icona libro (alt)','Block Default Icon'=>'Icona blocco predefinito','Bell Icon'=>'Icona campana','Beer Icon'=>'Icona birra','Bank Icon'=>'Icona banca','Arrow Up (alt2) Icon'=>'Icona freccia su (alt2)','Arrow Up (alt) Icon'=>'Icona freccia su (alt)','Arrow Right (alt2) Icon'=>'Icona freccia destra (alt2)','Arrow Right (alt) Icon'=>'Icona freccia destra (alt)','Arrow Left (alt2) Icon'=>'Icona freccia sinistra (alt2)','Arrow Left (alt) Icon'=>'Icona freccia sinistra (alt)','Arrow Down (alt2) Icon'=>'Icona giù (alt2)','Arrow Down (alt) Icon'=>'Icona giù (alt)','Amazon Icon'=>'Icona Amazon','Align Wide Icon'=>'Icona allineamento ampio','Align Pull Right Icon'=>'Icona allineamento a destra','Align Pull Left Icon'=>'Icona allineamento a sinistra','Align Full Width Icon'=>'Icona allineamento larghezza piena','Airplane Icon'=>'Icona aeroplano','Site (alt3) Icon'=>'Icona sito (alt3)','Site (alt2) Icon'=>'Icona sito (alt2)','Site (alt) Icon'=>'Icona sito (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Effettua l\'upgrade ad ACF PRO per creare pagine opzioni con pochi clic.','Invalid request args.'=>'Argomenti della richiesta non validi.','Sorry, you do not have permission to do that.'=>'Non hai i permessi per farlo.','Blocks Using Post Meta'=>'Blocchi che utilizzano meta dell\'articolo','ACF PRO logo'=>'Logo di ACF PRO','ACF PRO Logo'=>'Logo di ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s richiede un ID dell\'allegato valido quando il tipo è impostato come media_library.','%s is a required property of acf.'=>'%s è una proprietà necessaria di acf.','The value of icon to save.'=>'Il valore dell\'icona da salvare.','The type of icon to save.'=>'Il tipo di icona da salvare.','Yes Icon'=>'Icona sì','WordPress Icon'=>'Icona WordPress','Warning Icon'=>'Icona avviso','Visibility Icon'=>'Icona visibilità','Vault Icon'=>'Icona camera blindata','Upload Icon'=>'Icona caricamento','Update Icon'=>'Icona aggiornamento','Unlock Icon'=>'Icona sbloccare','Universal Access Icon'=>'Icona accesso universale','Undo Icon'=>'Icona annullare','Twitter Icon'=>'Icona Twitter','Trash Icon'=>'Icona cestino','Translation Icon'=>'Icona traduzione','Tickets Icon'=>'Icona biglietti','Thumbs Up Icon'=>'Icona pollice in su','Thumbs Down Icon'=>'Icona pollice in giù','Text Icon'=>'Icona testo','Testimonial Icon'=>'Icona testimonial','Tagcloud Icon'=>'Icona nuvola di tag','Tag Icon'=>'Icona tag','Tablet Icon'=>'Icona tablet','Store Icon'=>'Icona negozio','Sticky Icon'=>'Icona in evidenza','Star Half Icon'=>'Icona mezza stella','Star Filled Icon'=>'Icona stella piena','Star Empty Icon'=>'Icona stella vuota','Sos Icon'=>'Icona sos','Sort Icon'=>'Icona ordina','Smiley Icon'=>'Icona smiley','Smartphone Icon'=>'Icona smartphone','Slides Icon'=>'Icona slide','Shield Icon'=>'Icona scudo','Share Icon'=>'Icona condividi','Search Icon'=>'Icona ricerca','Screen Options Icon'=>'Icona opzioni schermo','Schedule Icon'=>'Icona programma','Redo Icon'=>'Icona ripeti','Randomize Icon'=>'Icona ordinamento casuale','Products Icon'=>'Icona prodotti','Pressthis Icon'=>'Icona pressthis','Post Status Icon'=>'Icona stato del post','Portfolio Icon'=>'Icona portfolio','Plus Icon'=>'Icona più','Playlist Video Icon'=>'Icona playlist video','Playlist Audio Icon'=>'Icona playlist audio','Phone Icon'=>'Icona telefono','Performance Icon'=>'Icona performance','Paperclip Icon'=>'Icona graffetta','No Icon'=>'Nessuna icona','Networking Icon'=>'Icona rete','Nametag Icon'=>'Icona etichetta','Move Icon'=>'Icona sposta','Money Icon'=>'Icona denaro','Minus Icon'=>'Icona meno','Migrate Icon'=>'Icona migra','Microphone Icon'=>'Icona microfono','Megaphone Icon'=>'Icona megafono','Marker Icon'=>'Icona indicatore','Lock Icon'=>'Icona lucchetto','Location Icon'=>'Icona luogo','List View Icon'=>'Icona vista elenco','Lightbulb Icon'=>'Icona lampadina','Left Right Icon'=>'Icona sinistra destra','Layout Icon'=>'Icona layout','Laptop Icon'=>'Icona laptop','Info Icon'=>'Icona informazione','Index Card Icon'=>'Icona carta indice','ID Icon'=>'Icona ID','Hidden Icon'=>'Icona nascosto','Heart Icon'=>'Icona cuore','Hammer Icon'=>'Icona martello','Groups Icon'=>'Icona gruppi','Grid View Icon'=>'Icona vista griglia','Forms Icon'=>'Icona moduli','Flag Icon'=>'Icona bandiera','Filter Icon'=>'Icona filtro','Feedback Icon'=>'Icona feedback','Facebook (alt) Icon'=>'Icona Facebook (alt)','Facebook Icon'=>'Icona Facebook','External Icon'=>'Icona esterno','Email (alt) Icon'=>'Icona email (alt)','Email Icon'=>'Icona email','Video Icon'=>'Icona video','Unlink Icon'=>'Icona scollega','Underline Icon'=>'Icona sottolineatura','Text Color Icon'=>'Icona colore testo','Table Icon'=>'Icona tabella','Strikethrough Icon'=>'Icona barrato','Spellcheck Icon'=>'Icona controllo ortografia','Remove Formatting Icon'=>'Icona rimuovi formattazione','Quote Icon'=>'Icona citazione','Paste Word Icon'=>'Icona incolla parola','Paste Text Icon'=>'Icona incolla testo','Paragraph Icon'=>'Icona paragrafo','Outdent Icon'=>'Icona non indentare','Kitchen Sink Icon'=>'Icona lavello cucina','Justify Icon'=>'Icona giustifica','Italic Icon'=>'Icona corsivo','Insert More Icon'=>'Icona inserisci altro','Indent Icon'=>'Icona indentare','Help Icon'=>'Icona aiuto','Expand Icon'=>'Icona espandi','Contract Icon'=>'Icona contrai','Code Icon'=>'Icona codice','Break Icon'=>'Icona interruzione','Bold Icon'=>'Icona grassetto','Edit Icon'=>'Icona modifica','Download Icon'=>'Icona scarica','Dismiss Icon'=>'Icona ignora','Desktop Icon'=>'Icona desktop','Dashboard Icon'=>'Icona bacheca','Cloud Icon'=>'Icona cloud','Clock Icon'=>'Icona orologio','Clipboard Icon'=>'Icona appunti','Chart Pie Icon'=>'Icona grafico a torta','Chart Line Icon'=>'Icona grafico a linee','Chart Bar Icon'=>'Icona grafico a barre','Chart Area Icon'=>'Icona area grafico','Category Icon'=>'Icona categoria','Cart Icon'=>'Icona carrello','Carrot Icon'=>'Icona carota','Camera Icon'=>'Icona fotocamera','Calendar (alt) Icon'=>'Icona calendario (alt)','Calendar Icon'=>'Icona calendario','Businesswoman Icon'=>'Icona donna d\'affari','Building Icon'=>'Icona edificio','Book Icon'=>'Icona libro','Backup Icon'=>'Icona backup','Awards Icon'=>'Icona premi','Art Icon'=>'Icona arte','Arrow Up Icon'=>'Icona freccia su','Arrow Right Icon'=>'Icona freccia destra','Arrow Left Icon'=>'Icona freccia sinistra','Arrow Down Icon'=>'Icona freccia giù','Archive Icon'=>'Icona archivio','Analytics Icon'=>'Icona analytics','Align Right Icon'=>'Icona allinea a destra','Align None Icon'=>'Icona nessun allineamento','Align Left Icon'=>'Icona allinea a sinistra','Align Center Icon'=>'Icona allinea al centro','Album Icon'=>'Icona album','Users Icon'=>'Icona utenti','Tools Icon'=>'Icona strumenti','Site Icon'=>'Icona sito','Settings Icon'=>'Icona impostazioni','Post Icon'=>'Icona articolo','Plugins Icon'=>'Icona plugin','Page Icon'=>'Icona pagina','Network Icon'=>'Icona rete','Multisite Icon'=>'Icona multisito','Media Icon'=>'Icona media','Links Icon'=>'Icona link','Home Icon'=>'Icona home','Customizer Icon'=>'Icona personalizza','Comments Icon'=>'Icona commenti','Collapse Icon'=>'Icona richiudi','Appearance Icon'=>'Icona aspetto','Generic Icon'=>'Icona generica','Icon picker requires a value.'=>'Il selettore delle icone richiede un valore.','Icon picker requires an icon type.'=>'Il selettore delle icone richiede un tipo di icona.','The available icons matching your search query have been updated in the icon picker below.'=>'Le icone disponibili che corrispondenti alla tua query di ricerca sono state caricate nel selettore delle icone qui sotto.','No results found for that search term'=>'Nessun risultato trovato per quel termine di ricerca','Array'=>'Array','String'=>'Stringa','Specify the return format for the icon. %s'=>'Specifica il formato restituito per l\'icona. %s','Select where content editors can choose the icon from.'=>'Seleziona da dove gli editor dei contenuti possono scegliere l\'icona.','The URL to the icon you\'d like to use, or svg as Data URI'=>'L\'URL all\'icona che vorresti utilizzare, oppure svg come Data URI','Browse Media Library'=>'Sfoglia la libreria dei media','The currently selected image preview'=>'L\'anteprima dell\'immagine attualmente selezionata','Click to change the icon in the Media Library'=>'Fai clic per cambiare l\'icona nella libreria dei media','Search icons...'=>'Cerca le icone...','Media Library'=>'Libreria dei media','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Un\'interfaccia utente interattiva per selezionare un\'icona. Scegli tra Dashicons, la libreria dei media o un campo URL indipendente.','Icon Picker'=>'Selettore delle icone','JSON Load Paths'=>'Percorsi di caricamento JSON','JSON Save Paths'=>'Percorsi di salvataggio JSON','Registered ACF Forms'=>'Moduli ACF registrati','Shortcode Enabled'=>'Shortcode abilitato','Field Settings Tabs Enabled'=>'Schede delle impostazioni del campo abilitate','Field Type Modal Enabled'=>'Modal del tipo di campo abilitato','Admin UI Enabled'=>'Interfaccia utente dell\'amministratore abilitata','Block Preloading Enabled'=>'Precaricamento del blocco abilitato','Blocks Per ACF Block Version'=>'Blocchi per la versione a blocchi di ACF','Blocks Per API Version'=>'Blocchi per la versione API','Registered ACF Blocks'=>'Blocchi di ACF registrati','Light'=>'Light','Standard'=>'Standard','REST API Format'=>'Formato REST API','Registered Options Pages (PHP)'=>'Pagine opzioni registrate (PHP)','Registered Options Pages (JSON)'=>'Pagine opzioni registrate (JSON)','Registered Options Pages (UI)'=>'Pagine opzioni registrate (UI)','Options Pages UI Enabled'=>'Interfaccia utente delle pagine delle opzioni abilitata','Registered Taxonomies (JSON)'=>'Tassonomie registrate (JSON)','Registered Taxonomies (UI)'=>'Tassonomie registrate (UI)','Registered Post Types (JSON)'=>'Post type registrati (JSON)','Registered Post Types (UI)'=>'Post type registrati (UI)','Post Types and Taxonomies Enabled'=>'Post type e tassonomie registrate','Number of Third Party Fields by Field Type'=>'Numbero di campi di terze parti per tipo di campo','Number of Fields by Field Type'=>'Numero di campi per tipo di campo','Field Groups Enabled for GraphQL'=>'Gruppi di campi abilitati per GraphQL','Field Groups Enabled for REST API'=>'Gruppi di campi abilitati per REST API','Registered Field Groups (JSON)'=>'Gruppi di campi registrati (JSON)','Registered Field Groups (PHP)'=>'Gruppi di campi registrati (PHP)','Registered Field Groups (UI)'=>'Gruppi di campi registrati (IU)','Active Plugins'=>'Plugin attivi','Parent Theme'=>'Tema genitore','Active Theme'=>'Tema attivo','Is Multisite'=>'È multisito','MySQL Version'=>'Versione MySQL','WordPress Version'=>'Versione di WordPress','Subscription Expiry Date'=>'Data di scadenza dell\'abbonamento','License Status'=>'Stato della licenza','License Type'=>'Tipo di licenza','Licensed URL'=>'URL con licenza','License Activated'=>'Licenza attivata','Free'=>'Gratuito','Plugin Type'=>'Tipo di plugin','Plugin Version'=>'Versione del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Questa sezione contiene informazioni di debug sulla tua configurazione di ACF che possono essere utili per fornirti supporto.','An ACF Block on this page requires attention before you can save.'=>'Un blocco ACF su questa pagina richiede attenzioni prima che tu possa salvare.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Questo dato è registrato quando rileviamo valori che sono stati modificati durante l\'output. %1$sPulisci il registro e ignora%2$s dopo aver effettuato l\'escape dei valori nel tuo codice. Questa notifica riapparirà se rileveremo nuovamente valori modificati.','Dismiss permanently'=>'Ignora definitivamente','Instructions for content editors. Shown when submitting data.'=>'Istruzione per gli editori del contenuto. Mostrato quando si inviano dati.','Has no term selected'=>'Non ha nessun termine selezionato','Has any term selected'=>'Ha un qualsiasi termine selezionato','Terms do not contain'=>'I termini non contengono','Terms contain'=>'I termini contengono','Term is not equal to'=>'Il termine non è uguale a','Term is equal to'=>'Il termine è uguale a','Has no user selected'=>'Non ha nessun utente selezionato','Has any user selected'=>'Ha un qualsiasi utente selezionato','Users do not contain'=>'Gli utenti non contegnono','Users contain'=>'Gli utenti contengono','User is not equal to'=>'L\'utente non è uguale a','User is equal to'=>'L\'utente è uguale a','Has no page selected'=>'Non ha nessuna pagina selezionata','Has any page selected'=>'Ha una qualsiasi pagina selezionata','Pages do not contain'=>'Le pagine non contengono','Pages contain'=>'Le pagine contengono','Page is not equal to'=>'La pagina non è uguale a','Page is equal to'=>'La pagina è uguale a','Has no relationship selected'=>'Non ha nessuna relazione selezionata','Has any relationship selected'=>'Ha una qualsiasi relazione selezionata','Has no post selected'=>'Non ha nessun articolo selezionato','Has any post selected'=>'Ha un qualsiasi articolo selezionato','Posts do not contain'=>'Gli articoli non contengono','Posts contain'=>'Gli articoli contengono','Post is not equal to'=>'L\'articolo non è uguale a','Post is equal to'=>'L\'articolo è uguale a','Relationships do not contain'=>'Le relazioni non contengono','Relationships contain'=>'Le relazioni contengono','Relationship is not equal to'=>'La relazione non è uguale a','Relationship is equal to'=>'La relazione è uguale a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campi ACF','ACF PRO Feature'=>'Funzionalità di ACF PRO','Renew PRO to Unlock'=>'Rinnova la versione PRO per sbloccare','Renew PRO License'=>'Rinnova licenza della versione PRO','PRO fields cannot be edited without an active license.'=>'I campi PRO non possono essere modificati senza una licenza attiva.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Attiva la tua licenza ACF PRO per modificare i gruppi di campi assegnati ad un blocco ACF.','Please activate your ACF PRO license to edit this options page.'=>'Attiva la tua licenza ACF PRO per modificare questa pagina delle opzioni.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Restituire valori HTML con escape effettuato è possibile solamente quando anche format_value è vero. I valori del campo non sono stati restituiti per sicurezza.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Restituire un valore HTML con escape effettuato è possibile solamente quando anche format_value è vero. Il valore del campo non è stato restituito per sicurezza.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ora effettua l\'escape del codice HTML non sicuro quando è restituito da the_field o dallo shortcode ACF. Abbiamo rilevato che l\'output di alcuni dei tuoi campi è stato alterato da questa modifica, ma potrebbe anche non trattarsi di una manomissione. %2$s.','Please contact your site administrator or developer for more details.'=>'Contatta l\'amministratore o lo sviluppatore del tuo sito per ulteriori dettagli.','Learn more'=>'Approfondisci','Hide details'=>'Nascondi dettagli','Show details'=>'Mostra dettagli','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - restituito da %3$s','Renew ACF PRO License'=>'Rinnova la licenza di ACF PRO','Renew License'=>'Rinnova la licenza','Manage License'=>'Gestisci la licenza','\'High\' position not supported in the Block Editor'=>'La posizione "In alto" non è supportata nell\'editor a blocchi','Upgrade to ACF PRO'=>'Esegui l\'upgrade ad ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Le pagine opzioni di ACF sono pagine di amministrazione personalizzate per gestire impostazioni globali attraverso dei campi. Puoi creare più pagine e sottopagine.','Add Options Page'=>'Aggiungi pagina opzioni','In the editor used as the placeholder of the title.'=>'Nell\'editor utilizzato come segnaposto del titolo.','Title Placeholder'=>'Segnaposto del titolo','4 Months Free'=>'4 mesi gratuiti','(Duplicated from %s)'=>'(Duplicato da %s)','Select Options Pages'=>'Seleziona pagine opzioni','Duplicate taxonomy'=>'Duplica tassonomia','Create taxonomy'=>'Crea tassonomia','Duplicate post type'=>'Duplica post type','Create post type'=>'Crea post type','Link field groups'=>'Collega gruppi di campi','Add fields'=>'Aggiungi campi','This Field'=>'Questo campo','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Supporto','is developed and maintained by'=>'è sviluppato e manutenuto da','Add this %s to the location rules of the selected field groups.'=>'Aggiungi questo/a %s alle regole di posizionamento dei gruppi di campi selezionati.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Abilitare l\'impostazione bidirezionale ti permette di aggiornare un valore nei campi di destinazione per ogni valore selezionato per questo campo, aggiungendo o rimuovendo l\'ID dell\'articolo, l\'ID della tassonomia o l\'ID dell\'utente dell\'elemento che si sta aggiornando. Per ulteriori informazioni leggi la documentazione.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Seleziona il campo o i campi per memorizzare il riferimento all\'elemento che si sta aggiornando. Puoi selezionare anche questo stesso campo. I campi di destinazione devono essere compatibili con dove questo campo sarà visualizzato. Per esempio, se questo campo è visualizzato su una tassonomia, il tuo campo di destinazione deve essere di tipo tassonomia.','Target Field'=>'Campo di destinazione','Update a field on the selected values, referencing back to this ID'=>'Aggiorna un campo nei valori selezionati, facendo riferimento a questo ID','Bidirectional'=>'Bidirezionale','%s Field'=>'Campo %s','Select Multiple'=>'Selezione multipla','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo lettere minuscole, trattini bassi e trattini. Massimo 32 caratteri.','The capability name for assigning terms of this taxonomy.'=>'Il nome della capacità per assegnare termini di questa tassonomia.','Assign Terms Capability'=>'Capacità per assegnare termini','The capability name for deleting terms of this taxonomy.'=>'Il nome della capacità per eliminare termini di questa tassonomia.','Delete Terms Capability'=>'Capacità per eliminare termini','The capability name for editing terms of this taxonomy.'=>'Il nome della capacità per modificare i termini di questa tassonomia.','Edit Terms Capability'=>'Capacità per modificare termini','The capability name for managing terms of this taxonomy.'=>'Il nome della capacità per gestire i termini di questa tassonomia.','Manage Terms Capability'=>'Capacità per gestire termini','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stabilisce se gli articoli dovrebbero essere esclusi o meno dai risultati di ricerca e dalle pagine di archivio delle tassonomia.','More Tools from WP Engine'=>'Altri strumenti da WP Engine','Built for those that build with WordPress, by the team at %s'=>'Costruito per chi costruisce con WordPress, dal team di %s','View Pricing & Upgrade'=>'Visualizza i prezzi ed esegui l\'upgrade','Learn More'=>'Approfondisci','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accelera il tuo flusso di lavoro e sviluppa siti web migliori con funzionalità come i blocchi di ACF, le pagine opzioni e campi evoluti come ripetitore, contenuto flessibile, clone e galleria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Sblocca funzionalità avanzate e costruisci ancora meglio con ACF PRO','%s fields'=>'Campi di %s','No terms'=>'Nessun termine','No post types'=>'Nessun post type','No posts'=>'Nessun articolo','No taxonomies'=>'Nessuna tassonomia','No field groups'=>'Nessun gruppo di campi','No fields'=>'Nessun campo','No description'=>'Nessuna descrizione','Any post status'=>'Qualsiasi stato dell\'articolo','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Questa chiave di tassonomia è già utilizzata da un\'altra tassonomia registrata al di fuori di ACF e, di conseguenza, non può essere utilizzata.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Questa chiave di tassonomia è già stata usata da un\'altra tassonomia in ACF e non può essere usata.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La chiave della tassonomia deve contenere esclusivamente caratteri alfanumerici minuscoli, trattini bassi e trattini.','The taxonomy key must be under 32 characters.'=>'La chiave della tassonomia deve contenere al massimo 32 caratteri.','No Taxonomies found in Trash'=>'Nessuna tassonomia trovata nel cestino','No Taxonomies found'=>'Nessuna tassonomia trovata','Search Taxonomies'=>'Cerca tassonomie','View Taxonomy'=>'Visualizza tassonomia','New Taxonomy'=>'Nuova tassonomia','Edit Taxonomy'=>'Modifica tassonomia','Add New Taxonomy'=>'Aggiungi nuova tassonomia','No Post Types found in Trash'=>'Nessun post type trovato nel cestino','No Post Types found'=>'Nessun post type trovato','Search Post Types'=>'Cerca post type','View Post Type'=>'Visualizza post type','New Post Type'=>'Nuovo post type','Edit Post Type'=>'Modifica post type','Add New Post Type'=>'Aggiungi nuovo post type','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Questa chiave del post type è già utilizzata da un altro post type registrato al di fuori di ACF e, di conseguenza, non può essere utilizzata.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Questa chiave del post type è già utilizzata da un altro post type di ACF e, di conseguenza, non può essere utilizzata.','This field must not be a WordPress reserved term.'=>'Questo campo non deve essere un termine riservato di WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La chiave del post type deve necessariamente contenere solo caratteri alfanumerici minuscoli, trattini bassi o trattini.','The post type key must be under 20 characters.'=>'La chiave del post type deve essere al massimo di 20 caratteri.','We do not recommend using this field in ACF Blocks.'=>'Ti sconsigliamo di utilizzare questo campo nei blocchi di ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Visualizza l\'editor WYSIWYG di WordPress, come quello che si vede negli articoli e nelle pagine, che permette di modificare il testo in modalità rich text e che permette anche di inserire contenuti multimediali.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permette di selezionare uno o più utenti che possono essere utilizzati per creare relazioni tra oggetti di dati.','A text input specifically designed for storing web addresses.'=>'Un campo di testo progettato specificamente per memorizzare indirizzi web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un commutatore che ti permette di scegliere un valore 1 o 0 (on o off, vero o falso ecc.). Può essere presentato come un interruttore stilizzato oppure un checkbox.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per selezionare un orario. Il formato dell\'orario può essere personalizzato utilizzando le impostazioni del campo.','A basic textarea input for storing paragraphs of text.'=>'Un\'area di testo di base per memorizzare paragrafi o testo.','A basic text input, useful for storing single string values.'=>'Un campo di testo base, utile per memorizzare singoli valori di stringa.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permette la selezione di uno o più termini di tassonomia sulla base dei criteri e delle opzioni specificate nelle impostazioni del campo.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Ti permette di raggruppare i campi all\'interno di sezioni a scheda nella schermata di modifica. Utile per tenere i campi ordinati e strutturati.','A dropdown list with a selection of choices that you specify.'=>'Un elenco a discesa con una selezione di opzioni a tua scelta.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Un\'interfaccia a due colonne per selezionare uno o più articoli, pagine o post type personalizzati per creare una relazione con l\'elemento che stai attualmente modificando. Include opzioni per cercare e per filtrare.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo per selezionare, attraverso un elemento di controllo dell\'intervallo, un valore numerico compreso all\'interno di un intervallo definito.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un gruppo di elementi radio button che permettono all\'utente di esprimere una singola scelta tra valori da te specificati.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Un\'interfaccia utente interattiva e personalizzabile per selezionare uno o più articoli, pagine o elementi post type con la possibilità di effettuare una ricerca. ','An input for providing a password using a masked field.'=>'Un input per fornire una password utilizzando un campo mascherato.','Filter by Post Status'=>'Filtra per stato dell\'articolo','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un menu a discesa interattivo per selezionare uno o più articoli, pagine, elementi post type personalizzati o URL di archivi con la possibilità di effettuare una ricerca.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interattivo per incorporare video, immagini, tweet, audio e altri contenuti utilizzando la funzionalità oEmbed nativa di WordPress.','An input limited to numerical values.'=>'Un input limitato a valori numerici.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Utilizzato per mostrare un messaggio agli editori accanto agli altri campi. Utile per fornire ulteriore contesto o istruzioni riguardanti i tuoi campi.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Ti permette di specificare un link e le sue proprietà, quali "title" e "target", utilizzando il selettore di link nativo di WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilizza il selettore di media nativo di WordPress per caricare o scegliere le immagini.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Fornisce un modo per strutturare i campi all\'interno di gruppi per organizzare meglio i dati e la schermata di modifica.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Un\'interfaccia utente interattiva per selezionare un luogo utilizzando Google Maps. Richiede una chiave API di Google Maps e una configurazione aggiuntiva per essere visualizzata correttamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilizza il selettore di media nativo di WordPress per caricare o scegliere i file.','A text input specifically designed for storing email addresses.'=>'Un campo di testo pensato specificamente per memorizzare indirizzi email.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per scegliere una data e un orario. Il formato della data restituito può essere personalizzato utilizzando le impostazioni del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per scegliere una data. Il formato della data restituito può essere personalizzato utilizzando le impostazioni del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Un\'interfaccia utente interattiva per selezionare un coloro o per specificare un valore HEX.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un gruppo di elementi checkbox che permettono all\'utente di selezionare uno o più valori tra quelli da te specificati.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un gruppo di pulsanti con valori da te specificati. Gli utenti possono scegliere un\'opzione tra i valori forniti.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Ti permette di raggruppare e organizzare i campi personalizzati in pannelli richiudibili che sono mostrati durante la modifica del contenuto. Utile per mantenere in ordine grandi insiemi di dati.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Questo campo fornisce una soluzione per ripetere contenuti, quali slide, membri del team e riquadri di invito all\'azione, fungendo da genitore di una serie di sotto-campi che possono essere ripetuti più e più volte.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Questo campo fornisce un\'interfaccia interattiva per gestire una collezione di allegati. La maggior parte delle impostazioni è simile a quella del tipo di campo "Immagine". Impostazioni aggiuntive ti permettono di specificare dove saranno aggiunti i nuovi allegati all\'interno della galleria e il numero minimo/massimo di allegati permessi.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Questo campo fornisce un editor semplice, strutturato e basato sul layout. Il campo "Contenuto flessibile" ti permette di definire, creare e gestire il contenuto con un controllo totale, attraverso l\'utilizzo di layout e sotto-campi per progettare i blocchi disponibili.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Questo campo ti permette di selezionare e visualizzare campi esistenti. Non duplica nessun campo nel database, ma carica e visualizza i campi selezionati al momento dell\'esecuzione. Il campo "Clone" può sostituire sé stesso con i campi selezionati oppure visualizzarle come gruppo di sotto-campi.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avanzato','JSON (newer)'=>'JSON (più recente)','Original'=>'Originale','Invalid post ID.'=>'ID articolo non valido.','Invalid post type selected for review.'=>'Post type non valido selezionato per la revisione.','More'=>'Altri','Tutorial'=>'Tutorial','Select Field'=>'Seleziona campo','Try a different search term or browse %s'=>'Prova un termine di ricerca diverso oppure sfoglia %s','Popular fields'=>'Campi popolari','No search results for \'%s\''=>'Nessun risultato di ricerca per \'%s\'','Search fields...'=>'Cerca campi...','Select Field Type'=>'Seleziona tipo di campo','Popular'=>'Popolare','Add Taxonomy'=>'Aggiungi tassonomia','Create custom taxonomies to classify post type content'=>'Crea tassonomie personalizzate per classificare il contenuto del post type','Add Your First Taxonomy'=>'Aggiungi la tua prima tassonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Le tassonomie gerarchiche possono avere discendenti (come le categorie).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Rendi una tassonomia visibile sul frontend e nella bacheca di amministrazione.','One or many post types that can be classified with this taxonomy.'=>'Uno o più post type che possono essere classificati con questa tassonomia.','genre'=>'genere','Genre'=>'Genere','Genres'=>'Generi','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controllore personalizzato opzionale da utilizzare invece di `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Rivela questo post type nella REST API.','Customize the query variable name'=>'Personalizza il nome della variabile della query','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Si può accedere ai termini utilizzando permalink non-pretty, ad es. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termini genitore-figlio negli URL per le tassonomie gerarchiche.','Customize the slug used in the URL'=>'Personalizza lo slug utilizzato nell\'URL','Permalinks for this taxonomy are disabled.'=>'I permalink per questa tassonomia sono disabilitati.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando la chiave della tassonomia come slug. La tua struttura del permalink sarà','Taxonomy Key'=>'Chiave della tassonomia','Select the type of permalink to use for this taxonomy.'=>'Seleziona il tipo di permalink da utilizzare per questa tassonomia.','Display a column for the taxonomy on post type listing screens.'=>'Visualizza una colonna per la tassonomia nelle schermate che elencano i post type.','Show Admin Column'=>'Mostra colonna amministratore','Show the taxonomy in the quick/bulk edit panel.'=>'Mostra la tassonomia nel pannello di modifica rapida/di massa.','Quick Edit'=>'Modifica rapida','List the taxonomy in the Tag Cloud Widget controls.'=>'Elenca la tassonomia nei controlli del widget Tag Cloud.','Tag Cloud'=>'Tag Cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Il nome di una funzione PHP da richiamare per sanificare i dati della tassonomia salvati da un meta box.','Meta Box Sanitization Callback'=>'Callback della sanificazione del meta box','Register Meta Box Callback'=>'Registra la callback del meta box','No Meta Box'=>'Nessun meta box','Custom Meta Box'=>'Meta box personalizzato','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controlla il meta box nella schermata di modifica del contenuto. Per impostazione predefinita, il meta box delle categorie è mostrato per tassonomie gerarchiche, mentre quello dei tag è mostrato per le tassonomie non gerarchiche.','Meta Box'=>'Meta box','Categories Meta Box'=>'Meta box delle categorie','Tags Meta Box'=>'Meta box dei tag','A link to a tag'=>'Un link ad un tag','Describes a navigation link block variation used in the block editor.'=>'Descrive una variazione del blocco di link di navigazione utilizzata nell\'editor a blocchi.','A link to a %s'=>'Un link a %s','Tag Link'=>'Link del tag','Assigns a title for navigation link block variation used in the block editor.'=>'Assegna un titolo alla variazione del blocco di link di navigazione utilizzata nell\'editor a blocchi.','← Go to tags'=>'← Vai ai tag','Assigns the text used to link back to the main index after updating a term.'=>'Assegna il testo utilizzato per il link che permette di tornare indietro all\'indice principale dopo aver aggiornato un termine.','Back To Items'=>'Torna agli elementi','← Go to %s'=>'← Torna a %s','Tags list'=>'Elenco dei tag','Assigns text to the table hidden heading.'=>'Assegna il testo al titolo nascosto della tabella.','Tags list navigation'=>'Navigazione elenco dei tag','Assigns text to the table pagination hidden heading.'=>'Assegna il testo al titolo nascosto della paginazione della tabella.','Filter by category'=>'Filtra per categoria','Assigns text to the filter button in the posts lists table.'=>'Assegna il testo al pulsante filtro nella tabella di elenchi di articoli.','Filter By Item'=>'Filtra per elemento','Filter by %s'=>'Filtra per %s','The description is not prominent by default; however, some themes may show it.'=>'Per impostazione predefinita, la descrizione non è visibile; tuttavia, alcuni temi potrebbero mostrarla.','Describes the Description field on the Edit Tags screen.'=>'Descrive il campo "Descrizione" nella schermata di modifica del tag.','Description Field Description'=>'Descrizione del campo "Descrizione"','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Per creare una gerarchia assegna un termine genitore. Ad esempio, il termine Jazz potrebbe essere genitore di Bebop e Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descrive il campo "Genitore" nella schermata di modifica dei tag.','Parent Field Description'=>'Descrizione del campo "Genitore"','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Lo "slug" è la versione del nome compatibile con l\'URL. Di solito è tutto minuscolo e contiene solo lettere, numeri e trattini.','Describes the Slug field on the Edit Tags screen.'=>'Descrive il campo "Slug" nella schermata di modifica dei tag.','Slug Field Description'=>'Descrizione del campo "Slug"','The name is how it appears on your site'=>'Il nome è come apparirà sul tuo sito','Describes the Name field on the Edit Tags screen.'=>'Descrive il campo "Nome" nella schermata di modifica dei tag.','Name Field Description'=>'Descrizione del campo "Nome"','No tags'=>'Nessun tag','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assegna il testo visualizzato nelle tabelle di elenco degli articoli e dei media nel caso in cui non siano disponibili né tag né categorie.','No Terms'=>'Nessun termine','No %s'=>'Nessun %s','No tags found'=>'Nessun tag trovato','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assegna il testo visualizzato quando si fa clic sul testo "Scegli tra i più utilizzati" nel meta box della tassonomia nel caso in cui non sia disponibile nessun tag, e assegna il testo utilizzato nella tabella di elenco dei termini quando non ci sono elementi per una tassonomia.','Not Found'=>'Non trovato','Assigns text to the Title field of the Most Used tab.'=>'Assegna il testo al campo "Titolo" della scheda "Più utilizzati".','Most Used'=>'Più utilizzati','Choose from the most used tags'=>'Scegli tra i tag più utilizzati','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assegna il testo "Scegli tra i più utilizzati" nel meta box nel caso in cui JavaScript sia disabilitato. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Choose From Most Used'=>'Scegli tra i più utilizzati','Choose from the most used %s'=>'Scegli tra i %s più utilizzati','Add or remove tags'=>'Aggiungi o rimuovi tag','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assegna il testo per aggiungere o rimuovere elementi utilizzato nel meta box nel caso in cui JavaScript sia disabilitato. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Add Or Remove Items'=>'Aggiungi o rimuovi elementi','Add or remove %s'=>'Aggiungi o rimuovi %s','Separate tags with commas'=>'Separa i tag con le virgole','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assegna il testo per separare gli elementi con le virgole utilizzato nel meta box della tassonomia. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Separate Items With Commas'=>'Separa gli elementi con le virgole','Separate %s with commas'=>'Separa i %s con una virgola','Popular Tags'=>'Tag popolari','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assegna il testo per gli elementi popolari. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Popular Items'=>'Elementi popolari','Popular %s'=>'%s popolari','Search Tags'=>'Cerca tag','Assigns search items text.'=>'Assegna il testo per la ricerca di elementi.','Parent Category:'=>'Categoria genitore:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assegna il testo per l\'elemento genitore, ma con i due punti (:) aggiunti alla fine.','Parent Item With Colon'=>'Elemento genitore con due punti','Parent Category'=>'Categoria genitore','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assegna il testo per l\'elemento genitore. Utilizzato esclusivamente per le tassonomie gerarchiche.','Parent Item'=>'Elemento genitore','Parent %s'=>'Genitore %s','New Tag Name'=>'Nome del nuovo tag','Assigns the new item name text.'=>'Assegna il testo per il nome del nuovo elemento.','New Item Name'=>'Nome del nuovo elemento','New %s Name'=>'Nome del nuovo %s','Add New Tag'=>'Aggiungi nuovo tag','Assigns the add new item text.'=>'Assegna il testo per l\'aggiunta di un nuovo elemento.','Update Tag'=>'Aggiorna tag','Assigns the update item text.'=>'Assegna il testo per l\'aggiornamento dell\'elemento.','Update Item'=>'Aggiorna elemento','Update %s'=>'Aggiorna %s','View Tag'=>'Visualizza tag','In the admin bar to view term during editing.'=>'Nella barra di amministrazione per visualizzare il termine durante la modifica.','Edit Tag'=>'Modifica tag','At the top of the editor screen when editing a term.'=>'Nella parte alta della schermata di modifica durante la modifica di un termine.','All Tags'=>'Tutti i tag','Assigns the all items text.'=>'Assegna il testo per tutti gli elementi.','Assigns the menu name text.'=>'Assegna il testo per il nome nel menu.','Menu Label'=>'Etichetta del menu','Active taxonomies are enabled and registered with WordPress.'=>'Le tassonomie attive sono abilitate e registrate con WordPress.','A descriptive summary of the taxonomy.'=>'Un riassunto descrittivo della tassonomia.','A descriptive summary of the term.'=>'Un riassunto descrittivo del termine.','Term Description'=>'Descrizione del termine','Single word, no spaces. Underscores and dashes allowed.'=>'Singola parola, nessun spazio. Sottolineatura e trattini consentiti.','Term Slug'=>'Slug del termine','The name of the default term.'=>'Il nome del termine predefinito.','Term Name'=>'Nome del termine','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un termine per la tassonomia che non potrà essere eliminato. Non sarà selezionato negli articoli per impostazione predefinita.','Default Term'=>'Termine predefinito','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Se i termini in questa tassonomia debbano essere o meno ordinati in base all\'ordine in cui vengono forniti a `wp_set_object_terms()`.','Sort Terms'=>'Ordina i termini','Add Post Type'=>'Aggiunti post type','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Espandi la funzionalità di WordPress con i post type personalizzati, andando oltre gli articoli e le pagine standard.','Add Your First Post Type'=>'Aggiungi il tuo primo post type','I know what I\'m doing, show me all the options.'=>'So cosa sto facendo, mostrami tutte le opzioni.','Advanced Configuration'=>'Configurazione avanzata','Hierarchical post types can have descendants (like pages).'=>'I post type gerarchici possono avere discendenti (come avviene per le pagine).','Hierarchical'=>'Gerarchico','Visible on the frontend and in the admin dashboard.'=>'Visibile sul frontend e sulla bacheca di amministrazione.','Public'=>'Pubblico','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Solo lettere minuscole, trattini bassi e trattini, massimo 20 caratteri.','Movie'=>'Film','Singular Label'=>'Etichetta singolare','Movies'=>'Film','Plural Label'=>'Etichetta plurale','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controllore personalizzato opzionale da utilizzare invece di `WP_REST_Posts_Controller`.','Controller Class'=>'Classe del controllore','The namespace part of the REST API URL.'=>'La parte del namespace nell\'URL della REST API.','Namespace Route'=>'Percorso del namespace','The base URL for the post type REST API URLs.'=>'L\'URL di base per gli URL della REST API del post type.','Base URL'=>'URL di base','Exposes this post type in the REST API. Required to use the block editor.'=>'Mostra questo post type nella REST API. Necessario per utilizzare l\'editor a blocchi.','Show In REST API'=>'Mostra nella REST API','Customize the query variable name.'=>'Personalizza il nome della variabile della query.','Query Variable'=>'Variabile della query','No Query Variable Support'=>'Nessun supporto per la variabile della query','Custom Query Variable'=>'Variabile personalizzata della query','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Si può accedere agli elementi utilizzando permalink non-pretty, ad es. {post_type}={post_slug}.','Query Variable Support'=>'Supporto per la variabile della query','URLs for an item and items can be accessed with a query string.'=>'Gli elementi e gli URL di un elemento sono accessibili tramite una stringa query.','Publicly Queryable'=>'Interrogabile pubblicamente tramite query','Custom slug for the Archive URL.'=>'Slug personalizzato per l\'URL dell\'archivio.','Archive Slug'=>'Slug dell\'archivio','Has an item archive that can be customized with an archive template file in your theme.'=>'Ha un elemento archivio che può essere personalizzato con un file template dell\'archivio nel tuo tema.','Archive'=>'Archivio','Pagination support for the items URLs such as the archives.'=>'Supporto per la paginazione degli URL degli elementi, come gli archivi.','Pagination'=>'Paginazione','RSS feed URL for the post type items.'=>'URL del feed RSS per gli elementi del post type.','Feed URL'=>'URL del feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la struttura del permalink per aggiungere il prefisso `WP_Rewrite::$front` agli URL.','Front URL Prefix'=>'Prefisso dell\'URL','Customize the slug used in the URL.'=>'Personalizza lo slug utilizzato nell\'URL.','URL Slug'=>'Slug dell\'URL','Permalinks for this post type are disabled.'=>'I permalink per questo post type sono disabilitati.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando uno slug personalizzato definito nel campo qui sotto. La tua struttura del permalink sarà','No Permalink (prevent URL rewriting)'=>'Nessun permalink (evita la riscrittura dell\'URL)','Custom Permalink'=>'Permalink personalizzato','Post Type Key'=>'Chiave del post type','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando la chiave del post type come slug. La tua struttura del permalink sarà','Permalink Rewrite'=>'Riscrittura del permalink','Delete items by a user when that user is deleted.'=>'Elimina gli elementi di un utente quando quell\'utente è eliminato.','Delete With User'=>'Elimina con l\'utente','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permetti l\'esportazione del post type da "Strumenti" > "Esporta".','Can Export'=>'Si può esportare','Optionally provide a plural to be used in capabilities.'=>'Fornisci, facoltativamente, un plurale da utilizzare nelle capacità.','Plural Capability Name'=>'Nome plurale per la capacità','Choose another post type to base the capabilities for this post type.'=>'Scegli un altro post type su cui basare le capacità per questo post type.','Singular Capability Name'=>'Nome singolare per la capacità','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Per impostazione predefinita, le capacità del post type erediteranno i nomi delle capacità degli articoli, ad esempio edit_post, delete_posts. Abilita questa opzione per utilizzare capacità specifiche per questo post type, ad esempio edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rinomina capacità','Exclude From Search'=>'Escludi dalla ricerca','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permetti che gli elementi possano essere aggiunti ai menu nella schermata "Aspetto" > "Menu". Questi elementi devono essere abilitati nelle "Impostazioni schermata".','Appearance Menus Support'=>'Supporto per i menu','Appears as an item in the \'New\' menu in the admin bar.'=>'Appare come un elemento nel menu "Nuovo" nella barra di amministrazione.','Show In Admin Bar'=>'Mostra nella barra di amministrazione','Custom Meta Box Callback'=>'Callback personalizzata per il meta box','Menu Icon'=>'Icona del menu','The position in the sidebar menu in the admin dashboard.'=>'La posizione nel menu nella barra laterale nella bacheca di amministrazione.','Menu Position'=>'Posizione nel menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Per impostazione predefinita il post type otterrà un nuovo elemento di primo livello nel menu di amministrazione. Se imposti qui un elemento di primo livello esistente, il post type sarà aggiunto come elemento del suo sottomenu.','Admin Menu Parent'=>'Elemento genitore nel menu di amministrazione','Admin editor navigation in the sidebar menu.'=>'Elemento di navigazione nel menu di amministrazione nella barra laterale.','Show In Admin Menu'=>'Mostra nel menu di amministrazione','Items can be edited and managed in the admin dashboard.'=>'Gli elementi possono essere modificati e gestiti nella bacheca di amministrazione.','Show In UI'=>'Mostra nell\'interfaccia utente','A link to a post.'=>'Un link a un articolo.','Description for a navigation link block variation.'=>'Descrizione per una variazione del blocco di link di navigazione.','Item Link Description'=>'Descrizione del link all\'elemento','A link to a %s.'=>'Un link a un/a %s.','Post Link'=>'Link dell\'articolo','Title for a navigation link block variation.'=>'Titolo per una variazione del blocco di link di navigazione.','Item Link'=>'Link dell\'elemento','%s Link'=>'Link %s','Post updated.'=>'Articolo aggiornato.','In the editor notice after an item is updated.'=>'Nella notifica nell\'editor dopo che un elemento è stato aggiornato.','Item Updated'=>'Elemento aggiornato','%s updated.'=>'%s aggiornato/a.','Post scheduled.'=>'Articolo programmato.','In the editor notice after scheduling an item.'=>'Nella notifica nell\'editor dopo aver programmato un elemento.','Item Scheduled'=>'Elemento programmato','%s scheduled.'=>'%s programmato/a.','Post reverted to draft.'=>'Articolo riconvertito in bozza.','In the editor notice after reverting an item to draft.'=>'Nella notifica nell\'editor dopo aver riconvertito in bozza un elemento.','Item Reverted To Draft'=>'Elemento riconvertito in bozza.','%s reverted to draft.'=>'%s riconvertito/a in bozza.','Post published privately.'=>'Articolo pubblicato privatamente.','In the editor notice after publishing a private item.'=>'Nella notifica nell\'editor dopo aver pubblicato privatamente un elemento.','Item Published Privately'=>'Elemento pubblicato privatamente','%s published privately.'=>'%s pubblicato/a privatamente.','Post published.'=>'Articolo pubblicato.','In the editor notice after publishing an item.'=>'Nella notifica nell\'editor dopo aver pubblicato un elemento.','Item Published'=>'Elemento pubblicato','%s published.'=>'%s pubblicato/a.','Posts list'=>'Elenco degli articoli','Used by screen readers for the items list on the post type list screen.'=>'Utilizzato dai lettori di schermo per l\'elenco degli elementi nella schermata di elenco del post type.','Items List'=>'Elenco degli elementi','%s list'=>'Elenco %s','Posts list navigation'=>'Navigazione dell\'elenco degli articoli','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizzato dei lettori di schermo per i filtri di paginazione dell\'elenco nella schermata di elenco del post type.','Items List Navigation'=>'Navigazione dell\'elenco degli elementi','%s list navigation'=>'Navigazione elenco %s','Filter posts by date'=>'Filtra articoli per data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizzato dai lettori di schermo per il titolo del filtro per data nella schermata di elenco del post type.','Filter Items By Date'=>'Filtra elementi per data','Filter %s by date'=>'Filtra %s per data','Filter posts list'=>'Filtra elenco articoli','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizzato dai lettori di schermo per i link del titolo del filtro nella schermata di elenco del post type.','Filter Items List'=>'Filtra l\'elenco degli elementi','Filter %s list'=>'Filtrare l\'elenco di %s','In the media modal showing all media uploaded to this item.'=>'Nel modal dei media che mostra tutti i media caricati in questo elemento.','Uploaded To This Item'=>'Caricato in questo elemento','Uploaded to this %s'=>'Caricato in questo/a %s','Insert into post'=>'Inserisci nell\'articolo','As the button label when adding media to content.'=>'Come etichetta del pulsante quando si aggiungono media al contenuto.','Insert Into Media Button'=>'Pulsante per inserimento media','Insert into %s'=>'Inserisci in %s','Use as featured image'=>'Utilizza come immagine in evidenza','As the button label for selecting to use an image as the featured image.'=>'Come etichetta del pulsante per la selezione di un\'immagine da utilizzare come immagine in evidenza.','Use Featured Image'=>'Usa come immagine in evidenza','Remove featured image'=>'Rimuovi l\'immagine in evidenza','As the button label when removing the featured image.'=>'Come etichetta del pulsante per rimuovere l\'immagine in evidenza.','Remove Featured Image'=>'Rimuovi l\'immagine in evidenza','Set featured image'=>'Imposta l\'immagine in evidenza','As the button label when setting the featured image.'=>'Come etichetta del pulsante quando si imposta l\'immagine in evidenza.','Set Featured Image'=>'Imposta l\'immagine in evidenza','Featured image'=>'Immagine in evidenza','In the editor used for the title of the featured image meta box.'=>'Utilizzato nell\'editor come titolo per il meta box dell\'immagine in evidenza.','Featured Image Meta Box'=>'Meta box dell\'immagine in evidenza','Post Attributes'=>'Attributi dell\'articolo','In the editor used for the title of the post attributes meta box.'=>'Utilizzato nell\'editor come titolo del meta box degli attributi dell\'articolo.','Attributes Meta Box'=>'Meta box degli attributi','%s Attributes'=>'Attributi %s','Post Archives'=>'Archivi dell\'articolo','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Aggiunge elementi "Archivio del post type" con quest\'etichetta alla lista di articoli mostrati quando si aggiungono elementi ad un menu esistente in un tipo di articolo personalizzato quando sono abilitati gli archivi. Appare solamente durante la modifica dei menu in modalità "Anteprima" e se è stato fornito uno slug personalizzato dell\'archivio.','Archives Nav Menu'=>'Menu di navigazione degli archivi','%s Archives'=>'Archivi %s','No posts found in Trash'=>'Nessun articolo trovato nel cestino','At the top of the post type list screen when there are no posts in the trash.'=>'Nella parte alta della schermata di elenco del post type quando non ci sono articoli nel cestino.','No Items Found in Trash'=>'Nessun elemento trovato nel cestino','No %s found in Trash'=>'Non ci sono %s nel cestino','No posts found'=>'Nessun articolo trovato','At the top of the post type list screen when there are no posts to display.'=>'Nella parte alta della schermata di elenco del post type quando non ci sono articoli da visualizzare.','No Items Found'=>'Nessun elemento trovato','No %s found'=>'Non abbiamo trovato %s','Search Posts'=>'Cerca articoli','At the top of the items screen when searching for an item.'=>'Nella parte alta della schermata degli elementi quando si cerca un elemento.','Search Items'=>'Cerca elementi','Search %s'=>'Cerca %s','Parent Page:'=>'Pagina genitore:','For hierarchical types in the post type list screen.'=>'Per elementi gerarchici nella schermata di elenco del post type.','Parent Item Prefix'=>'Prefisso dell\'elemento genitore','Parent %s:'=>'%s genitore:','New Post'=>'Nuovo articolo','New Item'=>'Nuovo elemento','New %s'=>'Nuovo/a %s','Add New Post'=>'Aggiungi un nuovo articolo','At the top of the editor screen when adding a new item.'=>'Nella parte superiore della schermata di modifica durante l\'aggiunta di un nuovo elemento.','Add New Item'=>'Aggiungi un nuovo elemento','Add New %s'=>'Aggiungi nuovo/a %s','View Posts'=>'Visualizza gli articoli','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Appare nella barra di amministrazione nella vista "Tutti gli articoli", purché il post type supporti gli archivi e la homepage non sia un archivio di quel post type.','View Items'=>'Visualizza gli elementi','View Post'=>'Visualizza l\'articolo','In the admin bar to view item when editing it.'=>'Nella barra di amministrazione per visualizzare l\'elemento durante la sua modifica.','View Item'=>'Visualizza l\'elemento','View %s'=>'Visualizza %s','Edit Post'=>'Modifica l\'articolo','At the top of the editor screen when editing an item.'=>'Nella parte superiore della schermata di modifica durante la modifica di un elemento.','Edit Item'=>'Modifica elemento','Edit %s'=>'Modifica %s','All Posts'=>'Tutti gli articoli','In the post type submenu in the admin dashboard.'=>'Nel sotto menu del post type nella bacheca di amministrazione.','All Items'=>'Tutti gli elementi','All %s'=>'Tutti/e gli/le %s','Admin menu name for the post type.'=>'Nome del post type nel menu di amministrazione.','Menu Name'=>'Nome nel menu','Regenerate all labels using the Singular and Plural labels'=>'Rigenera tutte le etichette utilizzando le etichette per il singolare e per il plurale','Regenerate'=>'Rigenera','Active post types are enabled and registered with WordPress.'=>'I post type attivi sono abilitati e registrati con WordPress.','A descriptive summary of the post type.'=>'Un riassunto descrittivo del post type.','Add Custom'=>'Aggiungi un\'opzione personalizzata','Enable various features in the content editor.'=>'Abilita varie funzionalità nell\'editor del contenuto.','Post Formats'=>'Formati dell\'articolo','Editor'=>'Editor','Trackbacks'=>'Trackback','Select existing taxonomies to classify items of the post type.'=>'Seleziona le tassonomie esistenti per classificare gli elementi del post type.','Browse Fields'=>'Sfoglia i campi','Nothing to import'=>'Nulla da importare','. The Custom Post Type UI plugin can be deactivated.'=>'. Il plugin Custom Post Type UI può essere disattivato.','Imported %d item from Custom Post Type UI -'=>'%d elemento importato da Custom Post Type UI -' . "\0" . '%d elementi importati da Custom Post Type UI -','Failed to import taxonomies.'=>'Impossibile importare le tassonomie.','Failed to import post types.'=>'Impossibile importare i post type.','Nothing from Custom Post Type UI plugin selected for import.'=>'Non è stato selezionato nulla da importare dal plugin Custom Post Type UI.','Imported 1 item'=>'1 elemento importato.' . "\0" . '%s elementi importati.','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importare un post type o una tassonomia con la stessa chiave di una già esistente sovrascriverà le impostazioni del post type o della tassonomia già esistente con quelle dell\'importazione.','Import from Custom Post Type UI'=>'Importare da Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Il codice seguente può essere utilizzato per registrare una versione locale degli elementi selezionati. Memorizzare localmente i gruppi di campi, i post type o le tassonomie può fornire numerosi vantaggi come ad esempio tempi di caricamento più veloci, controllo di versione e impostazioni o campi dinamici. Devi semplicemente copiare e incollare il seguente codice nel file functions.php del tuo tema, oppure includerlo tramite un file esterno, per poi disattivare o eliminare gli elementi dal pannello di amministrazione di ACF.','Export - Generate PHP'=>'Esporta - Genera PHP','Export'=>'Esporta','Select Taxonomies'=>'Seleziona le tassonomie','Select Post Types'=>'Seleziona i post type','Exported 1 item.'=>'1 elemento esportato.' . "\0" . '%s elementi esportati.','Category'=>'Categoria','Tag'=>'Tag','%s taxonomy created'=>'Tassonomia %s creata','%s taxonomy updated'=>'Tassonomia %s aggiornata','Taxonomy draft updated.'=>'Bozza della tassonomia aggiornata.','Taxonomy scheduled for.'=>'Tassonomia programmata per.','Taxonomy submitted.'=>'Tassonomia inviata.','Taxonomy saved.'=>'Tassonomia salvata.','Taxonomy deleted.'=>'Tassonomia eliminata.','Taxonomy updated.'=>'Tassonomia aggiornata.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Questa tassonomia non può essere registrata perché la sua chiave è già usata da un\'altra tassonomia registrata da un altro plugin o dal tema.','Taxonomy synchronized.'=>'Tassonomia sincronizzata.' . "\0" . '%s tassonomie sincronizzate.','Taxonomy duplicated.'=>'Tassonomia duplicata.' . "\0" . '%s tassonomie duplicate.','Taxonomy deactivated.'=>'Tassonomia disattivata.' . "\0" . '%s tassonomie disattivate.','Taxonomy activated.'=>'Tassonomia attivata.' . "\0" . '%s tassonomie attivate.','Terms'=>'Termini','Post type synchronized.'=>'Post type sincronizzato.' . "\0" . '%s post type sincronizzati.','Post type duplicated.'=>'Post type duplicato.' . "\0" . '%s post type duplicati.','Post type deactivated.'=>'Post type disattivati.' . "\0" . '%s post type disattivati.','Post type activated.'=>'Post type attivati.' . "\0" . '%s post type attivati.','Post Types'=>'Post type','Advanced Settings'=>'Impostazioni avanzate','Basic Settings'=>'Impostazioni di base','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Questo post type non può essere registrato perché la sua chiave è già utilizzata da un altro post type registrato da un altro plugin o dal tema.','Pages'=>'Pagine','Link Existing Field Groups'=>'Collega gruppi di campi esistenti','%s post type created'=>'Post type %s creato','Add fields to %s'=>'Aggiungi campi a %s','%s post type updated'=>'Post type %s aggiornato','Post type draft updated.'=>'Bozza del post type aggiornata.','Post type scheduled for.'=>'Post type programmato per.','Post type submitted.'=>'Post type inviato.','Post type saved.'=>'Post type salvato.','Post type updated.'=>'Post type aggiornato.','Post type deleted.'=>'Post type eliminato.','Type to search...'=>'Digita per cercare...','PRO Only'=>'Solo PRO','Field groups linked successfully.'=>'Gruppi di campi collegati con successo.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa post type e tassonomie registrate con Custom Post Type UI e gestiscile con ACF. Inizia qui.','ACF'=>'ACF','taxonomy'=>'tassonomia','post type'=>'post type','Done'=>'Fatto','Field Group(s)'=>'Gruppo/i di campi','Select one or many field groups...'=>'Seleziona uno o più gruppi di campi...','Please select the field groups to link.'=>'Seleziona i gruppi di campi da collegare.','Field group linked successfully.'=>'Gruppo di campi collegato con successo.' . "\0" . 'Gruppi di campi collegati con successo.','post statusRegistration Failed'=>'Registrazione fallita.','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Questo elemento non può essere registrato perché la sua chiave è già in uso da un altro elemento registrato da un altro plugin o dal tema.','REST API'=>'REST API','Permissions'=>'Autorizzazioni','URLs'=>'URL','Visibility'=>'Visibilità','Labels'=>'Etichette','Field Settings Tabs'=>'Schede delle impostazioni del campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valore dello shortcode ACF disabilitato per l\'anteprima]','Close Modal'=>'Chiudi modal','Field moved to other group'=>'Campo spostato in altro gruppo','Close modal'=>'Chiudi modale','Start a new group of tabs at this tab.'=>'Inizia un nuovo gruppo di schede in questa scheda.','New Tab Group'=>'Nuovo gruppo schede','Use a stylized checkbox using select2'=>'Usa un checkbox stilizzato con select2','Save Other Choice'=>'Salva la scelta "Altro"','Allow Other Choice'=>'Consenti la scelta "Altro"','Add Toggle All'=>'Aggiungi mostra/nascondi tutti','Save Custom Values'=>'Salva valori personalizzati','Allow Custom Values'=>'Consenti valori personalizzati','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'I valori personalizzati del checkbox non possono essere vuoti. Deseleziona tutti i valori vuoti.','Updates'=>'Aggiornamenti','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Salva le modifiche','Field Group Title'=>'Titolo gruppo di campi','Add title'=>'Aggiungi titolo','New to ACF? Take a look at our getting started guide.'=>'Nuovo in ACF? Dai un\'occhiata alla nostra guida per iniziare.','Add Field Group'=>'Aggiungi un nuovo gruppo di campi','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utilizza i gruppi di campi per raggruppare i campi personalizzati ed aggiungerli alle schermate di modifica.','Add Your First Field Group'=>'Aggiungi il tuo primo gruppo di campi','Options Pages'=>'Pagine opzioni','ACF Blocks'=>'Blocchi ACF','Gallery Field'=>'Campo galleria','Flexible Content Field'=>'Campo contenuto flessibile','Repeater Field'=>'Campo ripetitore','Unlock Extra Features with ACF PRO'=>'Sblocca funzionalità aggiuntive con ACF PRO','Delete Field Group'=>'Elimina gruppo di campi','Created on %1$s at %2$s'=>'Creato il %1$s alle %2$s','Group Settings'=>'Impostazioni gruppo','Location Rules'=>'Regole di posizionamento','Choose from over 30 field types. Learn more.'=>'Scegli tra più di 30 tipologie di campo. Scopri di più.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Inizia a creare nuovi campi personalizzati per i tuoi articoli, le tue pagine, i tuoi post type personalizzati e altro contenuto di WordPress.','Add Your First Field'=>'Aggiungi il tuo primo campo','#'=>'#','Add Field'=>'Aggiungi campo','Presentation'=>'Presentazione','Validation'=>'Validazione','General'=>'Generale','Import JSON'=>'Importa JSON','Export As JSON'=>'Esporta come JSON','Field group deactivated.'=>'Gruppo di campi disattivato.' . "\0" . '%s gruppi di campi disattivati.','Field group activated.'=>'Gruppo di campi attivato.' . "\0" . '%s gruppi di campi attivati.','Deactivate'=>'Disattiva','Deactivate this item'=>'Disattiva questo elemento','Activate'=>'Attiva','Activate this item'=>'Attiva questo elemento','Move field group to trash?'=>'Spostare il gruppo di campi nel cestino?','post statusInactive'=>'Inattivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non dovrebbero essere attivi contemporaneamente. Abbiamo automaticamente disattivato Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non dovrebbero essere attivi contemporaneamente. Abbiamo automaticamente disattivato Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Sono state rilevate una o più chiamate per recuperare valori di campi ACF prima che ACF fosse inizializzato. Questo non è supportato e può causare dati non corretti o mancanti. Scopri come correggere questo problema.','%1$s must have a user with the %2$s role.'=>'%1$s deve aver un utente con il ruolo %2$s.' . "\0" . '%1$s deve aver un utente con uno dei seguenti ruoli: %2$s','%1$s must have a valid user ID.'=>'%1$s deve avere un ID utente valido.','Invalid request.'=>'Richiesta non valida.','%1$s is not one of %2$s'=>'%1$s non è uno di %2$s','%1$s must have term %2$s.'=>'%1$s deve avere il termine %2$s.' . "\0" . '%1$s deve avere uno dei seguenti termini: %2$s','%1$s must be of post type %2$s.'=>'%1$s deve essere di tipo %2$s.' . "\0" . '%1$s deve essere di uno dei seguenti tipi: %2$s','%1$s must have a valid post ID.'=>'%1$s deve avere un ID articolo valido.','%s requires a valid attachment ID.'=>'%s richiede un ID allegato valido.','Show in REST API'=>'Mostra in API REST','Enable Transparency'=>'Abilita trasparenza','RGBA Array'=>'Array RGBA','RGBA String'=>'Stringa RGBA','Hex String'=>'Stringa esadecimale','Upgrade to PRO'=>'Aggiorna a Pro','post statusActive'=>'Attivo','\'%s\' is not a valid email address'=>'\'%s\' non è un indirizzo email valido','Color value'=>'Valore del colore','Select default color'=>'Seleziona il colore predefinito','Clear color'=>'Rimuovi colore','Blocks'=>'Blocchi','Options'=>'Opzioni','Users'=>'Utenti','Menu items'=>'Voci di menu','Widgets'=>'Widget','Attachments'=>'Allegati','Taxonomies'=>'Tassonomie','Posts'=>'Articoli','Last updated: %s'=>'Ultimo aggiornamento: %s','Sorry, this post is unavailable for diff comparison.'=>'Questo articolo non è disponibile per un confronto di differenze.','Invalid field group parameter(s).'=>'Parametri del gruppo di campi non validi.','Awaiting save'=>'In attesa del salvataggio','Saved'=>'Salvato','Import'=>'Importa','Review changes'=>'Rivedi le modifiche','Located in: %s'=>'Situato in: %s','Located in plugin: %s'=>'Situato in plugin: %s','Located in theme: %s'=>'Situato in tema: %s','Various'=>'Varie','Sync changes'=>'Sincronizza modifiche','Loading diff'=>'Caricamento differenze','Review local JSON changes'=>'Verifica modifiche a JSON locale','Visit website'=>'Visita il sito web','View details'=>'Visualizza i dettagli','Version %s'=>'Versione %s','Information'=>'Informazioni','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. I professionisti del nostro Help Desk ti assisteranno per problematiche tecniche.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussioni. Abbiamo una community attiva e accogliente nei nostri Community Forum che potrebbe aiutarti a capire come utilizzare al meglio ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentazione. La nostra estesa documentazione contiene riferimenti e guide per la maggior parte delle situazioni che potresti incontrare.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Siamo fissati con il supporto, e vogliamo che tu ottenga il meglio dal tuo sito web con ACF. Se incontri difficoltà, ci sono vari posti in cui puoi trovare aiuto:','Help & Support'=>'Aiuto e supporto','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Utilizza la scheda "Aiuto e supporto" per contattarci in caso di necessità di assistenza.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Prima di creare il tuo primo gruppo di campi, ti raccomandiamo di leggere la nostra guida Getting started per familiarizzare con la filosofia del plugin e le buone pratiche da adottare.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Il plugin Advanced Custom Fields fornisce un costruttore visuale di moduli per personalizzare le schermate di modifica di WordPress con campi aggiuntivi, ed un\'intuitiva API per la visualizzazione dei campi personalizzati in qualunque file di template di un tema.','Overview'=>'Panoramica','Location type "%s" is already registered.'=>'Il tipo di posizione "%s" è già registrato.','Class "%s" does not exist.'=>'La classe "%s" non esiste.','Invalid nonce.'=>'Nonce non valido.','Error loading field.'=>'Errore nel caricamento del campo.','Error: %s'=>'Errore: %s','Widget'=>'Widget','User Role'=>'Ruolo utente','Comment'=>'Commento','Post Format'=>'Formato dell\'articolo','Menu Item'=>'Voce del menu','Post Status'=>'Stato dell\'articolo','Menus'=>'Menu','Menu Locations'=>'Posizioni del menu','Menu'=>'Menu','Post Taxonomy'=>'Tassonomia dell\'articolo','Child Page (has parent)'=>'Pagina figlia (ha un genitore)','Parent Page (has children)'=>'Pagina genitore (ha figlie)','Top Level Page (no parent)'=>'Pagina di primo livello (non ha un genitore)','Posts Page'=>'Pagina degli articoli','Front Page'=>'Home page','Page Type'=>'Tipo di pagina','Viewing back end'=>'Visualizzando il backend','Viewing front end'=>'Visualizzando il frontend','Logged in'=>'Connesso','Current User'=>'Utente attuale','Page Template'=>'Template pagina','Register'=>'Registrati','Add / Edit'=>'Aggiungi / Modifica','User Form'=>'Modulo utente','Page Parent'=>'Pagina genitore','Super Admin'=>'Super admin','Current User Role'=>'Ruolo dell\'utente attuale','Default Template'=>'Template predefinito','Post Template'=>'Template articolo','Post Category'=>'Categoria dell\'articolo','All %s formats'=>'Tutti i formati di %s','Attachment'=>'Allegato','%s value is required'=>'Il valore %s è richiesto','Show this field if'=>'Mostra questo campo se','Conditional Logic'=>'Logica condizionale','and'=>'e','Local JSON'=>'JSON locale','Clone Field'=>'Campo clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controlla anche che tutti gli add-on premium (%s) siano aggiornati all\'ultima versione.','This version contains improvements to your database and requires an upgrade.'=>'Questa versione contiene miglioramenti al tuo database e richiede un aggiornamento.','Thank you for updating to %1$s v%2$s!'=>'Grazie per aver aggiornato a %1$s v%2$s!','Database Upgrade Required'=>'È necessario aggiornare il database','Options Page'=>'Pagina delle opzioni','Gallery'=>'Galleria','Flexible Content'=>'Contenuto flessibile','Repeater'=>'Ripetitore','Back to all tools'=>'Torna a tutti gli strumenti','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)'=>'Se più gruppi di campi appaiono su una schermata di modifica, verranno usate le opzioni del primo gruppo di campi usato (quello con il numero d\'ordine più basso)','Select items to hide them from the edit screen.'=>'Seleziona gli elementi per nasconderli dalla schermata di modifica.','Hide on screen'=>'Nascondi dalla schermata','Send Trackbacks'=>'Invia trackback','Tags'=>'Tag','Categories'=>'Categorie','Page Attributes'=>'Attributi della pagina','Format'=>'Formato','Author'=>'Autore','Slug'=>'Slug','Revisions'=>'Revisioni','Comments'=>'Commenti','Discussion'=>'Discussione','Excerpt'=>'Riassunto','Content Editor'=>'Editor del contenuto','Permalink'=>'Permalink','Shown in field group list'=>'Mostrato nell\'elenco dei gruppi di campi','Field groups with a lower order will appear first'=>'I gruppi di campi con un valore inferiore appariranno per primi','Order No.'=>'N. ordine','Below fields'=>'Sotto i campi','Below labels'=>'Sotto le etichette','Instruction Placement'=>'Posizione delle istruzioni','Label Placement'=>'Posizione etichetta','Side'=>'Di lato','Normal (after content)'=>'Normale (dopo il contenuto)','High (after title)'=>'In alto (dopo il titolo)','Position'=>'Posizione','Seamless (no metabox)'=>'Senza soluzione di continuità (senza metabox)','Standard (WP metabox)'=>'Standard (metabox WP)','Style'=>'Stile','Type'=>'Tipo','Key'=>'Chiave','Order'=>'Ordine','Close Field'=>'Chiudi campo','id'=>'id','class'=>'classe','width'=>'larghezza','Wrapper Attributes'=>'Attributi del contenitore','Required'=>'Necessario','Instructions'=>'Istruzioni','Field Type'=>'Tipo di campo','Single word, no spaces. Underscores and dashes allowed'=>'Singola parola, nessun spazio. Sottolineatura e trattini consentiti','Field Name'=>'Nome del campo','This is the name which will appear on the EDIT page'=>'Questo è il nome che sarà visualizzato nella pagina di modifica','Field Label'=>'Etichetta del campo','Delete'=>'Elimina','Delete field'=>'Elimina il campo','Move'=>'Sposta','Move field to another group'=>'Sposta il campo in un altro gruppo','Duplicate field'=>'Duplica il campo','Edit field'=>'Modifica il campo','Drag to reorder'=>'Trascina per riordinare','Show this field group if'=>'Mostra questo gruppo di campi se','No updates available.'=>'Nessun aggiornamento disponibile.','Database upgrade complete. See what\'s new'=>'Aggiornamento del database completato. Guarda le novità','Reading upgrade tasks...'=>'Lettura attività di aggiornamento...','Upgrade failed.'=>'Aggiornamento fallito.','Upgrade complete.'=>'Aggiornamento completato.','Upgrading data to version %s'=>'Aggiornamento dei dati alla versione %s in corso','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'È caldamente raccomandato eseguire il backup del tuo database prima di procedere. Desideri davvero eseguire il programma di aggiornamento ora?','Please select at least one site to upgrade.'=>'Seleziona almeno un sito da aggiornare.','Database Upgrade complete. Return to network dashboard'=>'Aggiornamento del database completato. Ritorna alla bacheca di rete','Site is up to date'=>'Il sito è aggiornato','Site requires database upgrade from %1$s to %2$s'=>'Il sito necessita di un aggiornamento del database dalla versione %1$s alla %2$s','Site'=>'Sito','Upgrade Sites'=>'Aggiorna i siti','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'I seguenti siti hanno necessità di un aggiornamento del DB. Controlla quelli che vuoi aggiornare e fai clic su %s.','Add rule group'=>'Aggiungi gruppo di regole','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un insieme di regole per determinare in quali schermate di modifica saranno usati i campi personalizzati avanzati','Rules'=>'Regole','Copied'=>'Copiato','Copy to clipboard'=>'Copia negli appunti','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleziona gli elementi che vorresti esportare e successivamente il metodo di esportazioni. "Esporta come JSON" per esportare il tutto in un file .json che potrai poi importare in un\'altra installazione di ACF. "Genera PHP" per esportare in codice PHP da poter inserire nel tuo tema.','Select Field Groups'=>'Seleziona gruppi di campi','No field groups selected'=>'Nessun gruppo di campi selezionato','Generate PHP'=>'Genera PHP','Export Field Groups'=>'Esporta gruppi di campi','Import file empty'=>'File di importazione vuoto','Incorrect file type'=>'Tipo di file non corretto','Error uploading file. Please try again'=>'Errore durante il caricamento del file. Riprova.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleziona il file JSON di Advanced Custom Fields che desideri importare. Quando farai clic sul pulsante di importazione sotto, ACF importerà gli elementi in quel file.','Import Field Groups'=>'Importa gruppi di campi','Sync'=>'Sincronizza','Select %s'=>'Seleziona %s','Duplicate'=>'Duplica','Duplicate this item'=>'Duplica questo elemento','Supports'=>'Supporta','Documentation'=>'Documentazione','Description'=>'Descrizione','Sync available'=>'Sincronizzazione disponibile','Field group synchronized.'=>'Gruppo di campi sincronizzato.' . "\0" . '%s gruppi di campi sincronizzati.','Field group duplicated.'=>'Gruppo di campi duplicato.' . "\0" . '%s gruppi di campi duplicati.','Active (%s)'=>'Attivo (%s)' . "\0" . 'Attivi (%s)','Review sites & upgrade'=>'Verifica i siti ed effettua l\'aggiornamento','Upgrade Database'=>'Aggiorna il database','Custom Fields'=>'Campi personalizzati','Move Field'=>'Sposta campo','Please select the destination for this field'=>'Seleziona la destinazione per questo campo','The %1$s field can now be found in the %2$s field group'=>'Il campo %1$s può essere trovato nel gruppo di campi %2$s','Move Complete.'=>'Spostamento completato.','Active'=>'Attivo','Field Keys'=>'Chiavi del campo','Settings'=>'Impostazioni','Location'=>'Posizione','Null'=>'Null','copy'=>'copia','(this field)'=>'(questo campo)','Checked'=>'Selezionato','Move Custom Field'=>'Sposta campo personalizzato','No toggle fields available'=>'Nessun campo attiva/disattiva disponibile','Field group title is required'=>'Il titolo del gruppo di campi è necessario','This field cannot be moved until its changes have been saved'=>'Questo campo non può essere spostato fino a quando non saranno state salvate le modifiche','The string "field_" may not be used at the start of a field name'=>'La stringa "field_" non può essere usata come inizio nel nome di un campo','Field group draft updated.'=>'Bozza del gruppo di campi aggiornata.','Field group scheduled for.'=>'Gruppo di campi programmato.','Field group submitted.'=>'Gruppo di campi inviato.','Field group saved.'=>'Gruppo di campi salvato.','Field group published.'=>'Gruppo di campi pubblicato.','Field group deleted.'=>'Gruppo di campi eliminato.','Field group updated.'=>'Gruppo di campi aggiornato.','Tools'=>'Strumenti','is not equal to'=>'non è uguale a','is equal to'=>'è uguale a','Forms'=>'Moduli','Page'=>'Pagina','Post'=>'Articolo','Relational'=>'Relazionale','Choice'=>'Scelta','Basic'=>'Base','Unknown'=>'Sconosciuto','Field type does not exist'=>'Il tipo di campo non esiste','Spam Detected'=>'Spam rilevato','Post updated'=>'Articolo aggiornato','Update'=>'Aggiorna','Validate Email'=>'Valida l\'email','Content'=>'Contenuto','Title'=>'Titolo','Edit field group'=>'Modifica gruppo di campi','Selection is less than'=>'La selezione è minore di','Selection is greater than'=>'La selezione è maggiore di','Value is less than'=>'Il valore è inferiore a','Value is greater than'=>'Il valore è maggiore di','Value contains'=>'Il valore contiene','Value matches pattern'=>'Il valore ha corrispondenza con il pattern','Value is not equal to'=>'Il valore non è uguale a','Value is equal to'=>'Il valore è uguale a','Has no value'=>'Non ha valori','Has any value'=>'Ha qualsiasi valore','Cancel'=>'Annulla','Are you sure?'=>'Confermi?','%d fields require attention'=>'%d campi necessitano attenzione','1 field requires attention'=>'1 campo richiede attenzione','Validation failed'=>'Validazione fallita','Validation successful'=>'Validazione avvenuta con successo','Restricted'=>'Limitato','Collapse Details'=>'Comprimi dettagli','Expand Details'=>'Espandi dettagli','Uploaded to this post'=>'Caricato in questo articolo','verbUpdate'=>'Aggiorna','verbEdit'=>'Modifica','The changes you made will be lost if you navigate away from this page'=>'Le modifiche effettuate verranno cancellate se esci da questa pagina','File type must be %s.'=>'La tipologia del file deve essere %s.','or'=>'oppure','File size must not exceed %s.'=>'La dimensione del file non deve superare %s.','File size must be at least %s.'=>'La dimensione del file deve essere di almeno %s.','Image height must not exceed %dpx.'=>'L\'altezza dell\'immagine non deve superare i %dpx.','Image height must be at least %dpx.'=>'L\'altezza dell\'immagine deve essere di almeno %dpx.','Image width must not exceed %dpx.'=>'La larghezza dell\'immagine non deve superare i %dpx.','Image width must be at least %dpx.'=>'La larghezza dell\'immagine deve essere di almeno %dpx.','(no title)'=>'(nessun titolo)','Full Size'=>'Dimensione originale','Large'=>'Grande','Medium'=>'Medio','Thumbnail'=>'Miniatura','(no label)'=>'(nessuna etichetta)','Sets the textarea height'=>'Imposta l\'altezza dell\'area di testo','Rows'=>'Righe','Text Area'=>'Area di testo','Prepend an extra checkbox to toggle all choices'=>'Anteponi un checkbox aggiuntivo per poter selezionare/deselzionare tutte le opzioni','Save \'custom\' values to the field\'s choices'=>'Salva i valori \'personalizzati\' per le scelte del campo','Allow \'custom\' values to be added'=>'Consenti l\'aggiunta di valori \'personalizzati\'','Add new choice'=>'Aggiungi nuova scelta','Toggle All'=>'Seleziona tutti','Allow Archives URLs'=>'Consenti URL degli archivi','Archives'=>'Archivi','Page Link'=>'Link pagina','Add'=>'Aggiungi','Name'=>'Nome','%s added'=>'%s aggiunti','%s already exists'=>'%s esiste già','User unable to add new %s'=>'L\'utente non può aggiungere %s','Term ID'=>'ID del termine','Term Object'=>'Oggetto termine','Load value from posts terms'=>'Carica valori dai termini dell\'articolo','Load Terms'=>'Carica termini','Connect selected terms to the post'=>'Collega i termini selezionati all\'articolo','Save Terms'=>'Salva i termini','Allow new terms to be created whilst editing'=>'Abilita la creazione di nuovi termini in fase di modifica','Create Terms'=>'Crea termini','Radio Buttons'=>'Pulsanti radio','Single Value'=>'Valore singolo','Multi Select'=>'Selezione multipla','Checkbox'=>'Checkbox','Multiple Values'=>'Valori multipli','Select the appearance of this field'=>'Seleziona l\'aspetto di questo campo','Appearance'=>'Aspetto','Select the taxonomy to be displayed'=>'Seleziona la tassonomia da visualizzare','No TermsNo %s'=>'Nessun %s','Value must be equal to or lower than %d'=>'Il valore deve essere uguale o inferiore a %d','Value must be equal to or higher than %d'=>'Il valore deve essere uguale o superiore a %d','Value must be a number'=>'Il valore deve essere un numero','Number'=>'Numero','Save \'other\' values to the field\'s choices'=>'Salvare gli \'altri\' valori nelle scelte del campo','Add \'other\' choice to allow for custom values'=>'Aggiungi scelta \'altro\' per consentire valori personalizzati','Other'=>'Altro','Radio Button'=>'Radio button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definisce il punto di chiusura del precedente accordion. Questo accordion non sarà visibile.','Allow this accordion to open without closing others.'=>'Consenti a questo accordion di essere aperto senza chiudere gli altri.','Multi-Expand'=>'Espansione multipla','Display this accordion as open on page load.'=>'Mostra questo accordion aperto l caricamento della pagina.','Open'=>'Apri','Accordion'=>'Fisarmonica','Restrict which files can be uploaded'=>'Limita quali tipi di file possono essere caricati','File ID'=>'ID del file','File URL'=>'URL del file','File Array'=>'Array di file','Add File'=>'Aggiungi un file','No file selected'=>'Nessun file selezionato','File name'=>'Nome del file','Update File'=>'Aggiorna il file','Edit File'=>'Modifica il file','Select File'=>'Seleziona il file','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specifica il valore restituito','Use AJAX to lazy load choices?'=>'Usa AJAX per il caricamento differito delle opzioni?','Enter each default value on a new line'=>'Inserisci ogni valore predefinito in una nuova riga','verbSelect'=>'Selezionare','Select2 JS load_failLoading failed'=>'Caricamento non riuscito','Select2 JS searchingSearching…'=>'Ricerca in corso…','Select2 JS load_moreLoading more results…'=>'Caricamento di altri risultati in corso…','Select2 JS selection_too_long_nYou can only select %d items'=>'Puoi selezionare solo %d elementi','Select2 JS selection_too_long_1You can only select 1 item'=>'Puoi selezionare solo 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Elimina %d caratteri','Select2 JS input_too_long_1Please delete 1 character'=>'Elimina 1 carattere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Inserisci %d o più caratteri','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Inserisci 1 o più caratteri','Select2 JS matches_0No matches found'=>'Nessuna corrispondenza trovata','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d risultati disponibili, usa i tasti freccia su e giù per scorrere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Un risultato disponibile. Premi Invio per selezionarlo.','nounSelect'=>'Selezione','User ID'=>'ID dell\'utente','User Object'=>'Oggetto utente','User Array'=>'Array di utenti','All user roles'=>'Tutti i ruoli utente','Filter by Role'=>'Filtra per ruolo','User'=>'Utente','Separator'=>'Separatore','Select Color'=>'Seleziona il colore','Default'=>'Predefinito','Clear'=>'Rimuovi','Color Picker'=>'Selettore colore','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleziona','Date Time Picker JS closeTextDone'=>'Fatto','Date Time Picker JS currentTextNow'=>'Adesso','Date Time Picker JS timezoneTextTime Zone'=>'Fuso orario','Date Time Picker JS microsecTextMicrosecond'=>'Microsecondo','Date Time Picker JS millisecTextMillisecond'=>'Millisecondo','Date Time Picker JS secondTextSecond'=>'Secondo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Ora','Date Time Picker JS timeTextTime'=>'Orario','Date Time Picker JS timeOnlyTitleChoose Time'=>'Scegli l\'orario','Date Time Picker'=>'Selettore data/ora','Endpoint'=>'Endpoint','Left aligned'=>'Allineato a sinistra','Top aligned'=>'Allineato in alto','Placement'=>'Posizionamento','Tab'=>'Scheda','Value must be a valid URL'=>'Il valore deve essere un URL valido','Link URL'=>'URL del link','Link Array'=>'Array di link','Opens in a new window/tab'=>'Apri in una nuova scheda/finestra','Select Link'=>'Seleziona il link','Link'=>'Link','Email'=>'Email','Step Size'=>'Dimensione step','Maximum Value'=>'Valore massimo','Minimum Value'=>'Valore minimo','Range'=>'Intervallo','Both (Array)'=>'Entrambi (Array)','Label'=>'Etichetta','Value'=>'Valore','Vertical'=>'Verticale','Horizontal'=>'Orizzontale','red : Red'=>'rosso : Rosso','For more control, you may specify both a value and label like this:'=>'Per un maggiore controllo, puoi specificare sia un valore che un\'etichetta in questo modo:','Enter each choice on a new line.'=>'Inserisci ogni scelta su una nuova linea.','Choices'=>'Scelte','Button Group'=>'Gruppo di pulsanti','Allow Null'=>'Consenti valore nullo','Parent'=>'Genitore','TinyMCE will not be initialized until field is clicked'=>'TinyMCE non sarà inizializzato fino a quando non verrà fatto clic sul campo','Delay Initialization'=>'Ritarda inizializzazione','Show Media Upload Buttons'=>'Mostra pulsanti per il caricamento di media','Toolbar'=>'Barra degli strumenti','Text Only'=>'Solo testo','Visual Only'=>'Solo visuale','Visual & Text'=>'Visuale e testo','Tabs'=>'Schede','Click to initialize TinyMCE'=>'Fare clic per inizializzare TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Testo','Visual'=>'Visuale','Value must not exceed %d characters'=>'Il valore non può superare i %d caratteri','Leave blank for no limit'=>'Lasciare vuoto per nessun limite','Character Limit'=>'Limite di caratteri','Appears after the input'=>'Appare dopo il campo di input','Append'=>'Postponi','Appears before the input'=>'Appare prima del campo di input','Prepend'=>'Anteponi','Appears within the input'=>'Appare all\'interno del campo di input','Placeholder Text'=>'Testo segnaposto','Appears when creating a new post'=>'Appare quando si crea un nuovo articolo','Text'=>'Testo','%1$s requires at least %2$s selection'=>'%1$s richiede la selezione di almeno %2$s elemento' . "\0" . '%1$s richiede la selezione di almeno %2$s elementi','Post ID'=>'ID dell\'articolo','Post Object'=>'Oggetto articolo','Maximum Posts'=>'Numero massimo di articoli','Minimum Posts'=>'Numero minimo di articoli','Featured Image'=>'Immagine in evidenza','Selected elements will be displayed in each result'=>'Gli elementi selezionati saranno visualizzati in ogni risultato','Elements'=>'Elementi','Taxonomy'=>'Tassonomia','Post Type'=>'Post type','Filters'=>'Filtri','All taxonomies'=>'Tutte le tassonomie','Filter by Taxonomy'=>'Filtra per tassonomia','All post types'=>'Tutti i tipi di articolo','Filter by Post Type'=>'Filtra per tipo di articolo','Search...'=>'Cerca...','Select taxonomy'=>'Seleziona tassonomia','Select post type'=>'Seleziona tipo di articolo','No matches found'=>'Nessuna corrispondenza trovata','Loading'=>'Caricamento in corso...','Maximum values reached ( {max} values )'=>'Numero massimo di valori raggiunto ( {max} valori )','Relationship'=>'Relazione','Comma separated list. Leave blank for all types'=>'Lista con valori separati da virgole. Lascia vuoto per tutti i tipi','Allowed File Types'=>'Tipi di file consentiti','Maximum'=>'Massimo','File size'=>'Dimensioni del file','Restrict which images can be uploaded'=>'Limita quali immagini possono essere caricate','Minimum'=>'Minimo','Uploaded to post'=>'Caricato nell\'articolo','All'=>'Tutti','Limit the media library choice'=>'Limitare la scelta dalla libreria media','Library'=>'Libreria','Preview Size'=>'Dimensioni dell\'anteprima','Image ID'=>'ID dell\'immagine','Image URL'=>'URL dell\'immagine','Image Array'=>'Array di immagini','Specify the returned value on front end'=>'Specificare il valore restituito sul front-end','Return Value'=>'Valore di ritorno','Add Image'=>'Aggiungi un\'immagine','No image selected'=>'Nessuna immagine selezionata','Remove'=>'Rimuovi','Edit'=>'Modifica','All images'=>'Tutte le immagini','Update Image'=>'Aggiorna l\'immagine','Edit Image'=>'Modifica l\'immagine','Select Image'=>'Seleziona un\'immagine','Image'=>'Immagine','Allow HTML markup to display as visible text instead of rendering'=>'Consenti al markup HTML di essere visualizzato come testo visibile anziché essere processato','Escape HTML'=>'Effettua escape HTML','No Formatting'=>'Nessuna formattazione','Automatically add <br>'=>'Aggiungi automaticamente <br>','Automatically add paragraphs'=>'Aggiungi automaticamente paragrafi','Controls how new lines are rendered'=>'Controlla come sono rese le nuove righe','New Lines'=>'Nuove righe','Week Starts On'=>'La settimana comincia di','The format used when saving a value'=>'Il formato utilizzato durante il salvataggio di un valore','Save Format'=>'Formato di salvataggio','Date Picker JS weekHeaderWk'=>'Sett','Date Picker JS prevTextPrev'=>'Prec','Date Picker JS nextTextNext'=>'Succ','Date Picker JS currentTextToday'=>'Oggi','Date Picker JS closeTextDone'=>'Fatto','Date Picker'=>'Selettore data','Width'=>'Larghezza','Embed Size'=>'Dimensione oggetto incorporato','Enter URL'=>'Inserisci URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Testo mostrato quando inattivo','Off Text'=>'Testo Off','Text shown when active'=>'Testo visualizzato quando attivo','On Text'=>'Testo On','Stylized UI'=>'Interfaccia Utente stilizzata','Default Value'=>'Valore predefinito','Displays text alongside the checkbox'=>'Visualizza il testo accanto al checkbox','Message'=>'Messaggio','No'=>'No','Yes'=>'Sì','True / False'=>'Vero / Falso','Row'=>'Riga','Table'=>'Tabella','Block'=>'Blocco','Specify the style used to render the selected fields'=>'Specifica lo stile utilizzato per la visualizzazione dei campi selezionati','Layout'=>'Layout','Sub Fields'=>'Sottocampi','Group'=>'Gruppo','Customize the map height'=>'Personalizza l\'altezza della mappa','Height'=>'Altezza','Set the initial zoom level'=>'Imposta il livello iniziale dello zoom','Zoom'=>'Zoom','Center the initial map'=>'Centra la mappa iniziale','Center'=>'Centro','Search for address...'=>'Cerca per indirizzo...','Find current location'=>'Trova posizione corrente','Clear location'=>'Rimuovi posizione','Search'=>'Cerca','Sorry, this browser does not support geolocation'=>'Purtroppo questo browser non supporta la geolocalizzazione','Google Map'=>'Google Map','The format returned via template functions'=>'Il formato restituito tramite funzioni template','Return Format'=>'Formato di ritorno','Custom:'=>'Personalizzato:','The format displayed when editing a post'=>'Il formato visualizzato durante la modifica di un articolo','Display Format'=>'Formato di visualizzazione','Time Picker'=>'Selettore orario','Inactive (%s)'=>'Non attivo (%s)' . "\0" . 'Non attivi (%s)','No Fields found in Trash'=>'Nessun campo trovato nel Cestino','No Fields found'=>'Nessun campo trovato','Search Fields'=>'Cerca campi','View Field'=>'Visualizza campo','New Field'=>'Nuovo campo','Edit Field'=>'Modifica campo','Add New Field'=>'Aggiungi nuovo campo','Field'=>'Campo','Fields'=>'Campi','No Field Groups found in Trash'=>'Nessun gruppo di campi trovato nel cestino','No Field Groups found'=>'Nessun gruppo di campi trovato','Search Field Groups'=>'Cerca gruppo di campi','View Field Group'=>'Visualizza gruppo di campi','New Field Group'=>'Nuovo gruppo di campi','Edit Field Group'=>'Modifica gruppo di campi','Add New Field Group'=>'Aggiungi nuovo gruppo di campi','Add New'=>'Aggiungi nuovo','Field Group'=>'Gruppo di campi','Field Groups'=>'Gruppi di campi','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalizza WordPress con campi potenti, professionali e intuitivi.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Options Updated'=>'Opzioni Aggiornate','Check Again'=>'Ricontrollare','Publish'=>'Pubblica','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nessun Field Group personalizzato trovato in questa Pagina Opzioni. Crea un Field Group personalizzato','Error. Could not connect to update server'=>'Errore.Impossibile connettersi al server di aggiornamento','Select one or more fields you wish to clone'=>'Selezionare uno o più campi che si desidera clonare','Display'=>'Visualizza','Specify the style used to render the clone field'=>'Specificare lo stile utilizzato per il rendering del campo clona','Group (displays selected fields in a group within this field)'=>'Gruppo (Visualizza campi selezionati in un gruppo all\'interno di questo campo)','Seamless (replaces this field with selected fields)'=>'Senza interruzione (sostituisce questo campo con i campi selezionati)','Labels will be displayed as %s'=>'Etichette verranno visualizzate come %s','Prefix Field Labels'=>'Prefisso Etichetta Campo','Values will be saved as %s'=>'I valori verranno salvati come %s','Prefix Field Names'=>'Prefisso Nomi Campo','Unknown field'=>'Campo sconosciuto','Unknown field group'=>'Field Group sconosciuto','All fields from %s field group'=>'Tutti i campi dal %s field group','Add Row'=>'Aggiungi Riga','layout'=>'layout' . "\0" . 'layout','layouts'=>'layout','This field requires at least {min} {label} {identifier}'=>'Questo campo richiede almeno {min} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponibile (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} richiesto (min {min})','Flexible Content requires at least 1 layout'=>'Flexible Content richiede almeno 1 layout','Click the "%s" button below to start creating your layout'=>'Clicca il bottone "%s" qui sotto per iniziare a creare il layout','Add layout'=>'Aggiungi Layout','Remove layout'=>'Rimuovi Layout','Click to toggle'=>'Clicca per alternare','Delete Layout'=>'Cancella Layout','Duplicate Layout'=>'Duplica Layout','Add New Layout'=>'Aggiungi Nuovo Layout','Add Layout'=>'Aggiungi Layout','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Layout Minimi','Maximum Layouts'=>'Layout Massimi','Button Label'=>'Etichetta Bottone','Add Image to Gallery'=>'Aggiungi Immagine alla Galleria','Maximum selection reached'=>'Selezione massima raggiunta','Length'=>'Lunghezza','Caption'=>'Didascalia','Alt Text'=>'Testo Alt','Add to gallery'=>'Aggiungi a Galleria','Bulk actions'=>'Azioni in blocco','Sort by date uploaded'=>'Ordina per aggiornamento data','Sort by date modified'=>'Ordina per data modifica','Sort by title'=>'Ordina per titolo','Reverse current order'=>'Ordine corrente inversa','Close'=>'Chiudi','Minimum Selection'=>'Seleziona Minima','Maximum Selection'=>'Seleziona Massima','Allowed file types'=>'Tipologie File permesse','Insert'=>'Inserisci','Specify where new attachments are added'=>'Specificare dove vengono aggiunti nuovi allegati','Append to the end'=>'Aggiungere alla fine','Prepend to the beginning'=>'Anteporre all\'inizio','Minimum rows not reached ({min} rows)'=>'Righe minime raggiunte ({min} righe)','Maximum rows reached ({max} rows)'=>'Righe massime raggiunte ({max} righe)','Minimum Rows'=>'Righe Minime','Maximum Rows'=>'Righe Massime','Collapsed'=>'Collassata','Select a sub field to show when row is collapsed'=>'Selezionare un campo secondario da visualizzare quando la riga è collassata','Click to reorder'=>'Trascinare per riordinare','Add row'=>'Aggiungi riga','Remove row'=>'Rimuovi riga','First Page'=>'Pagina Principale','Previous Page'=>'Pagina Post','Next Page'=>'Pagina Principale','Last Page'=>'Pagina Post','No options pages exist'=>'Nessuna Pagina Opzioni esistente','Deactivate License'=>'Disattivare Licenza','Activate License'=>'Attiva Licenza','License Information'=>'Informazioni Licenza','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 Dettagli e prezzi.','License Key'=>'Chiave di licenza','Update Information'=>'Informazioni di aggiornamento','Current Version'=>'Versione corrente','Latest Version'=>'Ultima versione','Update Available'=>'Aggiornamento Disponibile','Upgrade Notice'=>'Avviso di Aggiornamento','Enter your license key to unlock updates'=>'Inserisci il tuo codice di licenza per sbloccare gli aggiornamenti','Update Plugin'=>'Aggiorna Plugin']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'Aggiorna fonte','By default only admin users can edit this setting.'=>'Per impostazione predefinita, solo gli utenti amministratori possono modificare questa impostazione.','By default only super admin users can edit this setting.'=>'Per impostazione predefinita, solo gli utenti super-amministratori possono modificare questa impostazione.','Close and Add Field'=>'Chiudi e aggiungi il campo','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Il nome di una funzione PHP da chiamare per gestire il contenuto di un meta box nella tua tassonomia. Per motivi di sicurezza, questa callback sarà eseguita in un contesto speciale senza accesso a nessuna superglobale come $_POST o $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Il nome di una funzione PHP da chiamare durante la preparazione delle meta box per la schermata di modifica. Per motivi di sicurezza, questa callback sarà eseguita in un contesto speciale senza accesso a nessuna superglobale come $_POST o $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Permetti l\'accesso al valore nell\'interfaccia utente dell\'editor','Learn more.'=>'Approfondisci.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Permetti agli editori del contenuto di accedere e visualizzare il valore del campo nell\'interfaccia utente dell\'editor utilizzando blocchi con associazioni o lo shortcode di ACF. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Il tipo di campo di ACF richiesto non supporta output nei blocchi con associazioni o nello shortcode di ACF.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Il campo di ACF richiesto non può essere un output in associazioni o nello shortcode di ACF.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Il tipo di campo di ACF richiesto non supporta output in associazioni o nello shortcode di ACF.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Lo shortcode di ACF non può visualizzare campi da articoli non pubblici]','[The ACF shortcode is disabled on this site]'=>'[Lo shortcode di ACF è disabilitato su questo sito]','Businessman Icon'=>'Icona uomo d\'affari','Forums Icon'=>'Icona forum','YouTube Icon'=>'Icona YouTube','Yes (alt) Icon'=>'Icona sì (alt)','Xing Icon'=>'Icona Xing','WordPress (alt) Icon'=>'Icona WordPress (alt)','WhatsApp Icon'=>'Icona WhatsApp','Write Blog Icon'=>'Icona scrivi blog','Widgets Menus Icon'=>'Icona widget menu','View Site Icon'=>'Icona visualizza sito','Learn More Icon'=>'Icona approfondisci','Add Page Icon'=>'Icona aggiungi pagina','Video (alt3) Icon'=>'Icona video (alt3)','Video (alt2) Icon'=>'Icona video (alt2)','Video (alt) Icon'=>'Icona video (alt)','Update (alt) Icon'=>'Icona aggiorna (alt)','Universal Access (alt) Icon'=>'Icona accesso universale (alt)','Twitter (alt) Icon'=>'Icona Twitter (alt)','Twitch Icon'=>'Icona Twitch','Tide Icon'=>'Icona marea','Tickets (alt) Icon'=>'Icona biglietti (alt)','Text Page Icon'=>'Icona pagina di testo','Table Row Delete Icon'=>'Icona elimina riga tabella','Table Row Before Icon'=>'Icona aggiungi riga tabella sopra','Table Row After Icon'=>'Icona aggiungi riga tabella sotto','Table Col Delete Icon'=>'Icona elimina colonna tabella','Table Col Before Icon'=>'Icona aggiungi colonna tabella prima','Table Col After Icon'=>'Icona aggiungi colonna tabella dopo','Superhero (alt) Icon'=>'Icona supereroe (alt)','Superhero Icon'=>'Icona supereroe','Spotify Icon'=>'Icona Spotify','Shortcode Icon'=>'Icona shortcode','Shield (alt) Icon'=>'Icona scudo (alt)','Share (alt2) Icon'=>'Icona condivisione (alt2)','Share (alt) Icon'=>'Icona condivisione (alt)','Saved Icon'=>'Icona salvato','RSS Icon'=>'Icona RSS','REST API Icon'=>'Icona REST API','Remove Icon'=>'Icona rimuovi','Reddit Icon'=>'Icona Reddit','Privacy Icon'=>'Icona privacy','Printer Icon'=>'Icona stampante','Podio Icon'=>'Icona podio','Plus (alt2) Icon'=>'Icona più (alt2)','Plus (alt) Icon'=>'Icona più (alt)','Plugins Checked Icon'=>'Icona plugin con spunta','Pinterest Icon'=>'Icona Pinterest','Pets Icon'=>'Icona zampa','PDF Icon'=>'Icona PDF','Palm Tree Icon'=>'Icona palma','Open Folder Icon'=>'Icona apri cartella','No (alt) Icon'=>'Icona no (alt)','Money (alt) Icon'=>'Icona denaro (alt)','Menu (alt3) Icon'=>'Icona menu (alt3)','Menu (alt2) Icon'=>'Icona menu (alt2)','Menu (alt) Icon'=>'Icona menu (alt)','Spreadsheet Icon'=>'Icona foglio di calcolo','Interactive Icon'=>'Icona interattiva','Document Icon'=>'Icona documento','Default Icon'=>'Icona predefinito','Location (alt) Icon'=>'Icona luogo (alt)','LinkedIn Icon'=>'Icona LinkedIn','Instagram Icon'=>'Icona Instagram','Insert Before Icon'=>'Icona inserisci prima','Insert After Icon'=>'Icona inserisci dopo','Insert Icon'=>'Icona inserisci','Info Outline Icon'=>'Icona informazioni contornata','Images (alt2) Icon'=>'Icona immagini (alt2)','Images (alt) Icon'=>'Icona immagini (alt)','Rotate Right Icon'=>'Icona ruota a destra','Rotate Left Icon'=>'Icona ruota a sinistra','Rotate Icon'=>'Icona ruota','Flip Vertical Icon'=>'Icona inverti verticalmente','Flip Horizontal Icon'=>'Icona inverti orizzontalmente','Crop Icon'=>'Icona ritaglio','ID (alt) Icon'=>'Icona ID (alt)','HTML Icon'=>'Icona HTML','Hourglass Icon'=>'Icona clessidra','Heading Icon'=>'Icona titolo','Google Icon'=>'Icona Google','Games Icon'=>'Icona giochI','Fullscreen Exit (alt) Icon'=>'Icona esci da schermo intero (alt)','Fullscreen (alt) Icon'=>'Icona schermo intero (alt)','Status Icon'=>'Icona stato','Image Icon'=>'Icona immagine','Gallery Icon'=>'Icona galleria','Chat Icon'=>'Icona chat','Audio Icon'=>'Icona audio','Aside Icon'=>'Icona nota','Food Icon'=>'Icona cibo','Exit Icon'=>'Icona uscita','Excerpt View Icon'=>'Icona visualizzazione riassunto','Embed Video Icon'=>'Icona video incorporato','Embed Post Icon'=>'Icona articolo incorporato','Embed Photo Icon'=>'Icona foto incorporata','Embed Generic Icon'=>'Icona oggetto generico incorporato','Embed Audio Icon'=>'Icona audio incorporato','Email (alt2) Icon'=>'Icona email (alt2)','Ellipsis Icon'=>'Icona ellisse','Unordered List Icon'=>'Icona lista non ordinata','RTL Icon'=>'Icona RTL','Ordered List RTL Icon'=>'Icona lista ordinata RTL','Ordered List Icon'=>'Icona lista ordinata','LTR Icon'=>'Icona LTR','Custom Character Icon'=>'Icona carattere personalizzato','Edit Page Icon'=>'Icona modifica pagina','Edit Large Icon'=>'Icona modifica grande','Drumstick Icon'=>'Icona coscia di pollo','Database View Icon'=>'Icona visualizzazione database','Database Remove Icon'=>'Icona rimuovi database','Database Import Icon'=>'Icona importa database','Database Export Icon'=>'Icona esporta database','Database Add Icon'=>'Icona aggiungi database','Database Icon'=>'Icona database','Cover Image Icon'=>'Icona immagine di copertina','Volume On Icon'=>'Icona volume attivato','Volume Off Icon'=>'Icona volume disattivato','Skip Forward Icon'=>'Icona salta in avanti','Skip Back Icon'=>'Icona salta indietro','Repeat Icon'=>'Icona ripeti','Play Icon'=>'Icona play','Pause Icon'=>'Icona pausa','Forward Icon'=>'Icona avanti','Back Icon'=>'Icona indietro','Columns Icon'=>'Icona colonne','Color Picker Icon'=>'Icona selettore colore','Coffee Icon'=>'Icona caffè','Code Standards Icon'=>'Icona standard di codice','Cloud Upload Icon'=>'Icona caricamento cloud','Cloud Saved Icon'=>'Icona salvataggio cloud','Car Icon'=>'Icona macchina','Camera (alt) Icon'=>'Icona fotocamera (alt)','Calculator Icon'=>'Icona calcolatrice','Button Icon'=>'Icona pulsante','Businessperson Icon'=>'Icona persona d\'affari','Tracking Icon'=>'Icona tracciamento','Topics Icon'=>'Icona argomenti','Replies Icon'=>'Icona risposte','PM Icon'=>'Icona PM','Friends Icon'=>'Icona amici','Community Icon'=>'Icona community','BuddyPress Icon'=>'Icona BuddyPress','bbPress Icon'=>'icona bbPress','Activity Icon'=>'Icona attività','Book (alt) Icon'=>'Icona libro (alt)','Block Default Icon'=>'Icona blocco predefinito','Bell Icon'=>'Icona campana','Beer Icon'=>'Icona birra','Bank Icon'=>'Icona banca','Arrow Up (alt2) Icon'=>'Icona freccia su (alt2)','Arrow Up (alt) Icon'=>'Icona freccia su (alt)','Arrow Right (alt2) Icon'=>'Icona freccia destra (alt2)','Arrow Right (alt) Icon'=>'Icona freccia destra (alt)','Arrow Left (alt2) Icon'=>'Icona freccia sinistra (alt2)','Arrow Left (alt) Icon'=>'Icona freccia sinistra (alt)','Arrow Down (alt2) Icon'=>'Icona giù (alt2)','Arrow Down (alt) Icon'=>'Icona giù (alt)','Amazon Icon'=>'Icona Amazon','Align Wide Icon'=>'Icona allineamento ampio','Align Pull Right Icon'=>'Icona allineamento a destra','Align Pull Left Icon'=>'Icona allineamento a sinistra','Align Full Width Icon'=>'Icona allineamento larghezza piena','Airplane Icon'=>'Icona aeroplano','Site (alt3) Icon'=>'Icona sito (alt3)','Site (alt2) Icon'=>'Icona sito (alt2)','Site (alt) Icon'=>'Icona sito (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Effettua l\'upgrade ad ACF PRO per creare pagine opzioni con pochi clic.','Invalid request args.'=>'Argomenti della richiesta non validi.','Sorry, you do not have permission to do that.'=>'Non hai i permessi per farlo.','Blocks Using Post Meta'=>'Blocchi che utilizzano meta dell\'articolo','ACF PRO logo'=>'Logo di ACF PRO','ACF PRO Logo'=>'Logo di ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s richiede un ID dell\'allegato valido quando il tipo è impostato come media_library.','%s is a required property of acf.'=>'%s è una proprietà necessaria di acf.','The value of icon to save.'=>'Il valore dell\'icona da salvare.','The type of icon to save.'=>'Il tipo di icona da salvare.','Yes Icon'=>'Icona sì','WordPress Icon'=>'Icona WordPress','Warning Icon'=>'Icona avviso','Visibility Icon'=>'Icona visibilità','Vault Icon'=>'Icona camera blindata','Upload Icon'=>'Icona caricamento','Update Icon'=>'Icona aggiornamento','Unlock Icon'=>'Icona sbloccare','Universal Access Icon'=>'Icona accesso universale','Undo Icon'=>'Icona annullare','Twitter Icon'=>'Icona Twitter','Trash Icon'=>'Icona cestino','Translation Icon'=>'Icona traduzione','Tickets Icon'=>'Icona biglietti','Thumbs Up Icon'=>'Icona pollice in su','Thumbs Down Icon'=>'Icona pollice in giù','Text Icon'=>'Icona testo','Testimonial Icon'=>'Icona testimonial','Tagcloud Icon'=>'Icona nuvola di tag','Tag Icon'=>'Icona tag','Tablet Icon'=>'Icona tablet','Store Icon'=>'Icona negozio','Sticky Icon'=>'Icona in evidenza','Star Half Icon'=>'Icona mezza stella','Star Filled Icon'=>'Icona stella piena','Star Empty Icon'=>'Icona stella vuota','Sos Icon'=>'Icona sos','Sort Icon'=>'Icona ordina','Smiley Icon'=>'Icona smiley','Smartphone Icon'=>'Icona smartphone','Slides Icon'=>'Icona slide','Shield Icon'=>'Icona scudo','Share Icon'=>'Icona condividi','Search Icon'=>'Icona ricerca','Screen Options Icon'=>'Icona opzioni schermo','Schedule Icon'=>'Icona programma','Redo Icon'=>'Icona ripeti','Randomize Icon'=>'Icona ordinamento casuale','Products Icon'=>'Icona prodotti','Pressthis Icon'=>'Icona pressthis','Post Status Icon'=>'Icona stato del post','Portfolio Icon'=>'Icona portfolio','Plus Icon'=>'Icona più','Playlist Video Icon'=>'Icona playlist video','Playlist Audio Icon'=>'Icona playlist audio','Phone Icon'=>'Icona telefono','Performance Icon'=>'Icona performance','Paperclip Icon'=>'Icona graffetta','No Icon'=>'Nessuna icona','Networking Icon'=>'Icona rete','Nametag Icon'=>'Icona etichetta','Move Icon'=>'Icona sposta','Money Icon'=>'Icona denaro','Minus Icon'=>'Icona meno','Migrate Icon'=>'Icona migra','Microphone Icon'=>'Icona microfono','Megaphone Icon'=>'Icona megafono','Marker Icon'=>'Icona indicatore','Lock Icon'=>'Icona lucchetto','Location Icon'=>'Icona luogo','List View Icon'=>'Icona vista elenco','Lightbulb Icon'=>'Icona lampadina','Left Right Icon'=>'Icona sinistra destra','Layout Icon'=>'Icona layout','Laptop Icon'=>'Icona laptop','Info Icon'=>'Icona informazione','Index Card Icon'=>'Icona carta indice','ID Icon'=>'Icona ID','Hidden Icon'=>'Icona nascosto','Heart Icon'=>'Icona cuore','Hammer Icon'=>'Icona martello','Groups Icon'=>'Icona gruppi','Grid View Icon'=>'Icona vista griglia','Forms Icon'=>'Icona moduli','Flag Icon'=>'Icona bandiera','Filter Icon'=>'Icona filtro','Feedback Icon'=>'Icona feedback','Facebook (alt) Icon'=>'Icona Facebook (alt)','Facebook Icon'=>'Icona Facebook','External Icon'=>'Icona esterno','Email (alt) Icon'=>'Icona email (alt)','Email Icon'=>'Icona email','Video Icon'=>'Icona video','Unlink Icon'=>'Icona scollega','Underline Icon'=>'Icona sottolineatura','Text Color Icon'=>'Icona colore testo','Table Icon'=>'Icona tabella','Strikethrough Icon'=>'Icona barrato','Spellcheck Icon'=>'Icona controllo ortografia','Remove Formatting Icon'=>'Icona rimuovi formattazione','Quote Icon'=>'Icona citazione','Paste Word Icon'=>'Icona incolla parola','Paste Text Icon'=>'Icona incolla testo','Paragraph Icon'=>'Icona paragrafo','Outdent Icon'=>'Icona non indentare','Kitchen Sink Icon'=>'Icona lavello cucina','Justify Icon'=>'Icona giustifica','Italic Icon'=>'Icona corsivo','Insert More Icon'=>'Icona inserisci altro','Indent Icon'=>'Icona indentare','Help Icon'=>'Icona aiuto','Expand Icon'=>'Icona espandi','Contract Icon'=>'Icona contrai','Code Icon'=>'Icona codice','Break Icon'=>'Icona interruzione','Bold Icon'=>'Icona grassetto','Edit Icon'=>'Icona modifica','Download Icon'=>'Icona scarica','Dismiss Icon'=>'Icona ignora','Desktop Icon'=>'Icona desktop','Dashboard Icon'=>'Icona bacheca','Cloud Icon'=>'Icona cloud','Clock Icon'=>'Icona orologio','Clipboard Icon'=>'Icona appunti','Chart Pie Icon'=>'Icona grafico a torta','Chart Line Icon'=>'Icona grafico a linee','Chart Bar Icon'=>'Icona grafico a barre','Chart Area Icon'=>'Icona area grafico','Category Icon'=>'Icona categoria','Cart Icon'=>'Icona carrello','Carrot Icon'=>'Icona carota','Camera Icon'=>'Icona fotocamera','Calendar (alt) Icon'=>'Icona calendario (alt)','Calendar Icon'=>'Icona calendario','Businesswoman Icon'=>'Icona donna d\'affari','Building Icon'=>'Icona edificio','Book Icon'=>'Icona libro','Backup Icon'=>'Icona backup','Awards Icon'=>'Icona premi','Art Icon'=>'Icona arte','Arrow Up Icon'=>'Icona freccia su','Arrow Right Icon'=>'Icona freccia destra','Arrow Left Icon'=>'Icona freccia sinistra','Arrow Down Icon'=>'Icona freccia giù','Archive Icon'=>'Icona archivio','Analytics Icon'=>'Icona analytics','Align Right Icon'=>'Icona allinea a destra','Align None Icon'=>'Icona nessun allineamento','Align Left Icon'=>'Icona allinea a sinistra','Align Center Icon'=>'Icona allinea al centro','Album Icon'=>'Icona album','Users Icon'=>'Icona utenti','Tools Icon'=>'Icona strumenti','Site Icon'=>'Icona sito','Settings Icon'=>'Icona impostazioni','Post Icon'=>'Icona articolo','Plugins Icon'=>'Icona plugin','Page Icon'=>'Icona pagina','Network Icon'=>'Icona rete','Multisite Icon'=>'Icona multisito','Media Icon'=>'Icona media','Links Icon'=>'Icona link','Home Icon'=>'Icona home','Customizer Icon'=>'Icona personalizza','Comments Icon'=>'Icona commenti','Collapse Icon'=>'Icona richiudi','Appearance Icon'=>'Icona aspetto','Generic Icon'=>'Icona generica','Icon picker requires a value.'=>'Il selettore delle icone richiede un valore.','Icon picker requires an icon type.'=>'Il selettore delle icone richiede un tipo di icona.','The available icons matching your search query have been updated in the icon picker below.'=>'Le icone disponibili che corrispondenti alla tua query di ricerca sono state caricate nel selettore delle icone qui sotto.','No results found for that search term'=>'Nessun risultato trovato per quel termine di ricerca','Array'=>'Array','String'=>'Stringa','Specify the return format for the icon. %s'=>'Specifica il formato restituito per l\'icona. %s','Select where content editors can choose the icon from.'=>'Seleziona da dove gli editor dei contenuti possono scegliere l\'icona.','The URL to the icon you\'d like to use, or svg as Data URI'=>'L\'URL all\'icona che vorresti utilizzare, oppure svg come Data URI','Browse Media Library'=>'Sfoglia la libreria dei media','The currently selected image preview'=>'L\'anteprima dell\'immagine attualmente selezionata','Click to change the icon in the Media Library'=>'Fai clic per cambiare l\'icona nella libreria dei media','Search icons...'=>'Cerca le icone...','Media Library'=>'Libreria dei media','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Un\'interfaccia utente interattiva per selezionare un\'icona. Scegli tra Dashicons, la libreria dei media o un campo URL indipendente.','Icon Picker'=>'Selettore delle icone','JSON Load Paths'=>'Percorsi di caricamento JSON','JSON Save Paths'=>'Percorsi di salvataggio JSON','Registered ACF Forms'=>'Moduli ACF registrati','Shortcode Enabled'=>'Shortcode abilitato','Field Settings Tabs Enabled'=>'Schede delle impostazioni del campo abilitate','Field Type Modal Enabled'=>'Modal del tipo di campo abilitato','Admin UI Enabled'=>'Interfaccia utente dell\'amministratore abilitata','Block Preloading Enabled'=>'Precaricamento del blocco abilitato','Blocks Per ACF Block Version'=>'Blocchi per la versione a blocchi di ACF','Blocks Per API Version'=>'Blocchi per la versione API','Registered ACF Blocks'=>'Blocchi di ACF registrati','Light'=>'Light','Standard'=>'Standard','REST API Format'=>'Formato REST API','Registered Options Pages (PHP)'=>'Pagine opzioni registrate (PHP)','Registered Options Pages (JSON)'=>'Pagine opzioni registrate (JSON)','Registered Options Pages (UI)'=>'Pagine opzioni registrate (UI)','Options Pages UI Enabled'=>'Interfaccia utente delle pagine delle opzioni abilitata','Registered Taxonomies (JSON)'=>'Tassonomie registrate (JSON)','Registered Taxonomies (UI)'=>'Tassonomie registrate (UI)','Registered Post Types (JSON)'=>'Post type registrati (JSON)','Registered Post Types (UI)'=>'Post type registrati (UI)','Post Types and Taxonomies Enabled'=>'Post type e tassonomie registrate','Number of Third Party Fields by Field Type'=>'Numbero di campi di terze parti per tipo di campo','Number of Fields by Field Type'=>'Numero di campi per tipo di campo','Field Groups Enabled for GraphQL'=>'Gruppi di campi abilitati per GraphQL','Field Groups Enabled for REST API'=>'Gruppi di campi abilitati per REST API','Registered Field Groups (JSON)'=>'Gruppi di campi registrati (JSON)','Registered Field Groups (PHP)'=>'Gruppi di campi registrati (PHP)','Registered Field Groups (UI)'=>'Gruppi di campi registrati (IU)','Active Plugins'=>'Plugin attivi','Parent Theme'=>'Tema genitore','Active Theme'=>'Tema attivo','Is Multisite'=>'È multisito','MySQL Version'=>'Versione MySQL','WordPress Version'=>'Versione di WordPress','Subscription Expiry Date'=>'Data di scadenza dell\'abbonamento','License Status'=>'Stato della licenza','License Type'=>'Tipo di licenza','Licensed URL'=>'URL con licenza','License Activated'=>'Licenza attivata','Free'=>'Gratuito','Plugin Type'=>'Tipo di plugin','Plugin Version'=>'Versione del plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Questa sezione contiene informazioni di debug sulla tua configurazione di ACF che possono essere utili per fornirti supporto.','An ACF Block on this page requires attention before you can save.'=>'Un blocco ACF su questa pagina richiede attenzioni prima che tu possa salvare.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Questo dato è registrato quando rileviamo valori che sono stati modificati durante l\'output. %1$sPulisci il registro e ignora%2$s dopo aver effettuato l\'escape dei valori nel tuo codice. Questa notifica riapparirà se rileveremo nuovamente valori modificati.','Dismiss permanently'=>'Ignora definitivamente','Instructions for content editors. Shown when submitting data.'=>'Istruzione per gli editori del contenuto. Mostrato quando si inviano dati.','Has no term selected'=>'Non ha nessun termine selezionato','Has any term selected'=>'Ha un qualsiasi termine selezionato','Terms do not contain'=>'I termini non contengono','Terms contain'=>'I termini contengono','Term is not equal to'=>'Il termine non è uguale a','Term is equal to'=>'Il termine è uguale a','Has no user selected'=>'Non ha nessun utente selezionato','Has any user selected'=>'Ha un qualsiasi utente selezionato','Users do not contain'=>'Gli utenti non contegnono','Users contain'=>'Gli utenti contengono','User is not equal to'=>'L\'utente non è uguale a','User is equal to'=>'L\'utente è uguale a','Has no page selected'=>'Non ha nessuna pagina selezionata','Has any page selected'=>'Ha una qualsiasi pagina selezionata','Pages do not contain'=>'Le pagine non contengono','Pages contain'=>'Le pagine contengono','Page is not equal to'=>'La pagina non è uguale a','Page is equal to'=>'La pagina è uguale a','Has no relationship selected'=>'Non ha nessuna relazione selezionata','Has any relationship selected'=>'Ha una qualsiasi relazione selezionata','Has no post selected'=>'Non ha nessun articolo selezionato','Has any post selected'=>'Ha un qualsiasi articolo selezionato','Posts do not contain'=>'Gli articoli non contengono','Posts contain'=>'Gli articoli contengono','Post is not equal to'=>'L\'articolo non è uguale a','Post is equal to'=>'L\'articolo è uguale a','Relationships do not contain'=>'Le relazioni non contengono','Relationships contain'=>'Le relazioni contengono','Relationship is not equal to'=>'La relazione non è uguale a','Relationship is equal to'=>'La relazione è uguale a','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campi ACF','ACF PRO Feature'=>'Funzionalità di ACF PRO','Renew PRO to Unlock'=>'Rinnova la versione PRO per sbloccare','Renew PRO License'=>'Rinnova licenza della versione PRO','PRO fields cannot be edited without an active license.'=>'I campi PRO non possono essere modificati senza una licenza attiva.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Attiva la tua licenza ACF PRO per modificare i gruppi di campi assegnati ad un blocco ACF.','Please activate your ACF PRO license to edit this options page.'=>'Attiva la tua licenza ACF PRO per modificare questa pagina delle opzioni.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Restituire valori HTML con escape effettuato è possibile solamente quando anche format_value è vero. I valori del campo non sono stati restituiti per sicurezza.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Restituire un valore HTML con escape effettuato è possibile solamente quando anche format_value è vero. Il valore del campo non è stato restituito per sicurezza.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ora effettua l\'escape del codice HTML non sicuro quando è restituito da the_field o dallo shortcode ACF. Abbiamo rilevato che l\'output di alcuni dei tuoi campi è stato alterato da questa modifica, ma potrebbe anche non trattarsi di una manomissione. %2$s.','Please contact your site administrator or developer for more details.'=>'Contatta l\'amministratore o lo sviluppatore del tuo sito per ulteriori dettagli.','Learn more'=>'Approfondisci','Hide details'=>'Nascondi dettagli','Show details'=>'Mostra dettagli','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - restituito da %3$s','Renew ACF PRO License'=>'Rinnova la licenza di ACF PRO','Renew License'=>'Rinnova la licenza','Manage License'=>'Gestisci la licenza','\'High\' position not supported in the Block Editor'=>'La posizione "In alto" non è supportata nell\'editor a blocchi','Upgrade to ACF PRO'=>'Esegui l\'upgrade ad ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Le pagine opzioni di ACF sono pagine di amministrazione personalizzate per gestire impostazioni globali attraverso dei campi. Puoi creare più pagine e sottopagine.','Add Options Page'=>'Aggiungi pagina opzioni','In the editor used as the placeholder of the title.'=>'Nell\'editor utilizzato come segnaposto del titolo.','Title Placeholder'=>'Segnaposto del titolo','4 Months Free'=>'4 mesi gratuiti','(Duplicated from %s)'=>'(Duplicato da %s)','Select Options Pages'=>'Seleziona pagine opzioni','Duplicate taxonomy'=>'Duplica tassonomia','Create taxonomy'=>'Crea tassonomia','Duplicate post type'=>'Duplica post type','Create post type'=>'Crea post type','Link field groups'=>'Collega gruppi di campi','Add fields'=>'Aggiungi campi','This Field'=>'Questo campo','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Supporto','is developed and maintained by'=>'è sviluppato e manutenuto da','Add this %s to the location rules of the selected field groups.'=>'Aggiungi questo/a %s alle regole di posizionamento dei gruppi di campi selezionati.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Abilitare l\'impostazione bidirezionale ti permette di aggiornare un valore nei campi di destinazione per ogni valore selezionato per questo campo, aggiungendo o rimuovendo l\'ID dell\'articolo, l\'ID della tassonomia o l\'ID dell\'utente dell\'elemento che si sta aggiornando. Per ulteriori informazioni leggi la documentazione.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Seleziona il campo o i campi per memorizzare il riferimento all\'elemento che si sta aggiornando. Puoi selezionare anche questo stesso campo. I campi di destinazione devono essere compatibili con dove questo campo sarà visualizzato. Per esempio, se questo campo è visualizzato su una tassonomia, il tuo campo di destinazione deve essere di tipo tassonomia.','Target Field'=>'Campo di destinazione','Update a field on the selected values, referencing back to this ID'=>'Aggiorna un campo nei valori selezionati, facendo riferimento a questo ID','Bidirectional'=>'Bidirezionale','%s Field'=>'Campo %s','Select Multiple'=>'Selezione multipla','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Solo lettere minuscole, trattini bassi e trattini. Massimo 32 caratteri.','The capability name for assigning terms of this taxonomy.'=>'Il nome della capacità per assegnare termini di questa tassonomia.','Assign Terms Capability'=>'Capacità per assegnare termini','The capability name for deleting terms of this taxonomy.'=>'Il nome della capacità per eliminare termini di questa tassonomia.','Delete Terms Capability'=>'Capacità per eliminare termini','The capability name for editing terms of this taxonomy.'=>'Il nome della capacità per modificare i termini di questa tassonomia.','Edit Terms Capability'=>'Capacità per modificare termini','The capability name for managing terms of this taxonomy.'=>'Il nome della capacità per gestire i termini di questa tassonomia.','Manage Terms Capability'=>'Capacità per gestire termini','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stabilisce se gli articoli dovrebbero essere esclusi o meno dai risultati di ricerca e dalle pagine di archivio delle tassonomia.','More Tools from WP Engine'=>'Altri strumenti da WP Engine','Built for those that build with WordPress, by the team at %s'=>'Costruito per chi costruisce con WordPress, dal team di %s','View Pricing & Upgrade'=>'Visualizza i prezzi ed esegui l\'upgrade','Learn More'=>'Approfondisci','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Accelera il tuo flusso di lavoro e sviluppa siti web migliori con funzionalità come i blocchi di ACF, le pagine opzioni e campi evoluti come ripetitore, contenuto flessibile, clone e galleria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Sblocca funzionalità avanzate e costruisci ancora meglio con ACF PRO','%s fields'=>'Campi di %s','No terms'=>'Nessun termine','No post types'=>'Nessun post type','No posts'=>'Nessun articolo','No taxonomies'=>'Nessuna tassonomia','No field groups'=>'Nessun gruppo di campi','No fields'=>'Nessun campo','No description'=>'Nessuna descrizione','Any post status'=>'Qualsiasi stato dell\'articolo','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Questa chiave di tassonomia è già utilizzata da un\'altra tassonomia registrata al di fuori di ACF e, di conseguenza, non può essere utilizzata.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Questa chiave di tassonomia è già stata usata da un\'altra tassonomia in ACF e non può essere usata.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La chiave della tassonomia deve contenere esclusivamente caratteri alfanumerici minuscoli, trattini bassi e trattini.','The taxonomy key must be under 32 characters.'=>'La chiave della tassonomia deve contenere al massimo 32 caratteri.','No Taxonomies found in Trash'=>'Nessuna tassonomia trovata nel cestino','No Taxonomies found'=>'Nessuna tassonomia trovata','Search Taxonomies'=>'Cerca tassonomie','View Taxonomy'=>'Visualizza tassonomia','New Taxonomy'=>'Nuova tassonomia','Edit Taxonomy'=>'Modifica tassonomia','Add New Taxonomy'=>'Aggiungi nuova tassonomia','No Post Types found in Trash'=>'Nessun post type trovato nel cestino','No Post Types found'=>'Nessun post type trovato','Search Post Types'=>'Cerca post type','View Post Type'=>'Visualizza post type','New Post Type'=>'Nuovo post type','Edit Post Type'=>'Modifica post type','Add New Post Type'=>'Aggiungi nuovo post type','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Questa chiave del post type è già utilizzata da un altro post type registrato al di fuori di ACF e, di conseguenza, non può essere utilizzata.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Questa chiave del post type è già utilizzata da un altro post type di ACF e, di conseguenza, non può essere utilizzata.','This field must not be a WordPress reserved term.'=>'Questo campo non deve essere un termine riservato di WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'La chiave del post type deve necessariamente contenere solo caratteri alfanumerici minuscoli, trattini bassi o trattini.','The post type key must be under 20 characters.'=>'La chiave del post type deve essere al massimo di 20 caratteri.','We do not recommend using this field in ACF Blocks.'=>'Ti sconsigliamo di utilizzare questo campo nei blocchi di ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Visualizza l\'editor WYSIWYG di WordPress, come quello che si vede negli articoli e nelle pagine, che permette di modificare il testo in modalità rich text e che permette anche di inserire contenuti multimediali.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permette di selezionare uno o più utenti che possono essere utilizzati per creare relazioni tra oggetti di dati.','A text input specifically designed for storing web addresses.'=>'Un campo di testo progettato specificamente per memorizzare indirizzi web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Un commutatore che ti permette di scegliere un valore 1 o 0 (on o off, vero o falso ecc.). Può essere presentato come un interruttore stilizzato oppure un checkbox.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per selezionare un orario. Il formato dell\'orario può essere personalizzato utilizzando le impostazioni del campo.','A basic textarea input for storing paragraphs of text.'=>'Un\'area di testo di base per memorizzare paragrafi o testo.','A basic text input, useful for storing single string values.'=>'Un campo di testo base, utile per memorizzare singoli valori di stringa.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permette la selezione di uno o più termini di tassonomia sulla base dei criteri e delle opzioni specificate nelle impostazioni del campo.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Ti permette di raggruppare i campi all\'interno di sezioni a scheda nella schermata di modifica. Utile per tenere i campi ordinati e strutturati.','A dropdown list with a selection of choices that you specify.'=>'Un elenco a discesa con una selezione di opzioni a tua scelta.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Un\'interfaccia a due colonne per selezionare uno o più articoli, pagine o post type personalizzati per creare una relazione con l\'elemento che stai attualmente modificando. Include opzioni per cercare e per filtrare.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Un campo per selezionare, attraverso un elemento di controllo dell\'intervallo, un valore numerico compreso all\'interno di un intervallo definito.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Un gruppo di elementi radio button che permettono all\'utente di esprimere una singola scelta tra valori da te specificati.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Un\'interfaccia utente interattiva e personalizzabile per selezionare uno o più articoli, pagine o elementi post type con la possibilità di effettuare una ricerca. ','An input for providing a password using a masked field.'=>'Un input per fornire una password utilizzando un campo mascherato.','Filter by Post Status'=>'Filtra per stato dell\'articolo','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Un menu a discesa interattivo per selezionare uno o più articoli, pagine, elementi post type personalizzati o URL di archivi con la possibilità di effettuare una ricerca.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Un componente interattivo per incorporare video, immagini, tweet, audio e altri contenuti utilizzando la funzionalità oEmbed nativa di WordPress.','An input limited to numerical values.'=>'Un input limitato a valori numerici.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Utilizzato per mostrare un messaggio agli editori accanto agli altri campi. Utile per fornire ulteriore contesto o istruzioni riguardanti i tuoi campi.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Ti permette di specificare un link e le sue proprietà, quali "title" e "target", utilizzando il selettore di link nativo di WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Utilizza il selettore di media nativo di WordPress per caricare o scegliere le immagini.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Fornisce un modo per strutturare i campi all\'interno di gruppi per organizzare meglio i dati e la schermata di modifica.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Un\'interfaccia utente interattiva per selezionare un luogo utilizzando Google Maps. Richiede una chiave API di Google Maps e una configurazione aggiuntiva per essere visualizzata correttamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Utilizza il selettore di media nativo di WordPress per caricare o scegliere i file.','A text input specifically designed for storing email addresses.'=>'Un campo di testo pensato specificamente per memorizzare indirizzi email.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per scegliere una data e un orario. Il formato della data restituito può essere personalizzato utilizzando le impostazioni del campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Un\'interfaccia utente interattiva per scegliere una data. Il formato della data restituito può essere personalizzato utilizzando le impostazioni del campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Un\'interfaccia utente interattiva per selezionare un coloro o per specificare un valore HEX.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Un gruppo di elementi checkbox che permettono all\'utente di selezionare uno o più valori tra quelli da te specificati.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Un gruppo di pulsanti con valori da te specificati. Gli utenti possono scegliere un\'opzione tra i valori forniti.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Ti permette di raggruppare e organizzare i campi personalizzati in pannelli richiudibili che sono mostrati durante la modifica del contenuto. Utile per mantenere in ordine grandi insiemi di dati.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Questo campo fornisce una soluzione per ripetere contenuti, quali slide, membri del team e riquadri di invito all\'azione, fungendo da genitore di una serie di sotto-campi che possono essere ripetuti più e più volte.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Questo campo fornisce un\'interfaccia interattiva per gestire una collezione di allegati. La maggior parte delle impostazioni è simile a quella del tipo di campo "Immagine". Impostazioni aggiuntive ti permettono di specificare dove saranno aggiunti i nuovi allegati all\'interno della galleria e il numero minimo/massimo di allegati permessi.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Questo campo fornisce un editor semplice, strutturato e basato sul layout. Il campo "Contenuto flessibile" ti permette di definire, creare e gestire il contenuto con un controllo totale, attraverso l\'utilizzo di layout e sotto-campi per progettare i blocchi disponibili.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Questo campo ti permette di selezionare e visualizzare campi esistenti. Non duplica nessun campo nel database, ma carica e visualizza i campi selezionati al momento dell\'esecuzione. Il campo "Clone" può sostituire sé stesso con i campi selezionati oppure visualizzarle come gruppo di sotto-campi.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avanzato','JSON (newer)'=>'JSON (più recente)','Original'=>'Originale','Invalid post ID.'=>'ID articolo non valido.','Invalid post type selected for review.'=>'Post type non valido selezionato per la revisione.','More'=>'Altro','Tutorial'=>'Tutorial','Select Field'=>'Seleziona campo','Try a different search term or browse %s'=>'Prova un termine di ricerca diverso oppure sfoglia %s','Popular fields'=>'Campi popolari','No search results for \'%s\''=>'Nessun risultato di ricerca per \'%s\'','Search fields...'=>'Cerca campi...','Select Field Type'=>'Seleziona tipo di campo','Popular'=>'Popolare','Add Taxonomy'=>'Aggiungi tassonomia','Create custom taxonomies to classify post type content'=>'Crea tassonomie personalizzate per classificare il contenuto del post type','Add Your First Taxonomy'=>'Aggiungi la tua prima tassonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Le tassonomie gerarchiche possono avere discendenti (come le categorie).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Rendi una tassonomia visibile sul frontend e nella bacheca di amministrazione.','One or many post types that can be classified with this taxonomy.'=>'Uno o più post type che possono essere classificati con questa tassonomia.','genre'=>'genere','Genre'=>'Genere','Genres'=>'Generi','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controllore personalizzato opzionale da utilizzare invece di `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Rivela questo post type nella REST API.','Customize the query variable name'=>'Personalizza il nome della variabile della query','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Si può accedere ai termini utilizzando permalink non-pretty, ad es. {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termini genitore-figlio negli URL per le tassonomie gerarchiche.','Customize the slug used in the URL'=>'Personalizza lo slug utilizzato nell\'URL','Permalinks for this taxonomy are disabled.'=>'I permalink per questa tassonomia sono disabilitati.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando la chiave della tassonomia come slug. La tua struttura del permalink sarà','Taxonomy Key'=>'Chiave della tassonomia','Select the type of permalink to use for this taxonomy.'=>'Seleziona il tipo di permalink da utilizzare per questa tassonomia.','Display a column for the taxonomy on post type listing screens.'=>'Visualizza una colonna per la tassonomia nelle schermate che elencano i post type.','Show Admin Column'=>'Mostra colonna amministratore','Show the taxonomy in the quick/bulk edit panel.'=>'Mostra la tassonomia nel pannello di modifica rapida/di massa.','Quick Edit'=>'Modifica rapida','List the taxonomy in the Tag Cloud Widget controls.'=>'Elenca la tassonomia nei controlli del widget Tag Cloud.','Tag Cloud'=>'Tag Cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Il nome di una funzione PHP da richiamare per sanificare i dati della tassonomia salvati da un meta box.','Meta Box Sanitization Callback'=>'Callback della sanificazione del meta box','Register Meta Box Callback'=>'Registra la callback del meta box','No Meta Box'=>'Nessun meta box','Custom Meta Box'=>'Meta box personalizzato','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controlla il meta box nella schermata di modifica del contenuto. Per impostazione predefinita, il meta box delle categorie è mostrato per tassonomie gerarchiche, mentre quello dei tag è mostrato per le tassonomie non gerarchiche.','Meta Box'=>'Meta box','Categories Meta Box'=>'Meta box delle categorie','Tags Meta Box'=>'Meta box dei tag','A link to a tag'=>'Un link ad un tag','Describes a navigation link block variation used in the block editor.'=>'Descrive una variazione del blocco di link di navigazione utilizzata nell\'editor a blocchi.','A link to a %s'=>'Un link a %s','Tag Link'=>'Link del tag','Assigns a title for navigation link block variation used in the block editor.'=>'Assegna un titolo alla variazione del blocco di link di navigazione utilizzata nell\'editor a blocchi.','← Go to tags'=>'← Vai ai tag','Assigns the text used to link back to the main index after updating a term.'=>'Assegna il testo utilizzato per il link che permette di tornare indietro all\'indice principale dopo aver aggiornato un termine.','Back To Items'=>'Torna agli elementi','← Go to %s'=>'← Torna a %s','Tags list'=>'Elenco dei tag','Assigns text to the table hidden heading.'=>'Assegna il testo al titolo nascosto della tabella.','Tags list navigation'=>'Navigazione elenco dei tag','Assigns text to the table pagination hidden heading.'=>'Assegna il testo al titolo nascosto della paginazione della tabella.','Filter by category'=>'Filtra per categoria','Assigns text to the filter button in the posts lists table.'=>'Assegna il testo al pulsante filtro nella tabella di elenchi di articoli.','Filter By Item'=>'Filtra per elemento','Filter by %s'=>'Filtra per %s','The description is not prominent by default; however, some themes may show it.'=>'Per impostazione predefinita, la descrizione non è visibile; tuttavia, alcuni temi potrebbero mostrarla.','Describes the Description field on the Edit Tags screen.'=>'Descrive il campo "Descrizione" nella schermata di modifica del tag.','Description Field Description'=>'Descrizione del campo "Descrizione"','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Per creare una gerarchia assegna un termine genitore. Ad esempio, il termine Jazz potrebbe essere genitore di Bebop e Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descrive il campo "Genitore" nella schermata di modifica dei tag.','Parent Field Description'=>'Descrizione del campo "Genitore"','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'Lo "slug" è la versione del nome compatibile con l\'URL. Di solito è tutto minuscolo e contiene solo lettere, numeri e trattini.','Describes the Slug field on the Edit Tags screen.'=>'Descrive il campo "Slug" nella schermata di modifica dei tag.','Slug Field Description'=>'Descrizione del campo "Slug"','The name is how it appears on your site'=>'Il nome è come apparirà sul tuo sito','Describes the Name field on the Edit Tags screen.'=>'Descrive il campo "Nome" nella schermata di modifica dei tag.','Name Field Description'=>'Descrizione del campo "Nome"','No tags'=>'Nessun tag','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Assegna il testo visualizzato nelle tabelle di elenco degli articoli e dei media nel caso in cui non siano disponibili né tag né categorie.','No Terms'=>'Nessun termine','No %s'=>'Nessun %s','No tags found'=>'Nessun tag trovato','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Assegna il testo visualizzato quando si fa clic sul testo "Scegli tra i più utilizzati" nel meta box della tassonomia nel caso in cui non sia disponibile nessun tag, e assegna il testo utilizzato nella tabella di elenco dei termini quando non ci sono elementi per una tassonomia.','Not Found'=>'Non trovato','Assigns text to the Title field of the Most Used tab.'=>'Assegna il testo al campo "Titolo" della scheda "Più utilizzati".','Most Used'=>'Più utilizzati','Choose from the most used tags'=>'Scegli tra i tag più utilizzati','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Assegna il testo "Scegli tra i più utilizzati" nel meta box nel caso in cui JavaScript sia disabilitato. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Choose From Most Used'=>'Scegli tra i più utilizzati','Choose from the most used %s'=>'Scegli tra i %s più utilizzati','Add or remove tags'=>'Aggiungi o rimuovi tag','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Assegna il testo per aggiungere o rimuovere elementi utilizzato nel meta box nel caso in cui JavaScript sia disabilitato. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Add Or Remove Items'=>'Aggiungi o rimuovi elementi','Add or remove %s'=>'Aggiungi o rimuovi %s','Separate tags with commas'=>'Separa i tag con le virgole','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Assegna il testo per separare gli elementi con le virgole utilizzato nel meta box della tassonomia. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Separate Items With Commas'=>'Separa gli elementi con le virgole','Separate %s with commas'=>'Separa i %s con una virgola','Popular Tags'=>'Tag popolari','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Assegna il testo per gli elementi popolari. È utilizzato esclusivamente per le tassonomie non gerarchiche.','Popular Items'=>'Elementi popolari','Popular %s'=>'%s popolari','Search Tags'=>'Cerca tag','Assigns search items text.'=>'Assegna il testo per la ricerca di elementi.','Parent Category:'=>'Categoria genitore:','Assigns parent item text, but with a colon (:) added to the end.'=>'Assegna il testo per l\'elemento genitore, ma con i due punti (:) aggiunti alla fine.','Parent Item With Colon'=>'Elemento genitore con due punti','Parent Category'=>'Categoria genitore','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Assegna il testo per l\'elemento genitore. Utilizzato esclusivamente per le tassonomie gerarchiche.','Parent Item'=>'Elemento genitore','Parent %s'=>'Genitore %s','New Tag Name'=>'Nome del nuovo tag','Assigns the new item name text.'=>'Assegna il testo per il nome del nuovo elemento.','New Item Name'=>'Nome del nuovo elemento','New %s Name'=>'Nome del nuovo %s','Add New Tag'=>'Aggiungi nuovo tag','Assigns the add new item text.'=>'Assegna il testo per l\'aggiunta di un nuovo elemento.','Update Tag'=>'Aggiorna tag','Assigns the update item text.'=>'Assegna il testo per l\'aggiornamento dell\'elemento.','Update Item'=>'Aggiorna elemento','Update %s'=>'Aggiorna %s','View Tag'=>'Visualizza tag','In the admin bar to view term during editing.'=>'Nella barra di amministrazione per visualizzare il termine durante la modifica.','Edit Tag'=>'Modifica tag','At the top of the editor screen when editing a term.'=>'Nella parte alta della schermata di modifica durante la modifica di un termine.','All Tags'=>'Tutti i tag','Assigns the all items text.'=>'Assegna il testo per tutti gli elementi.','Assigns the menu name text.'=>'Assegna il testo per il nome nel menu.','Menu Label'=>'Etichetta del menu','Active taxonomies are enabled and registered with WordPress.'=>'Le tassonomie attive sono abilitate e registrate con WordPress.','A descriptive summary of the taxonomy.'=>'Un riassunto descrittivo della tassonomia.','A descriptive summary of the term.'=>'Un riassunto descrittivo del termine.','Term Description'=>'Descrizione del termine','Single word, no spaces. Underscores and dashes allowed.'=>'Singola parola, nessun spazio. Sottolineatura e trattini consentiti.','Term Slug'=>'Slug del termine','The name of the default term.'=>'Il nome del termine predefinito.','Term Name'=>'Nome del termine','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Crea un termine per la tassonomia che non potrà essere eliminato. Non sarà selezionato negli articoli per impostazione predefinita.','Default Term'=>'Termine predefinito','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Se i termini in questa tassonomia debbano essere o meno ordinati in base all\'ordine in cui vengono forniti a `wp_set_object_terms()`.','Sort Terms'=>'Ordina i termini','Add Post Type'=>'Aggiunti post type','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Espandi la funzionalità di WordPress con i post type personalizzati, andando oltre gli articoli e le pagine standard.','Add Your First Post Type'=>'Aggiungi il tuo primo post type','I know what I\'m doing, show me all the options.'=>'So cosa sto facendo, mostrami tutte le opzioni.','Advanced Configuration'=>'Configurazione avanzata','Hierarchical post types can have descendants (like pages).'=>'I post type gerarchici possono avere discendenti (come avviene per le pagine).','Hierarchical'=>'Gerarchico','Visible on the frontend and in the admin dashboard.'=>'Visibile sul frontend e sulla bacheca di amministrazione.','Public'=>'Pubblico','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Solo lettere minuscole, trattini bassi e trattini, massimo 20 caratteri.','Movie'=>'Film','Singular Label'=>'Etichetta singolare','Movies'=>'Film','Plural Label'=>'Etichetta plurale','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controllore personalizzato opzionale da utilizzare invece di `WP_REST_Posts_Controller`.','Controller Class'=>'Classe del controllore','The namespace part of the REST API URL.'=>'La parte del namespace nell\'URL della REST API.','Namespace Route'=>'Percorso del namespace','The base URL for the post type REST API URLs.'=>'L\'URL di base per gli URL della REST API del post type.','Base URL'=>'URL di base','Exposes this post type in the REST API. Required to use the block editor.'=>'Mostra questo post type nella REST API. Necessario per utilizzare l\'editor a blocchi.','Show In REST API'=>'Mostra nella REST API','Customize the query variable name.'=>'Personalizza il nome della variabile della query.','Query Variable'=>'Variabile della query','No Query Variable Support'=>'Nessun supporto per la variabile della query','Custom Query Variable'=>'Variabile personalizzata della query','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Si può accedere agli elementi utilizzando permalink non-pretty, ad es. {post_type}={post_slug}.','Query Variable Support'=>'Supporto per la variabile della query','URLs for an item and items can be accessed with a query string.'=>'Gli elementi e gli URL di un elemento sono accessibili tramite una stringa query.','Publicly Queryable'=>'Interrogabile pubblicamente tramite query','Custom slug for the Archive URL.'=>'Slug personalizzato per l\'URL dell\'archivio.','Archive Slug'=>'Slug dell\'archivio','Has an item archive that can be customized with an archive template file in your theme.'=>'Ha un elemento archivio che può essere personalizzato con un file template dell\'archivio nel tuo tema.','Archive'=>'Archivio','Pagination support for the items URLs such as the archives.'=>'Supporto per la paginazione degli URL degli elementi, come gli archivi.','Pagination'=>'Paginazione','RSS feed URL for the post type items.'=>'URL del feed RSS per gli elementi del post type.','Feed URL'=>'URL del feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera la struttura del permalink per aggiungere il prefisso `WP_Rewrite::$front` agli URL.','Front URL Prefix'=>'Prefisso dell\'URL','Customize the slug used in the URL.'=>'Personalizza lo slug utilizzato nell\'URL.','URL Slug'=>'Slug dell\'URL','Permalinks for this post type are disabled.'=>'I permalink per questo post type sono disabilitati.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando uno slug personalizzato definito nel campo qui sotto. La tua struttura del permalink sarà','No Permalink (prevent URL rewriting)'=>'Nessun permalink (evita la riscrittura dell\'URL)','Custom Permalink'=>'Permalink personalizzato','Post Type Key'=>'Chiave del post type','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Riscrivi l\'URL utilizzando la chiave del post type come slug. La tua struttura del permalink sarà','Permalink Rewrite'=>'Riscrittura del permalink','Delete items by a user when that user is deleted.'=>'Elimina gli elementi di un utente quando quell\'utente è eliminato.','Delete With User'=>'Elimina con l\'utente','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permetti l\'esportazione del post type da "Strumenti" > "Esporta".','Can Export'=>'Si può esportare','Optionally provide a plural to be used in capabilities.'=>'Fornisci, facoltativamente, un plurale da utilizzare nelle capacità.','Plural Capability Name'=>'Nome plurale per la capacità','Choose another post type to base the capabilities for this post type.'=>'Scegli un altro post type su cui basare le capacità per questo post type.','Singular Capability Name'=>'Nome singolare per la capacità','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Per impostazione predefinita, le capacità del post type erediteranno i nomi delle capacità degli articoli, ad esempio edit_post, delete_posts. Abilita questa opzione per utilizzare capacità specifiche per questo post type, ad esempio edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rinomina capacità','Exclude From Search'=>'Escludi dalla ricerca','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permetti che gli elementi possano essere aggiunti ai menu nella schermata "Aspetto" > "Menu". Questi elementi devono essere abilitati nelle "Impostazioni schermata".','Appearance Menus Support'=>'Supporto per i menu','Appears as an item in the \'New\' menu in the admin bar.'=>'Appare come un elemento nel menu "Nuovo" nella barra di amministrazione.','Show In Admin Bar'=>'Mostra nella barra di amministrazione','Custom Meta Box Callback'=>'Callback personalizzata per il meta box','Menu Icon'=>'Icona del menu','The position in the sidebar menu in the admin dashboard.'=>'La posizione nel menu nella barra laterale nella bacheca di amministrazione.','Menu Position'=>'Posizione nel menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Per impostazione predefinita il post type otterrà un nuovo elemento di primo livello nel menu di amministrazione. Se imposti qui un elemento di primo livello esistente, il post type sarà aggiunto come elemento del suo sottomenu.','Admin Menu Parent'=>'Elemento genitore nel menu di amministrazione','Admin editor navigation in the sidebar menu.'=>'Elemento di navigazione nel menu di amministrazione nella barra laterale.','Show In Admin Menu'=>'Mostra nel menu di amministrazione','Items can be edited and managed in the admin dashboard.'=>'Gli elementi possono essere modificati e gestiti nella bacheca di amministrazione.','Show In UI'=>'Mostra nell\'interfaccia utente','A link to a post.'=>'Un link a un articolo.','Description for a navigation link block variation.'=>'Descrizione per una variazione del blocco di link di navigazione.','Item Link Description'=>'Descrizione del link all\'elemento','A link to a %s.'=>'Un link a un/a %s.','Post Link'=>'Link dell\'articolo','Title for a navigation link block variation.'=>'Titolo per una variazione del blocco di link di navigazione.','Item Link'=>'Link dell\'elemento','%s Link'=>'Link %s','Post updated.'=>'Articolo aggiornato.','In the editor notice after an item is updated.'=>'Nella notifica nell\'editor dopo che un elemento è stato aggiornato.','Item Updated'=>'Elemento aggiornato','%s updated.'=>'%s aggiornato/a.','Post scheduled.'=>'Articolo programmato.','In the editor notice after scheduling an item.'=>'Nella notifica nell\'editor dopo aver programmato un elemento.','Item Scheduled'=>'Elemento programmato','%s scheduled.'=>'%s programmato/a.','Post reverted to draft.'=>'Articolo riconvertito in bozza.','In the editor notice after reverting an item to draft.'=>'Nella notifica nell\'editor dopo aver riconvertito in bozza un elemento.','Item Reverted To Draft'=>'Elemento riconvertito in bozza.','%s reverted to draft.'=>'%s riconvertito/a in bozza.','Post published privately.'=>'Articolo pubblicato privatamente.','In the editor notice after publishing a private item.'=>'Nella notifica nell\'editor dopo aver pubblicato privatamente un elemento.','Item Published Privately'=>'Elemento pubblicato privatamente','%s published privately.'=>'%s pubblicato/a privatamente.','Post published.'=>'Articolo pubblicato.','In the editor notice after publishing an item.'=>'Nella notifica nell\'editor dopo aver pubblicato un elemento.','Item Published'=>'Elemento pubblicato','%s published.'=>'%s pubblicato/a.','Posts list'=>'Elenco degli articoli','Used by screen readers for the items list on the post type list screen.'=>'Utilizzato dai lettori di schermo per l\'elenco degli elementi nella schermata di elenco del post type.','Items List'=>'Elenco degli elementi','%s list'=>'Elenco %s','Posts list navigation'=>'Navigazione dell\'elenco degli articoli','Used by screen readers for the filter list pagination on the post type list screen.'=>'Utilizzato dei lettori di schermo per i filtri di paginazione dell\'elenco nella schermata di elenco del post type.','Items List Navigation'=>'Navigazione dell\'elenco degli elementi','%s list navigation'=>'Navigazione elenco %s','Filter posts by date'=>'Filtra articoli per data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Utilizzato dai lettori di schermo per il titolo del filtro per data nella schermata di elenco del post type.','Filter Items By Date'=>'Filtra elementi per data','Filter %s by date'=>'Filtra %s per data','Filter posts list'=>'Filtra elenco articoli','Used by screen readers for the filter links heading on the post type list screen.'=>'Utilizzato dai lettori di schermo per i link del titolo del filtro nella schermata di elenco del post type.','Filter Items List'=>'Filtra l\'elenco degli elementi','Filter %s list'=>'Filtrare l\'elenco di %s','In the media modal showing all media uploaded to this item.'=>'Nel modal dei media che mostra tutti i media caricati in questo elemento.','Uploaded To This Item'=>'Caricato in questo elemento','Uploaded to this %s'=>'Caricato in questo/a %s','Insert into post'=>'Inserisci nell\'articolo','As the button label when adding media to content.'=>'Come etichetta del pulsante quando si aggiungono media al contenuto.','Insert Into Media Button'=>'Pulsante per inserimento media','Insert into %s'=>'Inserisci in %s','Use as featured image'=>'Utilizza come immagine in evidenza','As the button label for selecting to use an image as the featured image.'=>'Come etichetta del pulsante per la selezione di un\'immagine da utilizzare come immagine in evidenza.','Use Featured Image'=>'Usa come immagine in evidenza','Remove featured image'=>'Rimuovi l\'immagine in evidenza','As the button label when removing the featured image.'=>'Come etichetta del pulsante per rimuovere l\'immagine in evidenza.','Remove Featured Image'=>'Rimuovi l\'immagine in evidenza','Set featured image'=>'Imposta l\'immagine in evidenza','As the button label when setting the featured image.'=>'Come etichetta del pulsante quando si imposta l\'immagine in evidenza.','Set Featured Image'=>'Imposta l\'immagine in evidenza','Featured image'=>'Immagine in evidenza','In the editor used for the title of the featured image meta box.'=>'Utilizzato nell\'editor come titolo per il meta box dell\'immagine in evidenza.','Featured Image Meta Box'=>'Meta box dell\'immagine in evidenza','Post Attributes'=>'Attributi dell\'articolo','In the editor used for the title of the post attributes meta box.'=>'Utilizzato nell\'editor come titolo del meta box degli attributi dell\'articolo.','Attributes Meta Box'=>'Meta box degli attributi','%s Attributes'=>'Attributi %s','Post Archives'=>'Archivi dell\'articolo','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Aggiunge elementi "Archivio del post type" con quest\'etichetta alla lista di articoli mostrati quando si aggiungono elementi ad un menu esistente in un tipo di articolo personalizzato quando sono abilitati gli archivi. Appare solamente durante la modifica dei menu in modalità "Anteprima" e se è stato fornito uno slug personalizzato dell\'archivio.','Archives Nav Menu'=>'Menu di navigazione degli archivi','%s Archives'=>'Archivi %s','No posts found in Trash'=>'Nessun articolo trovato nel cestino','At the top of the post type list screen when there are no posts in the trash.'=>'Nella parte alta della schermata di elenco del post type quando non ci sono articoli nel cestino.','No Items Found in Trash'=>'Nessun elemento trovato nel cestino','No %s found in Trash'=>'Non ci sono %s nel cestino','No posts found'=>'Nessun articolo trovato','At the top of the post type list screen when there are no posts to display.'=>'Nella parte alta della schermata di elenco del post type quando non ci sono articoli da visualizzare.','No Items Found'=>'Nessun elemento trovato','No %s found'=>'Non abbiamo trovato %s','Search Posts'=>'Cerca articoli','At the top of the items screen when searching for an item.'=>'Nella parte alta della schermata degli elementi quando si cerca un elemento.','Search Items'=>'Cerca elementi','Search %s'=>'Cerca %s','Parent Page:'=>'Pagina genitore:','For hierarchical types in the post type list screen.'=>'Per elementi gerarchici nella schermata di elenco del post type.','Parent Item Prefix'=>'Prefisso dell\'elemento genitore','Parent %s:'=>'%s genitore:','New Post'=>'Nuovo articolo','New Item'=>'Nuovo elemento','New %s'=>'Nuovo/a %s','Add New Post'=>'Aggiungi un nuovo articolo','At the top of the editor screen when adding a new item.'=>'Nella parte superiore della schermata di modifica durante l\'aggiunta di un nuovo elemento.','Add New Item'=>'Aggiungi un nuovo elemento','Add New %s'=>'Aggiungi nuovo/a %s','View Posts'=>'Visualizza gli articoli','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Appare nella barra di amministrazione nella vista "Tutti gli articoli", purché il post type supporti gli archivi e la homepage non sia un archivio di quel post type.','View Items'=>'Visualizza gli elementi','View Post'=>'Visualizza l\'articolo','In the admin bar to view item when editing it.'=>'Nella barra di amministrazione per visualizzare l\'elemento durante la sua modifica.','View Item'=>'Visualizza l\'elemento','View %s'=>'Visualizza %s','Edit Post'=>'Modifica l\'articolo','At the top of the editor screen when editing an item.'=>'Nella parte superiore della schermata di modifica durante la modifica di un elemento.','Edit Item'=>'Modifica elemento','Edit %s'=>'Modifica %s','All Posts'=>'Tutti gli articoli','In the post type submenu in the admin dashboard.'=>'Nel sotto menu del post type nella bacheca di amministrazione.','All Items'=>'Tutti gli elementi','All %s'=>'Tutti/e gli/le %s','Admin menu name for the post type.'=>'Nome del post type nel menu di amministrazione.','Menu Name'=>'Nome nel menu','Regenerate all labels using the Singular and Plural labels'=>'Rigenera tutte le etichette utilizzando le etichette per il singolare e per il plurale','Regenerate'=>'Rigenera','Active post types are enabled and registered with WordPress.'=>'I post type attivi sono abilitati e registrati con WordPress.','A descriptive summary of the post type.'=>'Un riassunto descrittivo del post type.','Add Custom'=>'Aggiungi un\'opzione personalizzata','Enable various features in the content editor.'=>'Abilita varie funzionalità nell\'editor del contenuto.','Post Formats'=>'Formati dell\'articolo','Editor'=>'Editor','Trackbacks'=>'Trackback','Select existing taxonomies to classify items of the post type.'=>'Seleziona le tassonomie esistenti per classificare gli elementi del post type.','Browse Fields'=>'Sfoglia i campi','Nothing to import'=>'Nulla da importare','. The Custom Post Type UI plugin can be deactivated.'=>'. Il plugin Custom Post Type UI può essere disattivato.','Imported %d item from Custom Post Type UI -'=>'%d elemento importato da Custom Post Type UI -' . "\0" . '%d elementi importati da Custom Post Type UI -','Failed to import taxonomies.'=>'Impossibile importare le tassonomie.','Failed to import post types.'=>'Impossibile importare i post type.','Nothing from Custom Post Type UI plugin selected for import.'=>'Non è stato selezionato nulla da importare dal plugin Custom Post Type UI.','Imported 1 item'=>'1 elemento importato.' . "\0" . '%s elementi importati.','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Importare un post type o una tassonomia con la stessa chiave di una già esistente sovrascriverà le impostazioni del post type o della tassonomia già esistente con quelle dell\'importazione.','Import from Custom Post Type UI'=>'Importare da Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Il codice seguente può essere utilizzato per registrare una versione locale degli elementi selezionati. Memorizzare localmente i gruppi di campi, i post type o le tassonomie può fornire numerosi vantaggi come ad esempio tempi di caricamento più veloci, controllo di versione e impostazioni o campi dinamici. Devi semplicemente copiare e incollare il seguente codice nel file functions.php del tuo tema, oppure includerlo tramite un file esterno, per poi disattivare o eliminare gli elementi dal pannello di amministrazione di ACF.','Export - Generate PHP'=>'Esporta - Genera PHP','Export'=>'Esporta','Select Taxonomies'=>'Seleziona le tassonomie','Select Post Types'=>'Seleziona i post type','Exported 1 item.'=>'1 elemento esportato.' . "\0" . '%s elementi esportati.','Category'=>'Categoria','Tag'=>'Tag','%s taxonomy created'=>'Tassonomia %s creata','%s taxonomy updated'=>'Tassonomia %s aggiornata','Taxonomy draft updated.'=>'Bozza della tassonomia aggiornata.','Taxonomy scheduled for.'=>'Tassonomia programmata per.','Taxonomy submitted.'=>'Tassonomia inviata.','Taxonomy saved.'=>'Tassonomia salvata.','Taxonomy deleted.'=>'Tassonomia eliminata.','Taxonomy updated.'=>'Tassonomia aggiornata.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Questa tassonomia non può essere registrata perché la sua chiave è già usata da un\'altra tassonomia registrata da un altro plugin o dal tema.','Taxonomy synchronized.'=>'Tassonomia sincronizzata.' . "\0" . '%s tassonomie sincronizzate.','Taxonomy duplicated.'=>'Tassonomia duplicata.' . "\0" . '%s tassonomie duplicate.','Taxonomy deactivated.'=>'Tassonomia disattivata.' . "\0" . '%s tassonomie disattivate.','Taxonomy activated.'=>'Tassonomia attivata.' . "\0" . '%s tassonomie attivate.','Terms'=>'Termini','Post type synchronized.'=>'Post type sincronizzato.' . "\0" . '%s post type sincronizzati.','Post type duplicated.'=>'Post type duplicato.' . "\0" . '%s post type duplicati.','Post type deactivated.'=>'Post type disattivati.' . "\0" . '%s post type disattivati.','Post type activated.'=>'Post type attivati.' . "\0" . '%s post type attivati.','Post Types'=>'Post type','Advanced Settings'=>'Impostazioni avanzate','Basic Settings'=>'Impostazioni di base','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Questo post type non può essere registrato perché la sua chiave è già utilizzata da un altro post type registrato da un altro plugin o dal tema.','Pages'=>'Pagine','Link Existing Field Groups'=>'Collega gruppi di campi esistenti','%s post type created'=>'Post type %s creato','Add fields to %s'=>'Aggiungi campi a %s','%s post type updated'=>'Post type %s aggiornato','Post type draft updated.'=>'Bozza del post type aggiornata.','Post type scheduled for.'=>'Post type programmato per.','Post type submitted.'=>'Post type inviato.','Post type saved.'=>'Post type salvato.','Post type updated.'=>'Post type aggiornato.','Post type deleted.'=>'Post type eliminato.','Type to search...'=>'Digita per cercare...','PRO Only'=>'Solo PRO','Field groups linked successfully.'=>'Gruppi di campi collegati con successo.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importa post type e tassonomie registrate con Custom Post Type UI e gestiscile con ACF. Inizia qui.','ACF'=>'ACF','taxonomy'=>'tassonomia','post type'=>'post type','Done'=>'Fatto','Field Group(s)'=>'Gruppo/i di campi','Select one or many field groups...'=>'Seleziona uno o più gruppi di campi...','Please select the field groups to link.'=>'Seleziona i gruppi di campi da collegare.','Field group linked successfully.'=>'Gruppo di campi collegato con successo.' . "\0" . 'Gruppi di campi collegati con successo.','post statusRegistration Failed'=>'Registrazione fallita.','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Questo elemento non può essere registrato perché la sua chiave è già in uso da un altro elemento registrato da un altro plugin o dal tema.','REST API'=>'REST API','Permissions'=>'Autorizzazioni','URLs'=>'URL','Visibility'=>'Visibilità','Labels'=>'Etichette','Field Settings Tabs'=>'Schede delle impostazioni del campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valore dello shortcode ACF disabilitato per l\'anteprima]','Close Modal'=>'Chiudi modal','Field moved to other group'=>'Campo spostato in altro gruppo','Close modal'=>'Chiudi modale','Start a new group of tabs at this tab.'=>'Inizia un nuovo gruppo di schede in questa scheda.','New Tab Group'=>'Nuovo gruppo schede','Use a stylized checkbox using select2'=>'Usa un checkbox stilizzato con select2','Save Other Choice'=>'Salva la scelta "Altro"','Allow Other Choice'=>'Consenti la scelta "Altro"','Add Toggle All'=>'Aggiungi mostra/nascondi tutti','Save Custom Values'=>'Salva valori personalizzati','Allow Custom Values'=>'Consenti valori personalizzati','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'I valori personalizzati del checkbox non possono essere vuoti. Deseleziona tutti i valori vuoti.','Updates'=>'Aggiornamenti','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Salva le modifiche','Field Group Title'=>'Titolo gruppo di campi','Add title'=>'Aggiungi titolo','New to ACF? Take a look at our getting started guide.'=>'Nuovo in ACF? Dai un\'occhiata alla nostra guida per iniziare.','Add Field Group'=>'Aggiungi un nuovo gruppo di campi','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF utilizza i gruppi di campi per raggruppare i campi personalizzati ed aggiungerli alle schermate di modifica.','Add Your First Field Group'=>'Aggiungi il tuo primo gruppo di campi','Options Pages'=>'Pagine opzioni','ACF Blocks'=>'Blocchi ACF','Gallery Field'=>'Campo galleria','Flexible Content Field'=>'Campo contenuto flessibile','Repeater Field'=>'Campo ripetitore','Unlock Extra Features with ACF PRO'=>'Sblocca funzionalità aggiuntive con ACF PRO','Delete Field Group'=>'Elimina gruppo di campi','Created on %1$s at %2$s'=>'Creato il %1$s alle %2$s','Group Settings'=>'Impostazioni gruppo','Location Rules'=>'Regole di posizionamento','Choose from over 30 field types. Learn more.'=>'Scegli tra più di 30 tipologie di campo. Scopri di più.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Inizia a creare nuovi campi personalizzati per i tuoi articoli, le tue pagine, i tuoi post type personalizzati e altro contenuto di WordPress.','Add Your First Field'=>'Aggiungi il tuo primo campo','#'=>'#','Add Field'=>'Aggiungi campo','Presentation'=>'Presentazione','Validation'=>'Validazione','General'=>'Generale','Import JSON'=>'Importa JSON','Export As JSON'=>'Esporta come JSON','Field group deactivated.'=>'Gruppo di campi disattivato.' . "\0" . '%s gruppi di campi disattivati.','Field group activated.'=>'Gruppo di campi attivato.' . "\0" . '%s gruppi di campi attivati.','Deactivate'=>'Disattiva','Deactivate this item'=>'Disattiva questo elemento','Activate'=>'Attiva','Activate this item'=>'Attiva questo elemento','Move field group to trash?'=>'Spostare il gruppo di campi nel cestino?','post statusInactive'=>'Inattivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non dovrebbero essere attivi contemporaneamente. Abbiamo automaticamente disattivato Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields e Advanced Custom Fields PRO non dovrebbero essere attivi contemporaneamente. Abbiamo automaticamente disattivato Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Sono state rilevate una o più chiamate per recuperare valori di campi ACF prima che ACF fosse inizializzato. Questo non è supportato e può causare dati non corretti o mancanti. Scopri come correggere questo problema.','%1$s must have a user with the %2$s role.'=>'%1$s deve aver un utente con il ruolo %2$s.' . "\0" . '%1$s deve aver un utente con uno dei seguenti ruoli: %2$s','%1$s must have a valid user ID.'=>'%1$s deve avere un ID utente valido.','Invalid request.'=>'Richiesta non valida.','%1$s is not one of %2$s'=>'%1$s non è uno di %2$s','%1$s must have term %2$s.'=>'%1$s deve avere il termine %2$s.' . "\0" . '%1$s deve avere uno dei seguenti termini: %2$s','%1$s must be of post type %2$s.'=>'%1$s deve essere di tipo %2$s.' . "\0" . '%1$s deve essere di uno dei seguenti tipi: %2$s','%1$s must have a valid post ID.'=>'%1$s deve avere un ID articolo valido.','%s requires a valid attachment ID.'=>'%s richiede un ID allegato valido.','Show in REST API'=>'Mostra in API REST','Enable Transparency'=>'Abilita trasparenza','RGBA Array'=>'Array RGBA','RGBA String'=>'Stringa RGBA','Hex String'=>'Stringa esadecimale','Upgrade to PRO'=>'Aggiorna a Pro','post statusActive'=>'Attivo','\'%s\' is not a valid email address'=>'\'%s\' non è un indirizzo email valido','Color value'=>'Valore del colore','Select default color'=>'Seleziona il colore predefinito','Clear color'=>'Rimuovi colore','Blocks'=>'Blocchi','Options'=>'Opzioni','Users'=>'Utenti','Menu items'=>'Voci di menu','Widgets'=>'Widget','Attachments'=>'Allegati','Taxonomies'=>'Tassonomie','Posts'=>'Articoli','Last updated: %s'=>'Ultimo aggiornamento: %s','Sorry, this post is unavailable for diff comparison.'=>'Questo articolo non è disponibile per un confronto di differenze.','Invalid field group parameter(s).'=>'Parametri del gruppo di campi non validi.','Awaiting save'=>'In attesa del salvataggio','Saved'=>'Salvato','Import'=>'Importa','Review changes'=>'Rivedi le modifiche','Located in: %s'=>'Situato in: %s','Located in plugin: %s'=>'Situato in plugin: %s','Located in theme: %s'=>'Situato in tema: %s','Various'=>'Varie','Sync changes'=>'Sincronizza modifiche','Loading diff'=>'Caricamento differenze','Review local JSON changes'=>'Verifica modifiche a JSON locale','Visit website'=>'Visita il sito web','View details'=>'Visualizza i dettagli','Version %s'=>'Versione %s','Information'=>'Informazioni','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Help Desk. I professionisti del nostro Help Desk ti assisteranno per problematiche tecniche.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussioni. Abbiamo una community attiva e accogliente nei nostri Community Forum che potrebbe aiutarti a capire come utilizzare al meglio ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentazione. La nostra estesa documentazione contiene riferimenti e guide per la maggior parte delle situazioni che potresti incontrare.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Siamo fissati con il supporto, e vogliamo che tu ottenga il meglio dal tuo sito web con ACF. Se incontri difficoltà, ci sono vari posti in cui puoi trovare aiuto:','Help & Support'=>'Aiuto e supporto','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Utilizza la scheda "Aiuto e supporto" per contattarci in caso di necessità di assistenza.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Prima di creare il tuo primo gruppo di campi, ti raccomandiamo di leggere la nostra guida Getting started per familiarizzare con la filosofia del plugin e le buone pratiche da adottare.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Il plugin Advanced Custom Fields fornisce un costruttore visuale di moduli per personalizzare le schermate di modifica di WordPress con campi aggiuntivi, ed un\'intuitiva API per la visualizzazione dei campi personalizzati in qualunque file di template di un tema.','Overview'=>'Panoramica','Location type "%s" is already registered.'=>'Il tipo di posizione "%s" è già registrato.','Class "%s" does not exist.'=>'La classe "%s" non esiste.','Invalid nonce.'=>'Nonce non valido.','Error loading field.'=>'Errore nel caricamento del campo.','Error: %s'=>'Errore: %s','Widget'=>'Widget','User Role'=>'Ruolo utente','Comment'=>'Commento','Post Format'=>'Formato dell\'articolo','Menu Item'=>'Voce del menu','Post Status'=>'Stato dell\'articolo','Menus'=>'Menu','Menu Locations'=>'Posizioni del menu','Menu'=>'Menu','Post Taxonomy'=>'Tassonomia dell\'articolo','Child Page (has parent)'=>'Pagina figlia (ha un genitore)','Parent Page (has children)'=>'Pagina genitore (ha figlie)','Top Level Page (no parent)'=>'Pagina di primo livello (non ha un genitore)','Posts Page'=>'Pagina degli articoli','Front Page'=>'Home page','Page Type'=>'Tipo di pagina','Viewing back end'=>'Visualizzando il backend','Viewing front end'=>'Visualizzando il frontend','Logged in'=>'Connesso','Current User'=>'Utente attuale','Page Template'=>'Template pagina','Register'=>'Registrati','Add / Edit'=>'Aggiungi / Modifica','User Form'=>'Modulo utente','Page Parent'=>'Pagina genitore','Super Admin'=>'Super admin','Current User Role'=>'Ruolo dell\'utente attuale','Default Template'=>'Template predefinito','Post Template'=>'Template articolo','Post Category'=>'Categoria dell\'articolo','All %s formats'=>'Tutti i formati di %s','Attachment'=>'Allegato','%s value is required'=>'Il valore %s è richiesto','Show this field if'=>'Mostra questo campo se','Conditional Logic'=>'Logica condizionale','and'=>'e','Local JSON'=>'JSON locale','Clone Field'=>'Campo clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controlla anche che tutti gli add-on premium (%s) siano aggiornati all\'ultima versione.','This version contains improvements to your database and requires an upgrade.'=>'Questa versione contiene miglioramenti al tuo database e richiede un aggiornamento.','Thank you for updating to %1$s v%2$s!'=>'Grazie per aver aggiornato a %1$s v%2$s!','Database Upgrade Required'=>'È necessario aggiornare il database','Options Page'=>'Pagina delle opzioni','Gallery'=>'Galleria','Flexible Content'=>'Contenuto flessibile','Repeater'=>'Ripetitore','Back to all tools'=>'Torna a tutti gli strumenti','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)'=>'Se più gruppi di campi appaiono su una schermata di modifica, verranno usate le opzioni del primo gruppo di campi usato (quello con il numero d\'ordine più basso)','Select items to hide them from the edit screen.'=>'Seleziona gli elementi per nasconderli dalla schermata di modifica.','Hide on screen'=>'Nascondi dalla schermata','Send Trackbacks'=>'Invia trackback','Tags'=>'Tag','Categories'=>'Categorie','Page Attributes'=>'Attributi della pagina','Format'=>'Formato','Author'=>'Autore','Slug'=>'Slug','Revisions'=>'Revisioni','Comments'=>'Commenti','Discussion'=>'Discussione','Excerpt'=>'Riassunto','Content Editor'=>'Editor del contenuto','Permalink'=>'Permalink','Shown in field group list'=>'Mostrato nell\'elenco dei gruppi di campi','Field groups with a lower order will appear first'=>'I gruppi di campi con un valore inferiore appariranno per primi','Order No.'=>'N. ordine','Below fields'=>'Sotto i campi','Below labels'=>'Sotto le etichette','Instruction Placement'=>'Posizione delle istruzioni','Label Placement'=>'Posizione etichetta','Side'=>'Di lato','Normal (after content)'=>'Normale (dopo il contenuto)','High (after title)'=>'In alto (dopo il titolo)','Position'=>'Posizione','Seamless (no metabox)'=>'Senza soluzione di continuità (senza metabox)','Standard (WP metabox)'=>'Standard (metabox WP)','Style'=>'Stile','Type'=>'Tipo','Key'=>'Chiave','Order'=>'Ordine','Close Field'=>'Chiudi campo','id'=>'id','class'=>'classe','width'=>'larghezza','Wrapper Attributes'=>'Attributi del contenitore','Required'=>'Necessario','Instructions'=>'Istruzioni','Field Type'=>'Tipo di campo','Single word, no spaces. Underscores and dashes allowed'=>'Singola parola, nessun spazio. Sottolineatura e trattini consentiti','Field Name'=>'Nome del campo','This is the name which will appear on the EDIT page'=>'Questo è il nome che sarà visualizzato nella pagina di modifica','Field Label'=>'Etichetta del campo','Delete'=>'Elimina','Delete field'=>'Elimina il campo','Move'=>'Sposta','Move field to another group'=>'Sposta il campo in un altro gruppo','Duplicate field'=>'Duplica il campo','Edit field'=>'Modifica il campo','Drag to reorder'=>'Trascina per riordinare','Show this field group if'=>'Mostra questo gruppo di campi se','No updates available.'=>'Nessun aggiornamento disponibile.','Database upgrade complete. See what\'s new'=>'Aggiornamento del database completato. Guarda le novità','Reading upgrade tasks...'=>'Lettura attività di aggiornamento...','Upgrade failed.'=>'Aggiornamento fallito.','Upgrade complete.'=>'Aggiornamento completato.','Upgrading data to version %s'=>'Aggiornamento dei dati alla versione %s in corso','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'È caldamente raccomandato eseguire il backup del tuo database prima di procedere. Desideri davvero eseguire il programma di aggiornamento ora?','Please select at least one site to upgrade.'=>'Seleziona almeno un sito da aggiornare.','Database Upgrade complete. Return to network dashboard'=>'Aggiornamento del database completato. Ritorna alla bacheca di rete','Site is up to date'=>'Il sito è aggiornato','Site requires database upgrade from %1$s to %2$s'=>'Il sito necessita di un aggiornamento del database dalla versione %1$s alla %2$s','Site'=>'Sito','Upgrade Sites'=>'Aggiorna i siti','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'I seguenti siti hanno necessità di un aggiornamento del DB. Controlla quelli che vuoi aggiornare e fai clic su %s.','Add rule group'=>'Aggiungi gruppo di regole','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crea un insieme di regole per determinare in quali schermate di modifica saranno usati i campi personalizzati avanzati','Rules'=>'Regole','Copied'=>'Copiato','Copy to clipboard'=>'Copia negli appunti','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleziona gli elementi che vorresti esportare e successivamente il metodo di esportazioni. "Esporta come JSON" per esportare il tutto in un file .json che potrai poi importare in un\'altra installazione di ACF. "Genera PHP" per esportare in codice PHP da poter inserire nel tuo tema.','Select Field Groups'=>'Seleziona gruppi di campi','No field groups selected'=>'Nessun gruppo di campi selezionato','Generate PHP'=>'Genera PHP','Export Field Groups'=>'Esporta gruppi di campi','Import file empty'=>'File di importazione vuoto','Incorrect file type'=>'Tipo di file non corretto','Error uploading file. Please try again'=>'Errore durante il caricamento del file. Riprova.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleziona il file JSON di Advanced Custom Fields che desideri importare. Quando farai clic sul pulsante di importazione sotto, ACF importerà gli elementi in quel file.','Import Field Groups'=>'Importa gruppi di campi','Sync'=>'Sincronizza','Select %s'=>'Seleziona %s','Duplicate'=>'Duplica','Duplicate this item'=>'Duplica questo elemento','Supports'=>'Supporta','Documentation'=>'Documentazione','Description'=>'Descrizione','Sync available'=>'Sincronizzazione disponibile','Field group synchronized.'=>'Gruppo di campi sincronizzato.' . "\0" . '%s gruppi di campi sincronizzati.','Field group duplicated.'=>'Gruppo di campi duplicato.' . "\0" . '%s gruppi di campi duplicati.','Active (%s)'=>'Attivo (%s)' . "\0" . 'Attivi (%s)','Review sites & upgrade'=>'Verifica i siti ed effettua l\'aggiornamento','Upgrade Database'=>'Aggiorna il database','Custom Fields'=>'Campi personalizzati','Move Field'=>'Sposta campo','Please select the destination for this field'=>'Seleziona la destinazione per questo campo','The %1$s field can now be found in the %2$s field group'=>'Il campo %1$s può essere trovato nel gruppo di campi %2$s','Move Complete.'=>'Spostamento completato.','Active'=>'Attivo','Field Keys'=>'Chiavi del campo','Settings'=>'Impostazioni','Location'=>'Posizione','Null'=>'Null','copy'=>'copia','(this field)'=>'(questo campo)','Checked'=>'Selezionato','Move Custom Field'=>'Sposta campo personalizzato','No toggle fields available'=>'Nessun campo attiva/disattiva disponibile','Field group title is required'=>'Il titolo del gruppo di campi è necessario','This field cannot be moved until its changes have been saved'=>'Questo campo non può essere spostato fino a quando non saranno state salvate le modifiche','The string "field_" may not be used at the start of a field name'=>'La stringa "field_" non può essere usata come inizio nel nome di un campo','Field group draft updated.'=>'Bozza del gruppo di campi aggiornata.','Field group scheduled for.'=>'Gruppo di campi programmato.','Field group submitted.'=>'Gruppo di campi inviato.','Field group saved.'=>'Gruppo di campi salvato.','Field group published.'=>'Gruppo di campi pubblicato.','Field group deleted.'=>'Gruppo di campi eliminato.','Field group updated.'=>'Gruppo di campi aggiornato.','Tools'=>'Strumenti','is not equal to'=>'non è uguale a','is equal to'=>'è uguale a','Forms'=>'Moduli','Page'=>'Pagina','Post'=>'Articolo','Relational'=>'Relazionale','Choice'=>'Scelta','Basic'=>'Base','Unknown'=>'Sconosciuto','Field type does not exist'=>'Il tipo di campo non esiste','Spam Detected'=>'Spam rilevato','Post updated'=>'Articolo aggiornato','Update'=>'Aggiorna','Validate Email'=>'Valida l\'email','Content'=>'Contenuto','Title'=>'Titolo','Edit field group'=>'Modifica gruppo di campi','Selection is less than'=>'La selezione è minore di','Selection is greater than'=>'La selezione è maggiore di','Value is less than'=>'Il valore è inferiore a','Value is greater than'=>'Il valore è maggiore di','Value contains'=>'Il valore contiene','Value matches pattern'=>'Il valore ha corrispondenza con il pattern','Value is not equal to'=>'Il valore non è uguale a','Value is equal to'=>'Il valore è uguale a','Has no value'=>'Non ha valori','Has any value'=>'Ha qualsiasi valore','Cancel'=>'Annulla','Are you sure?'=>'Confermi?','%d fields require attention'=>'%d campi necessitano attenzione','1 field requires attention'=>'1 campo richiede attenzione','Validation failed'=>'Validazione fallita','Validation successful'=>'Validazione avvenuta con successo','Restricted'=>'Limitato','Collapse Details'=>'Comprimi dettagli','Expand Details'=>'Espandi dettagli','Uploaded to this post'=>'Caricato in questo articolo','verbUpdate'=>'Aggiorna','verbEdit'=>'Modifica','The changes you made will be lost if you navigate away from this page'=>'Le modifiche effettuate verranno cancellate se esci da questa pagina','File type must be %s.'=>'La tipologia del file deve essere %s.','or'=>'oppure','File size must not exceed %s.'=>'La dimensione del file non deve superare %s.','File size must be at least %s.'=>'La dimensione del file deve essere di almeno %s.','Image height must not exceed %dpx.'=>'L\'altezza dell\'immagine non deve superare i %dpx.','Image height must be at least %dpx.'=>'L\'altezza dell\'immagine deve essere di almeno %dpx.','Image width must not exceed %dpx.'=>'La larghezza dell\'immagine non deve superare i %dpx.','Image width must be at least %dpx.'=>'La larghezza dell\'immagine deve essere di almeno %dpx.','(no title)'=>'(nessun titolo)','Full Size'=>'Dimensione originale','Large'=>'Grande','Medium'=>'Medio','Thumbnail'=>'Miniatura','(no label)'=>'(nessuna etichetta)','Sets the textarea height'=>'Imposta l\'altezza dell\'area di testo','Rows'=>'Righe','Text Area'=>'Area di testo','Prepend an extra checkbox to toggle all choices'=>'Anteponi un checkbox aggiuntivo per poter selezionare/deselzionare tutte le opzioni','Save \'custom\' values to the field\'s choices'=>'Salva i valori \'personalizzati\' per le scelte del campo','Allow \'custom\' values to be added'=>'Consenti l\'aggiunta di valori \'personalizzati\'','Add new choice'=>'Aggiungi nuova scelta','Toggle All'=>'Seleziona tutti','Allow Archives URLs'=>'Consenti URL degli archivi','Archives'=>'Archivi','Page Link'=>'Link pagina','Add'=>'Aggiungi','Name'=>'Nome','%s added'=>'%s aggiunti','%s already exists'=>'%s esiste già','User unable to add new %s'=>'L\'utente non può aggiungere %s','Term ID'=>'ID del termine','Term Object'=>'Oggetto termine','Load value from posts terms'=>'Carica valori dai termini dell\'articolo','Load Terms'=>'Carica termini','Connect selected terms to the post'=>'Collega i termini selezionati all\'articolo','Save Terms'=>'Salva i termini','Allow new terms to be created whilst editing'=>'Abilita la creazione di nuovi termini in fase di modifica','Create Terms'=>'Crea termini','Radio Buttons'=>'Pulsanti radio','Single Value'=>'Valore singolo','Multi Select'=>'Selezione multipla','Checkbox'=>'Checkbox','Multiple Values'=>'Valori multipli','Select the appearance of this field'=>'Seleziona l\'aspetto di questo campo','Appearance'=>'Aspetto','Select the taxonomy to be displayed'=>'Seleziona la tassonomia da visualizzare','No TermsNo %s'=>'Nessun %s','Value must be equal to or lower than %d'=>'Il valore deve essere uguale o inferiore a %d','Value must be equal to or higher than %d'=>'Il valore deve essere uguale o superiore a %d','Value must be a number'=>'Il valore deve essere un numero','Number'=>'Numero','Save \'other\' values to the field\'s choices'=>'Salvare gli \'altri\' valori nelle scelte del campo','Add \'other\' choice to allow for custom values'=>'Aggiungi scelta \'altro\' per consentire valori personalizzati','Other'=>'Altro','Radio Button'=>'Radio button','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definisce il punto di chiusura del precedente accordion. Questo accordion non sarà visibile.','Allow this accordion to open without closing others.'=>'Consenti a questo accordion di essere aperto senza chiudere gli altri.','Multi-Expand'=>'Espansione multipla','Display this accordion as open on page load.'=>'Mostra questo accordion aperto l caricamento della pagina.','Open'=>'Apri','Accordion'=>'Fisarmonica','Restrict which files can be uploaded'=>'Limita quali tipi di file possono essere caricati','File ID'=>'ID del file','File URL'=>'URL del file','File Array'=>'Array di file','Add File'=>'Aggiungi un file','No file selected'=>'Nessun file selezionato','File name'=>'Nome del file','Update File'=>'Aggiorna il file','Edit File'=>'Modifica il file','Select File'=>'Seleziona il file','File'=>'File','Password'=>'Password','Specify the value returned'=>'Specifica il valore restituito','Use AJAX to lazy load choices?'=>'Usa AJAX per il caricamento differito delle opzioni?','Enter each default value on a new line'=>'Inserisci ogni valore predefinito in una nuova riga','verbSelect'=>'Selezionare','Select2 JS load_failLoading failed'=>'Caricamento non riuscito','Select2 JS searchingSearching…'=>'Ricerca in corso…','Select2 JS load_moreLoading more results…'=>'Caricamento di altri risultati in corso…','Select2 JS selection_too_long_nYou can only select %d items'=>'Puoi selezionare solo %d elementi','Select2 JS selection_too_long_1You can only select 1 item'=>'Puoi selezionare solo 1 elemento','Select2 JS input_too_long_nPlease delete %d characters'=>'Elimina %d caratteri','Select2 JS input_too_long_1Please delete 1 character'=>'Elimina 1 carattere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Inserisci %d o più caratteri','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Inserisci 1 o più caratteri','Select2 JS matches_0No matches found'=>'Nessuna corrispondenza trovata','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d risultati disponibili, usa i tasti freccia su e giù per scorrere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Un risultato disponibile. Premi Invio per selezionarlo.','nounSelect'=>'Selezione','User ID'=>'ID dell\'utente','User Object'=>'Oggetto utente','User Array'=>'Array di utenti','All user roles'=>'Tutti i ruoli utente','Filter by Role'=>'Filtra per ruolo','User'=>'Utente','Separator'=>'Separatore','Select Color'=>'Seleziona il colore','Default'=>'Predefinito','Clear'=>'Rimuovi','Color Picker'=>'Selettore colore','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleziona','Date Time Picker JS closeTextDone'=>'Fatto','Date Time Picker JS currentTextNow'=>'Adesso','Date Time Picker JS timezoneTextTime Zone'=>'Fuso orario','Date Time Picker JS microsecTextMicrosecond'=>'Microsecondo','Date Time Picker JS millisecTextMillisecond'=>'Millisecondo','Date Time Picker JS secondTextSecond'=>'Secondo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Ora','Date Time Picker JS timeTextTime'=>'Orario','Date Time Picker JS timeOnlyTitleChoose Time'=>'Scegli l\'orario','Date Time Picker'=>'Selettore data/ora','Endpoint'=>'Endpoint','Left aligned'=>'Allineato a sinistra','Top aligned'=>'Allineato in alto','Placement'=>'Posizionamento','Tab'=>'Scheda','Value must be a valid URL'=>'Il valore deve essere un URL valido','Link URL'=>'URL del link','Link Array'=>'Array di link','Opens in a new window/tab'=>'Apri in una nuova scheda/finestra','Select Link'=>'Seleziona il link','Link'=>'Link','Email'=>'Email','Step Size'=>'Dimensione step','Maximum Value'=>'Valore massimo','Minimum Value'=>'Valore minimo','Range'=>'Intervallo','Both (Array)'=>'Entrambi (Array)','Label'=>'Etichetta','Value'=>'Valore','Vertical'=>'Verticale','Horizontal'=>'Orizzontale','red : Red'=>'rosso : Rosso','For more control, you may specify both a value and label like this:'=>'Per un maggiore controllo, puoi specificare sia un valore che un\'etichetta in questo modo:','Enter each choice on a new line.'=>'Inserisci ogni scelta su una nuova linea.','Choices'=>'Scelte','Button Group'=>'Gruppo di pulsanti','Allow Null'=>'Consenti valore nullo','Parent'=>'Genitore','TinyMCE will not be initialized until field is clicked'=>'TinyMCE non sarà inizializzato fino a quando non verrà fatto clic sul campo','Delay Initialization'=>'Ritarda inizializzazione','Show Media Upload Buttons'=>'Mostra pulsanti per il caricamento di media','Toolbar'=>'Barra degli strumenti','Text Only'=>'Solo testo','Visual Only'=>'Solo visuale','Visual & Text'=>'Visuale e testo','Tabs'=>'Schede','Click to initialize TinyMCE'=>'Fare clic per inizializzare TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Testo','Visual'=>'Visuale','Value must not exceed %d characters'=>'Il valore non può superare i %d caratteri','Leave blank for no limit'=>'Lasciare vuoto per nessun limite','Character Limit'=>'Limite di caratteri','Appears after the input'=>'Appare dopo il campo di input','Append'=>'Postponi','Appears before the input'=>'Appare prima del campo di input','Prepend'=>'Anteponi','Appears within the input'=>'Appare all\'interno del campo di input','Placeholder Text'=>'Testo segnaposto','Appears when creating a new post'=>'Appare quando si crea un nuovo articolo','Text'=>'Testo','%1$s requires at least %2$s selection'=>'%1$s richiede la selezione di almeno %2$s elemento' . "\0" . '%1$s richiede la selezione di almeno %2$s elementi','Post ID'=>'ID dell\'articolo','Post Object'=>'Oggetto articolo','Maximum Posts'=>'Numero massimo di articoli','Minimum Posts'=>'Numero minimo di articoli','Featured Image'=>'Immagine in evidenza','Selected elements will be displayed in each result'=>'Gli elementi selezionati saranno visualizzati in ogni risultato','Elements'=>'Elementi','Taxonomy'=>'Tassonomia','Post Type'=>'Post type','Filters'=>'Filtri','All taxonomies'=>'Tutte le tassonomie','Filter by Taxonomy'=>'Filtra per tassonomia','All post types'=>'Tutti i tipi di articolo','Filter by Post Type'=>'Filtra per tipo di articolo','Search...'=>'Cerca...','Select taxonomy'=>'Seleziona tassonomia','Select post type'=>'Seleziona tipo di articolo','No matches found'=>'Nessuna corrispondenza trovata','Loading'=>'Caricamento in corso...','Maximum values reached ( {max} values )'=>'Numero massimo di valori raggiunto ( {max} valori )','Relationship'=>'Relazione','Comma separated list. Leave blank for all types'=>'Lista con valori separati da virgole. Lascia vuoto per tutti i tipi','Allowed File Types'=>'Tipi di file consentiti','Maximum'=>'Massimo','File size'=>'Dimensioni del file','Restrict which images can be uploaded'=>'Limita quali immagini possono essere caricate','Minimum'=>'Minimo','Uploaded to post'=>'Caricato nell\'articolo','All'=>'Tutti','Limit the media library choice'=>'Limitare la scelta dalla libreria media','Library'=>'Libreria','Preview Size'=>'Dimensioni dell\'anteprima','Image ID'=>'ID dell\'immagine','Image URL'=>'URL dell\'immagine','Image Array'=>'Array di immagini','Specify the returned value on front end'=>'Specificare il valore restituito sul front-end','Return Value'=>'Valore di ritorno','Add Image'=>'Aggiungi un\'immagine','No image selected'=>'Nessuna immagine selezionata','Remove'=>'Rimuovi','Edit'=>'Modifica','All images'=>'Tutte le immagini','Update Image'=>'Aggiorna l\'immagine','Edit Image'=>'Modifica l\'immagine','Select Image'=>'Seleziona un\'immagine','Image'=>'Immagine','Allow HTML markup to display as visible text instead of rendering'=>'Consenti al markup HTML di essere visualizzato come testo visibile anziché essere processato','Escape HTML'=>'Effettua escape HTML','No Formatting'=>'Nessuna formattazione','Automatically add <br>'=>'Aggiungi automaticamente <br>','Automatically add paragraphs'=>'Aggiungi automaticamente paragrafi','Controls how new lines are rendered'=>'Controlla come sono rese le nuove righe','New Lines'=>'Nuove righe','Week Starts On'=>'La settimana comincia di','The format used when saving a value'=>'Il formato utilizzato durante il salvataggio di un valore','Save Format'=>'Formato di salvataggio','Date Picker JS weekHeaderWk'=>'Sett','Date Picker JS prevTextPrev'=>'Prec','Date Picker JS nextTextNext'=>'Succ','Date Picker JS currentTextToday'=>'Oggi','Date Picker JS closeTextDone'=>'Fatto','Date Picker'=>'Selettore data','Width'=>'Larghezza','Embed Size'=>'Dimensione oggetto incorporato','Enter URL'=>'Inserisci URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Testo mostrato quando inattivo','Off Text'=>'Testo Off','Text shown when active'=>'Testo visualizzato quando attivo','On Text'=>'Testo On','Stylized UI'=>'Interfaccia Utente stilizzata','Default Value'=>'Valore predefinito','Displays text alongside the checkbox'=>'Visualizza il testo accanto al checkbox','Message'=>'Messaggio','No'=>'No','Yes'=>'Sì','True / False'=>'Vero / Falso','Row'=>'Riga','Table'=>'Tabella','Block'=>'Blocco','Specify the style used to render the selected fields'=>'Specifica lo stile utilizzato per la visualizzazione dei campi selezionati','Layout'=>'Layout','Sub Fields'=>'Sottocampi','Group'=>'Gruppo','Customize the map height'=>'Personalizza l\'altezza della mappa','Height'=>'Altezza','Set the initial zoom level'=>'Imposta il livello iniziale dello zoom','Zoom'=>'Zoom','Center the initial map'=>'Centra la mappa iniziale','Center'=>'Centro','Search for address...'=>'Cerca per indirizzo...','Find current location'=>'Trova posizione corrente','Clear location'=>'Rimuovi posizione','Search'=>'Cerca','Sorry, this browser does not support geolocation'=>'Purtroppo questo browser non supporta la geolocalizzazione','Google Map'=>'Google Map','The format returned via template functions'=>'Il formato restituito tramite funzioni template','Return Format'=>'Formato di ritorno','Custom:'=>'Personalizzato:','The format displayed when editing a post'=>'Il formato visualizzato durante la modifica di un articolo','Display Format'=>'Formato di visualizzazione','Time Picker'=>'Selettore orario','Inactive (%s)'=>'Non attivo (%s)' . "\0" . 'Non attivi (%s)','No Fields found in Trash'=>'Nessun campo trovato nel Cestino','No Fields found'=>'Nessun campo trovato','Search Fields'=>'Cerca campi','View Field'=>'Visualizza campo','New Field'=>'Nuovo campo','Edit Field'=>'Modifica campo','Add New Field'=>'Aggiungi nuovo campo','Field'=>'Campo','Fields'=>'Campi','No Field Groups found in Trash'=>'Nessun gruppo di campi trovato nel cestino','No Field Groups found'=>'Nessun gruppo di campi trovato','Search Field Groups'=>'Cerca gruppo di campi','View Field Group'=>'Visualizza gruppo di campi','New Field Group'=>'Nuovo gruppo di campi','Edit Field Group'=>'Modifica gruppo di campi','Add New Field Group'=>'Aggiungi nuovo gruppo di campi','Add New'=>'Aggiungi nuovo','Field Group'=>'Gruppo di campi','Field Groups'=>'Gruppi di campi','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalizza WordPress con campi potenti, professionali e intuitivi.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Opzioni Aggiornate','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'Ricontrollare','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'Pubblica','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nessun Field Group personalizzato trovato in questa Pagina Opzioni. Crea un Field Group personalizzato','Error. Could not connect to update server'=>'Errore.Impossibile connettersi al server di aggiornamento','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Selezionare uno o più campi che si desidera clonare','Display'=>'Visualizza','Specify the style used to render the clone field'=>'Specificare lo stile utilizzato per il rendering del campo clona','Group (displays selected fields in a group within this field)'=>'Gruppo (Visualizza campi selezionati in un gruppo all\'interno di questo campo)','Seamless (replaces this field with selected fields)'=>'Senza interruzione (sostituisce questo campo con i campi selezionati)','Labels will be displayed as %s'=>'Etichette verranno visualizzate come %s','Prefix Field Labels'=>'Prefisso Etichetta Campo','Values will be saved as %s'=>'I valori verranno salvati come %s','Prefix Field Names'=>'Prefisso Nomi Campo','Unknown field'=>'Campo sconosciuto','Unknown field group'=>'Field Group sconosciuto','All fields from %s field group'=>'Tutti i campi dal %s field group','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Aggiungi Riga','layout'=>'layout' . "\0" . 'layout','layouts'=>'layout','This field requires at least {min} {label} {identifier}'=>'Questo campo richiede almeno {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponibile (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} richiesto (min {min})','Flexible Content requires at least 1 layout'=>'Flexible Content richiede almeno 1 layout','Click the "%s" button below to start creating your layout'=>'Clicca il bottone "%s" qui sotto per iniziare a creare il layout','Add layout'=>'Aggiungi Layout','Duplicate layout'=>'','Remove layout'=>'Rimuovi Layout','Click to toggle'=>'Clicca per alternare','Delete Layout'=>'Cancella Layout','Duplicate Layout'=>'Duplica Layout','Add New Layout'=>'Aggiungi Nuovo Layout','Add Layout'=>'Aggiungi Layout','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Layout Minimi','Maximum Layouts'=>'Layout Massimi','Button Label'=>'Etichetta Bottone','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Aggiungi Immagine alla Galleria','Maximum selection reached'=>'Selezione massima raggiunta','Length'=>'Lunghezza','Caption'=>'Didascalia','Alt Text'=>'Testo Alt','Add to gallery'=>'Aggiungi a Galleria','Bulk actions'=>'Azioni in blocco','Sort by date uploaded'=>'Ordina per aggiornamento data','Sort by date modified'=>'Ordina per data modifica','Sort by title'=>'Ordina per titolo','Reverse current order'=>'Ordine corrente inversa','Close'=>'Chiudi','Minimum Selection'=>'Seleziona Minima','Maximum Selection'=>'Seleziona Massima','Allowed file types'=>'Tipologie File permesse','Insert'=>'Inserisci','Specify where new attachments are added'=>'Specificare dove vengono aggiunti nuovi allegati','Append to the end'=>'Aggiungere alla fine','Prepend to the beginning'=>'Anteporre all\'inizio','Minimum rows not reached ({min} rows)'=>'Righe minime raggiunte ({min} righe)','Maximum rows reached ({max} rows)'=>'Righe massime raggiunte ({max} righe)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Righe Minime','Maximum Rows'=>'Righe Massime','Collapsed'=>'Collassata','Select a sub field to show when row is collapsed'=>'Selezionare un campo secondario da visualizzare quando la riga è collassata','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Trascinare per riordinare','Add row'=>'Aggiungi riga','Duplicate row'=>'','Remove row'=>'Rimuovi riga','Current Page'=>'','First Page'=>'Pagina Principale','Previous Page'=>'Pagina Post','paging%1$s of %2$s'=>'','Next Page'=>'Pagina Principale','Last Page'=>'Pagina Post','No block types exist'=>'','No options pages exist'=>'Nessuna Pagina Opzioni esistente','Deactivate License'=>'Disattivare Licenza','Activate License'=>'Attiva Licenza','License Information'=>'Informazioni Licenza','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 Dettagli e prezzi.','License Key'=>'Chiave di licenza','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'Informazioni di aggiornamento','Current Version'=>'Versione corrente','Latest Version'=>'Ultima versione','Update Available'=>'Aggiornamento Disponibile','Upgrade Notice'=>'Avviso di Aggiornamento','Check For Updates'=>'','Enter your license key to unlock updates'=>'Inserisci il tuo codice di licenza per sbloccare gli aggiornamenti','Update Plugin'=>'Aggiorna Plugin','Please reactivate your license to unlock updates'=>''],'language'=>'it_IT','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-it_IT.mo b/lang/acf-it_IT.mo
index adfc7ca..c8d9161 100644
Binary files a/lang/acf-it_IT.mo and b/lang/acf-it_IT.mo differ
diff --git a/lang/acf-it_IT.po b/lang/acf-it_IT.po
index 1783903..e56203d 100644
--- a/lang/acf-it_IT.po
+++ b/lang/acf-it_IT.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: it_IT\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Aggiorna fonte"
@@ -69,14 +91,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF non ha potuto effettuare la validazione a causa del fatto che è stato "
-"fornito un nonce di sicurezza non valido."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Permetti l'accesso al valore nell'interfaccia utente dell'editor"
@@ -2076,21 +2090,21 @@ msgstr "Aggiungi campi"
msgid "This Field"
msgstr "Questo campo"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Supporto"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "è sviluppato e manutenuto da"
@@ -2726,7 +2740,7 @@ msgstr "Post type non valido selezionato per la revisione."
#: includes/admin/views/global/navigation.php:189
msgid "More"
-msgstr "Altri"
+msgstr "Altro"
#: includes/admin/views/browse-fields-modal.php:96
msgid "Tutorial"
@@ -4690,7 +4704,7 @@ msgstr ""
"Importa post type e tassonomie registrate con Custom Post Type UI e "
"gestiscile con ACF. Inizia qui."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -5023,7 +5037,7 @@ msgstr "Attiva questo elemento"
msgid "Move field group to trash?"
msgstr "Spostare il gruppo di campi nel cestino?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -5036,7 +5050,7 @@ msgstr "Inattivo"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5045,7 +5059,7 @@ msgstr ""
"attivi contemporaneamente. Abbiamo automaticamente disattivato Advanced "
"Custom Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5496,7 +5510,7 @@ msgstr "Tutti i formati di %s"
msgid "Attachment"
msgstr "Allegato"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "Il valore %s è richiesto"
@@ -5993,7 +6007,7 @@ msgstr "Duplica questo elemento"
msgid "Supports"
msgstr "Supporta"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentazione"
@@ -6293,8 +6307,8 @@ msgstr "%d campi necessitano attenzione"
msgid "1 field requires attention"
msgstr "1 campo richiede attenzione"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validazione fallita"
@@ -7677,90 +7691,90 @@ msgid "Time Picker"
msgstr "Selettore orario"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Non attivo (%s)"
msgstr[1] "Non attivi (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Nessun campo trovato nel Cestino"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Nessun campo trovato"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Cerca campi"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Visualizza campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nuovo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Modifica campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Aggiungi nuovo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campi"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Nessun gruppo di campi trovato nel cestino"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Nessun gruppo di campi trovato"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Cerca gruppo di campi"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Visualizza gruppo di campi"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nuovo gruppo di campi"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Modifica gruppo di campi"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Aggiungi nuovo gruppo di campi"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Aggiungi nuovo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Gruppo di campi"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-ja.l10n.php b/lang/acf-ja.l10n.php
index b23977d..85100ba 100644
--- a/lang/acf-ja.l10n.php
+++ b/lang/acf-ja.l10n.php
@@ -1,4 +1,4 @@
NULL,'plural-forms'=>NULL,'language'=>'ja','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['By default only admin users can edit this setting.'=>'デフォルトでは管理者ユーザーのみがこの設定を編集できます。','By default only super admin users can edit this setting.'=>'デフォルトでは特権管理者ユーザーのみがこの設定を編集できます。','[The ACF shortcode is disabled on this site]'=>'[ACFショートコードはこのサイトでは無効化されています]','Businessman Icon'=>'ビジネスマンアイコン','Forums Icon'=>'フォーラムアイコン','YouTube Icon'=>'YouTube アイコン','Xing Icon'=>'Xing アイコン','WordPress (alt) Icon'=>'WordPress (alt) アイコン','WhatsApp Icon'=>'WhatsApp アイコン','Widgets Menus Icon'=>'ウィジェットメニューアイコン','View Site Icon'=>'サイト表示アイコン','Learn More Icon'=>'詳細アイコン','Add Page Icon'=>'ページ追加アイコン','Video (alt3) Icon'=>'動画 (alt3) アイコン','Video (alt2) Icon'=>'動画 (alt2) アイコン','Video (alt) Icon'=>'動画 (alt) アイコン','Twitter (alt) Icon'=>'Twitter (alt) アイコン','Tickets (alt) Icon'=>'チケット (alt) アイコン','Text Page Icon'=>'テキストページアイコン','Spotify Icon'=>'Spotify アイコン','Shortcode Icon'=>'ショートコードアイコン','Saved Icon'=>'保存アイコン','RSS Icon'=>'RSS アイコン','REST API Icon'=>'REST API アイコン','Remove Icon'=>'削除アイコン','Reddit Icon'=>'Reddit アイコン','Privacy Icon'=>'プライバシーアイコン','Printer Icon'=>'プリンターアイコン','Podio Icon'=>'Podioアイコン','Plus (alt) Icon'=>'プラス (alt) アイコン','Pinterest Icon'=>'Pinterest アイコン','Pets Icon'=>'ペットアイコン','PDF Icon'=>'PDF アイコン','Palm Tree Icon'=>'ヤシの木アイコン','Spreadsheet Icon'=>'スプレッドシート アイコン','Interactive Icon'=>'対話アイコン','Document Icon'=>'ドキュメントアイコン','Default Icon'=>'デフォルトアイコン','Location (alt) Icon'=>'ロケーション (alt) アイコン','LinkedIn Icon'=>'LinkedIn アイコン','Instagram Icon'=>'Instagram アイコン','Rotate Left Icon'=>'左回転アイコン','Flip Horizontal Icon'=>'水平に反転アイコン','Crop Icon'=>'切り抜きアイコン','ID (alt) Icon'=>'ID (alt) アイコン','HTML Icon'=>'HTML アイコン','Hourglass Icon'=>'砂時計アイコン','Heading Icon'=>'見出しアイコン','Google Icon'=>'Google アイコン','Status Icon'=>'ステータスアイコン','Image Icon'=>'画像アイコン','Gallery Icon'=>'ギャラリーアイコン','Chat Icon'=>'チャットアイコン','Audio Icon'=>'オーディオアイコン','bbPress Icon'=>'BbPress アイコン','Block Default Icon'=>'ブロックデフォルトアイコン','Align Pull Right Icon'=>'右揃えアイコン','Align Pull Left Icon'=>'左揃えアイコン','Invalid request args.'=>'無効なリクエストです。','Sorry, you do not have permission to do that.'=>'その操作を行う権限がありません。','Blocks Using Post Meta'=>'投稿メタを使用したブロック','ACF PRO logo'=>'ACF PRO ロゴ','The value of icon to save.'=>'保存するアイコンの値。','The type of icon to save.'=>'保存するアイコンのタイプ。','Yes Icon'=>'承認アイコン','WordPress Icon'=>'WordPress アイコン','Translation Icon'=>'翻訳アイコン','Microphone Icon'=>'マイクアイコン','Marker Icon'=>'マーカーアイコン','Lock Icon'=>'ロックアイコン','Location Icon'=>'ロケーションアイコン','Lightbulb Icon'=>'電球アイコン','Layout Icon'=>'レイアウトアイコン','Laptop Icon'=>'ラップトップアイコン','Info Icon'=>'情報アイコン','ID Icon'=>'IDアイコン','Hidden Icon'=>'非表示アイコン','Heart Icon'=>'ハートアイコン','Hammer Icon'=>'ハンマーアイコン','Groups Icon'=>'グループアイコン','Grid View Icon'=>'グリッドビューアイコン','Forms Icon'=>'フォームアイコン','Flag Icon'=>'旗アイコン','Filter Icon'=>'フィルターアイコン','Feedback Icon'=>'フィードバックアイコン','Facebook Icon'=>'Facebook アイコン','External Icon'=>'外部アイコン','Email Icon'=>'メールアイコン','Video Icon'=>'動画アイコン','Unlink Icon'=>'リンク解除アイコン','Underline Icon'=>'下線アイコン','Text Color Icon'=>'文字の色アイコン','Table Icon'=>'テーブルアイコン','Strikethrough Icon'=>'打ち消しアイコン','Spellcheck Icon'=>'スペルチェックアイコン','Quote Icon'=>'引用アイコン','Paste Text Icon'=>'テキスト貼り付けアイコン','Paragraph Icon'=>'段落アイコン','Outdent Icon'=>'アウトデントアイコン','Italic Icon'=>'イタリックアイコン','Insert More Icon'=>'挿入アイコン','Indent Icon'=>'インデントアイコン','Help Icon'=>'ヘルプアイコン','Code Icon'=>'コードアイコン','Break Icon'=>'改行アイコン','Bold Icon'=>'太字アイコン','Edit Icon'=>'編集アイコン','Download Icon'=>'ダウンロードアイコン','Dismiss Icon'=>'閉じるアイコン','Desktop Icon'=>'デスクトップアイコン','Dashboard Icon'=>'ダッシュボードアイコン','Carrot Icon'=>'にんじんアイコン','Post Icon'=>'投稿アイコン','Registered Post Types (JSON)'=>'登録された投稿タイプ (JSON)','Term is equal to'=>'タームが一致する','Has no user selected'=>'ユーザーが選択されていません','User is not equal to'=>'ユーザーが一致しない','Post is equal to'=>'投稿が以下に等しい場合','ACF PRO Feature'=>'ACF PRO 機能','Please contact your site administrator or developer for more details.'=>'詳細については、サイト管理者または開発者にお問い合わせください。','Learn more'=>'さらに詳しく','Hide details'=>'詳細を隠す','Show details'=>'詳細を表示','Renew ACF PRO License'=>'ACF プロ版を更新する','Renew License'=>'ライセンスを更新','Manage License'=>'ライセンスの管理','\'High\' position not supported in the Block Editor'=>'位置「高」はブロックエディタ―ではサポートされていません','Upgrade to ACF PRO'=>'ACF プロ版へアップグレード','Add Options Page'=>'オプションページを追加','In the editor used as the placeholder of the title.'=>'タイトルのプレースホルダーとして使用されます。','Title Placeholder'=>'タイトルプレースホルダー','4 Months Free'=>'4ヶ月無料','(Duplicated from %s)'=>'( %s からの複製)','Select Options Pages'=>'オプションページを選択','Duplicate taxonomy'=>'タクソノミーを複製','Create taxonomy'=>'タクソノミーを作成','Duplicate post type'=>'投稿タイプを複製','Create post type'=>'投稿タイプを作成','Link field groups'=>'フィールドグループ','Add fields'=>'フィールドを追加','This Field'=>'このフィールド','ACF PRO'=>'ACF PRO','Feedback'=>'フィードバック','Support'=>'サポート','is developed and maintained by'=>'によって開発され、維持されている','Add this %s to the location rules of the selected field groups.'=>'%s を選択したフィールドグループのロケーションルールに追加します。','Target Field'=>'ターゲットフィールド','Bidirectional'=>'双方向','%s Field'=>'%s フィールド','Select Multiple'=>'複数選択','WP Engine logo'=>'WP Engine ロゴ','Lower case letters, underscores and dashes only, Max 32 characters.'=>'小文字、アンダースコア、ダッシュのみ、最大32文字','The capability name for assigning terms of this taxonomy.'=>'投稿などでこのタクソノミーのタームを設定するための権限','Assign Terms Capability'=>'ターム割り当て','The capability name for deleting terms of this taxonomy.'=>'このタクソノミーのタームを削除するための権限','Delete Terms Capability'=>'ターム削除機能','The capability name for editing terms of this taxonomy.'=>'このタクソノミーのタームを編集するための権限','Edit Terms Capability'=>'ターム編集機能','The capability name for managing terms of this taxonomy.'=>'このタクソノミーの管理画面へのアクセスを許可する権限','Manage Terms Capability'=>'ターム管理機能','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'サイト内検索やタクソノミーアーカイブから投稿を除外するかどうかを設定。','More Tools from WP Engine'=>'WP Engine 他のツール','Built for those that build with WordPress, by the team at %s'=>'%s のチームによって、WordPressで構築する人々のために構築された','View Pricing & Upgrade'=>'価格とアップグレードを見る','Learn More'=>'さらに詳しく','%s fields'=>'%s フィールド','No terms'=>'タームはありません','No post types'=>'投稿タイプはありません','No posts'=>'投稿はありません','No taxonomies'=>'タクソノミーはありません','No field groups'=>'フィールドグループはありません','No fields'=>'フィールドはありません','No description'=>'説明はありません','Any post status'=>'すべての投稿ステータス','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'このタクソノミーのキーはすでに ACF の他のタクソノミーで使用されているので使用できません。','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'タクソノミーのキーは小文字の英数字、アンダースコア、またはダッシュのみが含まれます。','The taxonomy key must be under 32 characters.'=>'タクソノミーのキーは32字以内にする必要があります。','No Taxonomies found in Trash'=>'ゴミ箱内にタクソノミーが見つかりませんでした。','No Taxonomies found'=>'タクソノミーが見つかりません','Search Taxonomies'=>'タクソノミーを検索','View Taxonomy'=>'タクソノミーを表示','New Taxonomy'=>'新規タクソノミー','Edit Taxonomy'=>'タクソノミーを編集','Add New Taxonomy'=>'新規タクソノミーを追加','No Post Types found in Trash'=>'ゴミ箱内に投稿タイプが見つかりませんでした。','No Post Types found'=>'投稿タイプが見つかりません。','Search Post Types'=>'投稿タイプを検索','View Post Type'=>'投稿タイプを表示','New Post Type'=>'新規投稿タイプ','Edit Post Type'=>'投稿タイプを編集','Add New Post Type'=>'新規投稿タイプを追加','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'この投稿タイプキーは、ACF の外側で登録された別の投稿タイプによってすでに使用されているため、使用できません。','This post type key is already in use by another post type in ACF and cannot be used.'=>'この投稿タイプキーは、ACF の別の投稿タイプによってすでに使用されているため、使用できません。','The post type key must be under 20 characters.'=>'投稿タイプのキーは20字以内にする必要があります。','We do not recommend using this field in ACF Blocks.'=>'このフィールドの ACF ブロックでの使用は推奨されません。','WYSIWYG Editor'=>'リッチ エディター (WYSIWYG)','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'データオブジェクト間のリレーションシップを作成するために使用できる、1人または複数のユーザーを選択できます。','A text input specifically designed for storing web addresses.'=>'ウェブアドレスを保存するために特別に設計されたテキスト入力。','URL'=>'URL','A basic textarea input for storing paragraphs of text.'=>'テキストの段落を保存するための標準的な入力テキストエリア。','A basic text input, useful for storing single string values.'=>'基本的なテキスト入力で、単一の文字列値を格納するのに便利です。','Filter by Post Status'=>'投稿ステータスで絞り込む','An input limited to numerical values.'=>'数値のみの入力','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'データと編集画面をよりよく整理するために、フィールドをグループに構造化する方法を提供します。','A text input specifically designed for storing email addresses.'=>'メールアドレスを保存するために特別に設計されたテキスト入力。','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'ユーザーが1つ、または指定した複数の値を選択できるチェックボックス入力のグループ。','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'あなたが指定した値を持つボタンのグループ、ユーザーは提供された値から1つのオプションを選択することができます。','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'コンテンツの編集中に表示される折りたたみ可能なパネルに、カスタムフィールドをグループ化して整理することができます。大規模なデータセットを整理整頓するのに便利です。','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'これは、スライド、チームメンバー、行動喚起表示などのコンテンツを繰り返し表示するためのソリューションで、繰り返し表示できる一連のサブフィールドの親として機能します。','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'これは、添付ファイルのコレクションを管理するためのインタラクティブなインターフェイスを提供します。ほとんどの設定は画像フィールドタイプと似ています。追加設定では、ギャラリーで新しい添付ファイルを追加する場所と、許可される添付ファイルの最小/最大数を指定できます。','nounClone'=>'複製','PRO'=>'PRO','Advanced'=>'高度','JSON (newer)'=>'JSON (新しい)','Original'=>'オリジナル','Invalid post ID.'=>'無効な投稿 ID です。','Invalid post type selected for review.'=>'レビューには無効な投稿タイプが選択されています。','More'=>'詳細','Tutorial'=>'チュートリアル','Select Field'=>'フィールド選択','Popular fields'=>'よく使うフィールド','No search results for \'%s\''=>'「%s」に合う検索結果はありません','Search fields...'=>'フィールドを検索...','Select Field Type'=>'フィールドタイプを選択する','Popular'=>'人気','Add Taxonomy'=>'タクソノミーを追加','Add Your First Taxonomy'=>'最初のタクソノミーを追加','genre'=>'ジャンル','Genre'=>'ジャンル','Genres'=>'ジャンル','Expose this post type in the REST API.'=>'この投稿タイプをREST APIで公開する。','Customize the query variable name'=>'クエリ変数名をカスタマイズ','Parent-child terms in URLs for hierarchical taxonomies.'=>'このタクソノミーが親子関係を持つかどうか。','Customize the slug used in the URL'=>'URLに使用されるスラッグをカスタマイズする','Permalinks for this taxonomy are disabled.'=>'このタクソノミーのパーマリンクは無効です。','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'タクソノミーのキーをスラッグとして使用してURLを書き換えます。パーマリンク構造は次のようになります','Taxonomy Key'=>'タクソノミーキー','Select the type of permalink to use for this taxonomy.'=>'このタクソノミーに使用するパーマリンクのタイプを選択します。','Display a column for the taxonomy on post type listing screens.'=>'投稿タイプの一覧画面にタクソノミーの項目を表示します。','Show Admin Column'=>'管理画面でカラムを表示','Show the taxonomy in the quick/bulk edit panel.'=>'タクソノミーをクイック/一括編集パネルで表示','Quick Edit'=>'クイック編集','List the taxonomy in the Tag Cloud Widget controls.'=>'タグクラウドウィジェットにタクソノミーを表示','Tag Cloud'=>'タグクラウド','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'メタボックスから保存されたタクソノミーデータをサニタイズするために呼び出されるPHP関数名。','Meta Box Sanitization Callback'=>'メタボックスのサニタイズコールバック','No Meta Box'=>'メタボックスなし','Custom Meta Box'=>'カスタムメタボックス','Meta Box'=>'メタボックス','Tags Meta Box'=>'タグメタボックス','A link to a tag'=>'タグへのリンク','A link to a %s'=>'%s へのリンク','Tag Link'=>'タグリンク','← Go to tags'=>'← タグへ戻る','Back To Items'=>'項目に戻る','← Go to %s'=>'← %s へ戻る','Tags list'=>'タグ一覧','Assigns text to the table hidden heading.'=>'テーブルの非表示見出しにテキストを割り当てます。','Tags list navigation'=>'タグリストナビゲーション','Assigns text to the table pagination hidden heading.'=>'テーブルのページ送りの非表示見出しにテキストを割り当てます。','Filter by category'=>'カテゴリーで絞り込む','Filter By Item'=>'アイテムをフィルタリング','Filter by %s'=>'%s で絞り込む','Description Field Description'=>'フィールドディスクリプションの説明','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'階層化するには親のタームを指定します。たとえば「ジャズ」というタームを「ビバップ」や「ビッグバンド」の親として指定します。','Describes the Parent field on the Edit Tags screen.'=>'タグの編集画面の親フィールドの説明文です。','Parent Field Description'=>'親フィールドの説明','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'「スラッグ」は、URL に適した形式の名前です。通常はすべて小文字で、文字、数字、ハイフンのみが使用されます。','No tags'=>'タグなし','No Terms'=>'項目はありません','No %s'=>'No %s','No tags found'=>'タグが見つかりませんでした','Not Found'=>'見つかりません','Most Used'=>'最も使われている','Choose From Most Used'=>'よく使うものから選択','Choose from the most used %s'=>'最もよく使われている%sから選択','Add or remove tags'=>'タグの追加もしくは削除','Add Or Remove Items'=>'項目の追加または削除','Add or remove %s'=>'%s を追加または削除する','Separate tags with commas'=>'タグはコンマで区切ってください','Separate Items With Commas'=>'項目が複数ある場合はコンマで区切ってください','Separate %s with commas'=>'%s が複数ある場合はコンマで区切る','Popular Tags'=>'人気のタグ','Popular Items'=>'よく使う項目','Popular %s'=>'人気の %s','Search Tags'=>'タグを検索','Assigns search items text.'=>'検索項目のテキストを割り当てます。','Parent Category:'=>'親カテゴリー:','Parent Category'=>'親カテゴリー','Parent Item'=>'親項目','Parent %s'=>'親 %s','New Tag Name'=>'新規タグ名','New Item Name'=>'新規項目名','New %s Name'=>'新規 %s 名','Add New Tag'=>'新規タグを追加','Update Tag'=>'タグを更新','Update Item'=>'アイテムを更新','Update %s'=>'%s を更新','View Tag'=>'タグを表示','Edit Tag'=>'タグを編集','All Tags'=>'すべての タグ','Assigns the all items text.'=>'すべての項目のテキストを割り当てます。','Assigns the menu name text.'=>'メニュー名のテキストを割り当てます。','Menu Label'=>'メニューラベル','A descriptive summary of the taxonomy.'=>'タクソノミーの説明的要約。','A descriptive summary of the term.'=>'タームの説明的要約。','Term Description'=>'タームの説明','Single word, no spaces. Underscores and dashes allowed.'=>'単語。スペースは不可、アンダースコアとダッシュは使用可能。','Term Slug'=>'タームスラッグ','Term Name'=>'項目名','Default Term'=>'デフォルト項目','Sort Terms'=>'キーワード並び替え','Add Post Type'=>'投稿タイプを追加する','Add Your First Post Type'=>'最初の投稿タイプを追加','Advanced Configuration'=>'高度な設定','Hierarchical'=>'階層的','Public'=>'一般公開','movie'=>'動画','Lower case letters, underscores and dashes only, Max 20 characters.'=>'小文字、アンダースコア、ダッシュのみ、最大20文字。','Movie'=>'映画','Singular Label'=>'単数ラベル','Movies'=>'映画','Plural Label'=>'複数ラベル','Controller Class'=>'コントローラークラス','Namespace Route'=>'名前空間ルート','Base URL'=>'ベース URL','Show In REST API'=>'REST API で表示','Customize the query variable name.'=>'クエリ変数名をカスタマイズ。','Query Variable'=>'クエリー可変','Custom Query Variable'=>'カスタムクエリー変数','Query Variable Support'=>'クエリ変数のサポート','Publicly Queryable'=>'公開クエリ可','Archive Slug'=>'アーカイブスラッグ','Archive'=>'アーカイブ','Pagination'=>'ページ送り','Feed URL'=>'フィード URL','Front URL Prefix'=>'フロント URL プレフィックス','Customize the slug used in the URL.'=>'URL に使用されるスラッグをカスタマイズする。','URL Slug'=>'URL スラッグ','Custom Permalink'=>'カスタムパーマリンク','Post Type Key'=>'投稿タイプキー','Permalink Rewrite'=>'パーマリンクのリライト','Delete With User'=>'ユーザーと一緒に削除','Can Export'=>'エクスポート可能','Plural Capability Name'=>'複数の権限名','Rename Capabilities'=>'リネーム機能','Exclude From Search'=>'検索から除外する','Show In Admin Bar'=>'管理バーの表示','Menu Icon'=>'メニュー アイコン','Menu Position'=>'メニューの位置','Show In UI'=>'UI に表示','A link to a post.'=>'投稿へのリンク。','Item Link Description'=>'リンク項目の説明','A link to a %s.'=>'%s へのリンク。','Post Link'=>'投稿リンク','Item Link'=>'項目のリンク','%s Link'=>'%s リンク','Post updated.'=>'投稿を更新しました。','Item Updated'=>'項目を更新しました','%s updated.'=>'%s を更新しました。','Post scheduled.'=>'投稿を予約しました.','Item Scheduled'=>'公開予約済み項目','%s scheduled.'=>'%s を予約しました。','Post reverted to draft.'=>'投稿を下書きに戻しました。','Item Reverted To Draft'=>'下書きに戻された項目','%s reverted to draft.'=>'%s を下書きに戻しました。','Post published privately.'=>'投稿を限定公開しました。','Item Published Privately'=>'限定公開された項目','Post published.'=>'投稿を公開しました.','Item Published'=>'公開済み項目','%s published.'=>'%s を公開しました。','Posts list'=>'投稿リスト','Items List'=>'項目リスト','%s list'=>'%s リスト','Filter %s by date'=>'%s 日時で絞り込み','Filter posts list'=>'投稿リストの絞り込み','Filter Items List'=>'項目一覧の絞り込み','Filter %s list'=>'%s リストを絞り込み','Uploaded To This Item'=>'この項目にアップロード','Uploaded to this %s'=>'この %s にアップロードされました','Insert into post'=>'投稿に挿入','Insert into %s'=>'%s に挿入','Use Featured Image'=>'アイキャッチ画像を使用','Remove featured image'=>'アイキャッチ画像を削除','Remove Featured Image'=>'アイキャッチ画像を削除','Set featured image'=>'アイキャッチ画像を設定','As the button label when setting the featured image.'=>'アイキャッチ画像を設定する際のボタンラベルとして','Set Featured Image'=>'アイキャッチ画像を設定','Featured image'=>'アイキャッチ画像','Post Attributes'=>'投稿の属性','Attributes Meta Box'=>'属性メタボックス','%s Attributes'=>'%s の属性','Post Archives'=>'投稿アーカイブ','Archives Nav Menu'=>'ナビメニューをアーカイブする','%s Archives'=>'%s アーカイブ','No %s found in Trash'=>'ゴミ箱に%sはありません','No posts found'=>'投稿が見つかりません','No Items Found'=>'項目が見つかりませんでした','No %s found'=>'%s が見つかりませんでした。','Search Posts'=>'投稿を検索','Search Items'=>'項目を検索','Search %s'=>'%s を検索','Parent Page:'=>'親ページ:','Parent %s:'=>'親の%s:','New Post'=>'新規投稿','New Item'=>'新規項目','New %s'=>'新規 %s','Add New Post'=>'新規投稿を追加','Add New Item'=>'新規項目を追加','Add New %s'=>'新規%sを追加','View Posts'=>'投稿一覧を表示','View Items'=>'アイテムを表示','View Post'=>'投稿を表示','View Item'=>'項目を表示','View %s'=>'%s を表示','Edit Post'=>'投稿の編集','Edit Item'=>'項目を編集','Edit %s'=>'%s を編集','All Posts'=>'投稿一覧','All Items'=>'すべての項目','All %s'=>'%s 一覧','Admin menu name for the post type.'=>'投稿タイプの管理メニュー名。','Menu Name'=>'メニュー名','Regenerate'=>'再生成','Add Custom'=>'カスタムの追加','Post Formats'=>'投稿フォーマット','Editor'=>'エディター','Trackbacks'=>'トラックバック','Browse Fields'=>'フィールドを見る','Nothing to import'=>'インポート対象がありません','Imported 1 item'=>'インポートした %s 項目','Export'=>'エクスポート','Select Taxonomies'=>'タクソノミーを選択','Select Post Types'=>'投稿タイプを選択','Category'=>'カテゴリー','Tag'=>'タグ','%s taxonomy created'=>'%s タクソノミーが作成されました','%s taxonomy updated'=>'%s タクソノミーの更新','Taxonomy saved.'=>'タクソノミーを保存する。','Taxonomy deleted.'=>'タクソノミーを削除しました。','Taxonomy updated.'=>'タクソノミーを更新しました。','Taxonomy duplicated.'=>'%s タクソノミーを複製しました。','Taxonomy activated.'=>'%s タクソノミーを有効化しました。','Terms'=>'規約','Post type synchronized.'=>'投稿タイプ %s が同期されました。','Post type duplicated.'=>'投稿タイプ %s が複製されました。','Post type deactivated.'=>'投稿タイプ %s が無効化されました。','Post type activated.'=>'投稿タイプ %s が有効化されました。','Post Types'=>'投稿タイプ','Advanced Settings'=>'高度な設定','Basic Settings'=>'基本設定','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'この投稿タイプは、このキーが別のプラグインまたはテーマによって登録された別の投稿タイプによって使用されているため、登録できませんでした。','Pages'=>'固定ページ','%s post type created'=>'%s 投稿タイプを作成しました','Add fields to %s'=>'フィールドの追加 %s','%s post type updated'=>'%s 投稿タイプを更新しました','Post type submitted.'=>'投稿タイプを送信しました。','Post type saved.'=>'投稿タイプを保存しました。','Post type updated.'=>'投稿タイプを更新しました。','Post type deleted.'=>'投稿タイプが削除されました。','Type to search...'=>'入力して検索…','PRO Only'=>'PRO 限定','ACF'=>'ACF','taxonomy'=>'タクソノミー','post type'=>'投稿タイプ','Done'=>'完了','Field Group(s)'=>'フィールドグループ','Select one or many field groups...'=>'1つまたは複数のフィールド グループを選択します...','Please select the field groups to link.'=>'リンクするフィールドグループを選択してください。','Field group linked successfully.'=>'フィールドグループが正常にリンクされました。','post statusRegistration Failed'=>'登録に失敗しました','REST API'=>'REST API','Permissions'=>'パーミッション','URLs'=>'URL','Visibility'=>'可視性','Labels'=>'ラベル','Field Settings Tabs'=>'フィールド設定タブ','Close Modal'=>'モーダルを閉じる','Field moved to other group'=>'フィールドは他のグループに移動しました','Close modal'=>'モーダルを閉じる','New Tab Group'=>'新規タブグループ','Save Other Choice'=>'他の選択肢を保存','Allow Other Choice'=>'他の選択肢を許可','Add Toggle All'=>'すべてのトグルを追加','Save Custom Values'=>'カスタム値を保存','Allow Custom Values'=>'カスタム値の許可','Updates'=>'更新','Advanced Custom Fields logo'=>'Advanced Custom Fields ロゴ','Save Changes'=>'変更内容を保存','Field Group Title'=>'フィールドグループタイトル','Add title'=>'タイトルを追加','Add Field Group'=>'フィールドグループを追加する','Add Your First Field Group'=>'最初のフィールドグループを追加','Options Pages'=>'設定ページ','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'ギャラリーフィールド','Flexible Content Field'=>'柔軟コンテンツフィールド','Repeater Field'=>'リピーターフィールド','Delete Field Group'=>'フィールドグループを削除','Group Settings'=>'グループ設定','Location Rules'=>'ロケーションルール','Add Your First Field'=>'最初のフィールドを追加','#'=>'No.','Add Field'=>'フィールドを追加','Presentation'=>'プレゼンテーション','Validation'=>'検証','General'=>'全般','Import JSON'=>'JSON をインポート','Export As JSON'=>'JSON をエクスポート','Deactivate'=>'無効化','Deactivate this item'=>'この項目を無効化する','Activate'=>'有効化','Activate this item'=>'この項目を有効化する','post statusInactive'=>'無効','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields と Advanced Custom Fields PRO を同時に有効化しないでください。
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'デフォルトでは管理者ユーザーのみがこの設定を編集できます。','By default only super admin users can edit this setting.'=>'デフォルトでは特権管理者ユーザーのみがこの設定を編集できます。','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'[ACFショートコードはこのサイトでは無効化されています]','Businessman Icon'=>'ビジネスマンアイコン','Forums Icon'=>'フォーラムアイコン','YouTube Icon'=>'YouTube アイコン','Yes (alt) Icon'=>'','Xing Icon'=>'Xing アイコン','WordPress (alt) Icon'=>'WordPress (alt) アイコン','WhatsApp Icon'=>'WhatsApp アイコン','Write Blog Icon'=>'','Widgets Menus Icon'=>'ウィジェットメニューアイコン','View Site Icon'=>'サイト表示アイコン','Learn More Icon'=>'詳細アイコン','Add Page Icon'=>'ページ追加アイコン','Video (alt3) Icon'=>'動画 (alt3) アイコン','Video (alt2) Icon'=>'動画 (alt2) アイコン','Video (alt) Icon'=>'動画 (alt) アイコン','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'Twitter (alt) アイコン','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'チケット (alt) アイコン','Text Page Icon'=>'テキストページアイコン','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'Spotify アイコン','Shortcode Icon'=>'ショートコードアイコン','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'保存アイコン','RSS Icon'=>'RSS アイコン','REST API Icon'=>'REST API アイコン','Remove Icon'=>'削除アイコン','Reddit Icon'=>'Reddit アイコン','Privacy Icon'=>'プライバシーアイコン','Printer Icon'=>'プリンターアイコン','Podio Icon'=>'Podioアイコン','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'プラス (alt) アイコン','Plugins Checked Icon'=>'','Pinterest Icon'=>'Pinterest アイコン','Pets Icon'=>'ペットアイコン','PDF Icon'=>'PDF アイコン','Palm Tree Icon'=>'ヤシの木アイコン','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'スプレッドシート アイコン','Interactive Icon'=>'対話アイコン','Document Icon'=>'ドキュメントアイコン','Default Icon'=>'デフォルトアイコン','Location (alt) Icon'=>'ロケーション (alt) アイコン','LinkedIn Icon'=>'LinkedIn アイコン','Instagram Icon'=>'Instagram アイコン','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'左回転アイコン','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'水平に反転アイコン','Crop Icon'=>'切り抜きアイコン','ID (alt) Icon'=>'ID (alt) アイコン','HTML Icon'=>'HTML アイコン','Hourglass Icon'=>'砂時計アイコン','Heading Icon'=>'見出しアイコン','Google Icon'=>'Google アイコン','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'ステータスアイコン','Image Icon'=>'画像アイコン','Gallery Icon'=>'ギャラリーアイコン','Chat Icon'=>'チャットアイコン','Audio Icon'=>'オーディオアイコン','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'BbPress アイコン','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'ブロックデフォルトアイコン','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'右揃えアイコン','Align Pull Left Icon'=>'左揃えアイコン','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'無効なリクエストです。','Sorry, you do not have permission to do that.'=>'その操作を行う権限がありません。','Blocks Using Post Meta'=>'投稿メタを使用したブロック','ACF PRO logo'=>'ACF PRO ロゴ','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'保存するアイコンの値。','The type of icon to save.'=>'保存するアイコンのタイプ。','Yes Icon'=>'承認アイコン','WordPress Icon'=>'WordPress アイコン','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'翻訳アイコン','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'マイクアイコン','Megaphone Icon'=>'','Marker Icon'=>'マーカーアイコン','Lock Icon'=>'ロックアイコン','Location Icon'=>'ロケーションアイコン','List View Icon'=>'','Lightbulb Icon'=>'電球アイコン','Left Right Icon'=>'','Layout Icon'=>'レイアウトアイコン','Laptop Icon'=>'ラップトップアイコン','Info Icon'=>'情報アイコン','Index Card Icon'=>'','ID Icon'=>'IDアイコン','Hidden Icon'=>'非表示アイコン','Heart Icon'=>'ハートアイコン','Hammer Icon'=>'ハンマーアイコン','Groups Icon'=>'グループアイコン','Grid View Icon'=>'グリッドビューアイコン','Forms Icon'=>'フォームアイコン','Flag Icon'=>'旗アイコン','Filter Icon'=>'フィルターアイコン','Feedback Icon'=>'フィードバックアイコン','Facebook (alt) Icon'=>'','Facebook Icon'=>'Facebook アイコン','External Icon'=>'外部アイコン','Email (alt) Icon'=>'','Email Icon'=>'メールアイコン','Video Icon'=>'動画アイコン','Unlink Icon'=>'リンク解除アイコン','Underline Icon'=>'下線アイコン','Text Color Icon'=>'文字の色アイコン','Table Icon'=>'テーブルアイコン','Strikethrough Icon'=>'打ち消しアイコン','Spellcheck Icon'=>'スペルチェックアイコン','Remove Formatting Icon'=>'','Quote Icon'=>'引用アイコン','Paste Word Icon'=>'','Paste Text Icon'=>'テキスト貼り付けアイコン','Paragraph Icon'=>'段落アイコン','Outdent Icon'=>'アウトデントアイコン','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'イタリックアイコン','Insert More Icon'=>'挿入アイコン','Indent Icon'=>'インデントアイコン','Help Icon'=>'ヘルプアイコン','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'コードアイコン','Break Icon'=>'改行アイコン','Bold Icon'=>'太字アイコン','Edit Icon'=>'編集アイコン','Download Icon'=>'ダウンロードアイコン','Dismiss Icon'=>'閉じるアイコン','Desktop Icon'=>'デスクトップアイコン','Dashboard Icon'=>'ダッシュボードアイコン','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'にんじんアイコン','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'投稿アイコン','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'登録された投稿タイプ (JSON)','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'タームが一致する','Has no user selected'=>'ユーザーが選択されていません','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'ユーザーが一致しない','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'投稿が以下に等しい場合','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'ACF PRO 機能','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'詳細については、サイト管理者または開発者にお問い合わせください。','Learn more'=>'さらに詳しく','Hide details'=>'詳細を隠す','Show details'=>'詳細を表示','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'ACF プロ版を更新する','Renew License'=>'ライセンスを更新','Manage License'=>'ライセンスの管理','\'High\' position not supported in the Block Editor'=>'位置「高」はブロックエディタ―ではサポートされていません','Upgrade to ACF PRO'=>'ACF プロ版へアップグレード','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'オプションページを追加','In the editor used as the placeholder of the title.'=>'タイトルのプレースホルダーとして使用されます。','Title Placeholder'=>'タイトルプレースホルダー','4 Months Free'=>'4ヶ月無料','(Duplicated from %s)'=>'( %s からの複製)','Select Options Pages'=>'オプションページを選択','Duplicate taxonomy'=>'タクソノミーを複製','Create taxonomy'=>'タクソノミーを作成','Duplicate post type'=>'投稿タイプを複製','Create post type'=>'投稿タイプを作成','Link field groups'=>'フィールドグループ','Add fields'=>'フィールドを追加','This Field'=>'このフィールド','ACF PRO'=>'ACF PRO','Feedback'=>'フィードバック','Support'=>'サポート','is developed and maintained by'=>'によって開発され、維持されている','Add this %s to the location rules of the selected field groups.'=>'%s を選択したフィールドグループのロケーションルールに追加します。','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'ターゲットフィールド','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'双方向','%s Field'=>'%s フィールド','Select Multiple'=>'複数選択','WP Engine logo'=>'WP Engine ロゴ','Lower case letters, underscores and dashes only, Max 32 characters.'=>'小文字、アンダースコア、ダッシュのみ、最大32文字','The capability name for assigning terms of this taxonomy.'=>'投稿などでこのタクソノミーのタームを設定するための権限','Assign Terms Capability'=>'ターム割り当て','The capability name for deleting terms of this taxonomy.'=>'このタクソノミーのタームを削除するための権限','Delete Terms Capability'=>'ターム削除機能','The capability name for editing terms of this taxonomy.'=>'このタクソノミーのタームを編集するための権限','Edit Terms Capability'=>'ターム編集機能','The capability name for managing terms of this taxonomy.'=>'このタクソノミーの管理画面へのアクセスを許可する権限','Manage Terms Capability'=>'ターム管理機能','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'サイト内検索やタクソノミーアーカイブから投稿を除外するかどうかを設定。','More Tools from WP Engine'=>'WP Engine 他のツール','Built for those that build with WordPress, by the team at %s'=>'%s のチームによって、WordPressで構築する人々のために構築された','View Pricing & Upgrade'=>'価格とアップグレードを見る','Learn More'=>'さらに詳しく','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'%s フィールド','No terms'=>'タームはありません','No post types'=>'投稿タイプはありません','No posts'=>'投稿はありません','No taxonomies'=>'タクソノミーはありません','No field groups'=>'フィールドグループはありません','No fields'=>'フィールドはありません','No description'=>'説明はありません','Any post status'=>'すべての投稿ステータス','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'このタクソノミーのキーはすでに ACF の他のタクソノミーで使用されているので使用できません。','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'タクソノミーのキーは小文字の英数字、アンダースコア、またはダッシュのみが含まれます。','The taxonomy key must be under 32 characters.'=>'タクソノミーのキーは32字以内にする必要があります。','No Taxonomies found in Trash'=>'ゴミ箱内にタクソノミーが見つかりませんでした。','No Taxonomies found'=>'タクソノミーが見つかりません','Search Taxonomies'=>'タクソノミーを検索','View Taxonomy'=>'タクソノミーを表示','New Taxonomy'=>'新規タクソノミー','Edit Taxonomy'=>'タクソノミーを編集','Add New Taxonomy'=>'新規タクソノミーを追加','No Post Types found in Trash'=>'ゴミ箱内に投稿タイプが見つかりませんでした。','No Post Types found'=>'投稿タイプが見つかりません。','Search Post Types'=>'投稿タイプを検索','View Post Type'=>'投稿タイプを表示','New Post Type'=>'新規投稿タイプ','Edit Post Type'=>'投稿タイプを編集','Add New Post Type'=>'新規投稿タイプを追加','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'この投稿タイプキーは、ACF の外側で登録された別の投稿タイプによってすでに使用されているため、使用できません。','This post type key is already in use by another post type in ACF and cannot be used.'=>'この投稿タイプキーは、ACF の別の投稿タイプによってすでに使用されているため、使用できません。','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'投稿タイプのキーは20字以内にする必要があります。','We do not recommend using this field in ACF Blocks.'=>'このフィールドの ACF ブロックでの使用は推奨されません。','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'リッチ エディター (WYSIWYG)','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'データオブジェクト間のリレーションシップを作成するために使用できる、1人または複数のユーザーを選択できます。','A text input specifically designed for storing web addresses.'=>'ウェブアドレスを保存するために特別に設計されたテキスト入力。','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'テキストの段落を保存するための標準的な入力テキストエリア。','A basic text input, useful for storing single string values.'=>'基本的なテキスト入力で、単一の文字列値を格納するのに便利です。','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'投稿ステータスで絞り込む','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'数値のみの入力','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'データと編集画面をよりよく整理するために、フィールドをグループに構造化する方法を提供します。','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'メールアドレスを保存するために特別に設計されたテキスト入力。','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'ユーザーが1つ、または指定した複数の値を選択できるチェックボックス入力のグループ。','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'あなたが指定した値を持つボタンのグループ、ユーザーは提供された値から1つのオプションを選択することができます。','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'コンテンツの編集中に表示される折りたたみ可能なパネルに、カスタムフィールドをグループ化して整理することができます。大規模なデータセットを整理整頓するのに便利です。','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'これは、スライド、チームメンバー、行動喚起表示などのコンテンツを繰り返し表示するためのソリューションで、繰り返し表示できる一連のサブフィールドの親として機能します。','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'これは、添付ファイルのコレクションを管理するためのインタラクティブなインターフェイスを提供します。ほとんどの設定は画像フィールドタイプと似ています。追加設定では、ギャラリーで新しい添付ファイルを追加する場所と、許可される添付ファイルの最小/最大数を指定できます。','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'複製','PRO'=>'PRO','Advanced'=>'高度','JSON (newer)'=>'JSON (新しい)','Original'=>'オリジナル','Invalid post ID.'=>'無効な投稿 ID です。','Invalid post type selected for review.'=>'レビューには無効な投稿タイプが選択されています。','More'=>'詳細','Tutorial'=>'チュートリアル','Select Field'=>'フィールド選択','Try a different search term or browse %s'=>'','Popular fields'=>'よく使うフィールド','No search results for \'%s\''=>'「%s」に合う検索結果はありません','Search fields...'=>'フィールドを検索...','Select Field Type'=>'フィールドタイプを選択する','Popular'=>'人気','Add Taxonomy'=>'タクソノミーを追加','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'最初のタクソノミーを追加','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'ジャンル','Genre'=>'ジャンル','Genres'=>'ジャンル','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'この投稿タイプをREST APIで公開する。','Customize the query variable name'=>'クエリ変数名をカスタマイズ','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'このタクソノミーが親子関係を持つかどうか。','Customize the slug used in the URL'=>'URLに使用されるスラッグをカスタマイズする','Permalinks for this taxonomy are disabled.'=>'このタクソノミーのパーマリンクは無効です。','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'タクソノミーのキーをスラッグとして使用してURLを書き換えます。パーマリンク構造は次のようになります','Taxonomy Key'=>'タクソノミーキー','Select the type of permalink to use for this taxonomy.'=>'このタクソノミーに使用するパーマリンクのタイプを選択します。','Display a column for the taxonomy on post type listing screens.'=>'投稿タイプの一覧画面にタクソノミーの項目を表示します。','Show Admin Column'=>'管理画面でカラムを表示','Show the taxonomy in the quick/bulk edit panel.'=>'タクソノミーをクイック/一括編集パネルで表示','Quick Edit'=>'クイック編集','List the taxonomy in the Tag Cloud Widget controls.'=>'タグクラウドウィジェットにタクソノミーを表示','Tag Cloud'=>'タグクラウド','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'メタボックスから保存されたタクソノミーデータをサニタイズするために呼び出されるPHP関数名。','Meta Box Sanitization Callback'=>'メタボックスのサニタイズコールバック','Register Meta Box Callback'=>'','No Meta Box'=>'メタボックスなし','Custom Meta Box'=>'カスタムメタボックス','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'メタボックス','Categories Meta Box'=>'','Tags Meta Box'=>'タグメタボックス','A link to a tag'=>'タグへのリンク','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'%s へのリンク','Tag Link'=>'タグリンク','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← タグへ戻る','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'項目に戻る','← Go to %s'=>'← %s へ戻る','Tags list'=>'タグ一覧','Assigns text to the table hidden heading.'=>'テーブルの非表示見出しにテキストを割り当てます。','Tags list navigation'=>'タグリストナビゲーション','Assigns text to the table pagination hidden heading.'=>'テーブルのページ送りの非表示見出しにテキストを割り当てます。','Filter by category'=>'カテゴリーで絞り込む','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'アイテムをフィルタリング','Filter by %s'=>'%s で絞り込む','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'フィールドディスクリプションの説明','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'階層化するには親のタームを指定します。たとえば「ジャズ」というタームを「ビバップ」や「ビッグバンド」の親として指定します。','Describes the Parent field on the Edit Tags screen.'=>'タグの編集画面の親フィールドの説明文です。','Parent Field Description'=>'親フィールドの説明','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'「スラッグ」は、URL に適した形式の名前です。通常はすべて小文字で、文字、数字、ハイフンのみが使用されます。','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'タグなし','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'項目はありません','No %s'=>'No %s','No tags found'=>'タグが見つかりませんでした','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'見つかりません','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'最も使われている','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'よく使うものから選択','Choose from the most used %s'=>'最もよく使われている%sから選択','Add or remove tags'=>'タグの追加もしくは削除','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'項目の追加または削除','Add or remove %s'=>'%s を追加または削除する','Separate tags with commas'=>'タグはコンマで区切ってください','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'項目が複数ある場合はコンマで区切ってください','Separate %s with commas'=>'%s が複数ある場合はコンマで区切る','Popular Tags'=>'人気のタグ','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'よく使う項目','Popular %s'=>'人気の %s','Search Tags'=>'タグを検索','Assigns search items text.'=>'検索項目のテキストを割り当てます。','Parent Category:'=>'親カテゴリー:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'親カテゴリー','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'親項目','Parent %s'=>'親 %s','New Tag Name'=>'新規タグ名','Assigns the new item name text.'=>'','New Item Name'=>'新規項目名','New %s Name'=>'新規 %s 名','Add New Tag'=>'新規タグを追加','Assigns the add new item text.'=>'','Update Tag'=>'タグを更新','Assigns the update item text.'=>'','Update Item'=>'アイテムを更新','Update %s'=>'%s を更新','View Tag'=>'タグを表示','In the admin bar to view term during editing.'=>'','Edit Tag'=>'タグを編集','At the top of the editor screen when editing a term.'=>'','All Tags'=>'すべての タグ','Assigns the all items text.'=>'すべての項目のテキストを割り当てます。','Assigns the menu name text.'=>'メニュー名のテキストを割り当てます。','Menu Label'=>'メニューラベル','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'タクソノミーの説明的要約。','A descriptive summary of the term.'=>'タームの説明的要約。','Term Description'=>'タームの説明','Single word, no spaces. Underscores and dashes allowed.'=>'単語。スペースは不可、アンダースコアとダッシュは使用可能。','Term Slug'=>'タームスラッグ','The name of the default term.'=>'','Term Name'=>'項目名','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'デフォルト項目','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'キーワード並び替え','Add Post Type'=>'投稿タイプを追加する','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'最初の投稿タイプを追加','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'高度な設定','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'階層的','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'一般公開','movie'=>'動画','Lower case letters, underscores and dashes only, Max 20 characters.'=>'小文字、アンダースコア、ダッシュのみ、最大20文字。','Movie'=>'映画','Singular Label'=>'単数ラベル','Movies'=>'映画','Plural Label'=>'複数ラベル','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'コントローラークラス','The namespace part of the REST API URL.'=>'','Namespace Route'=>'名前空間ルート','The base URL for the post type REST API URLs.'=>'','Base URL'=>'ベース URL','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'REST API で表示','Customize the query variable name.'=>'クエリ変数名をカスタマイズ。','Query Variable'=>'クエリー可変','No Query Variable Support'=>'','Custom Query Variable'=>'カスタムクエリー変数','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'クエリ変数のサポート','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'公開クエリ可','Custom slug for the Archive URL.'=>'','Archive Slug'=>'アーカイブスラッグ','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'アーカイブ','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'ページ送り','RSS feed URL for the post type items.'=>'','Feed URL'=>'フィード URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'フロント URL プレフィックス','Customize the slug used in the URL.'=>'URL に使用されるスラッグをカスタマイズする。','URL Slug'=>'URL スラッグ','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'カスタムパーマリンク','Post Type Key'=>'投稿タイプキー','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'パーマリンクのリライト','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'ユーザーと一緒に削除','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'エクスポート可能','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'複数の権限名','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'リネーム機能','Exclude From Search'=>'検索から除外する','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'管理バーの表示','Custom Meta Box Callback'=>'','Menu Icon'=>'メニュー アイコン','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'メニューの位置','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'UI に表示','A link to a post.'=>'投稿へのリンク。','Description for a navigation link block variation.'=>'','Item Link Description'=>'リンク項目の説明','A link to a %s.'=>'%s へのリンク。','Post Link'=>'投稿リンク','Title for a navigation link block variation.'=>'','Item Link'=>'項目のリンク','%s Link'=>'%s リンク','Post updated.'=>'投稿を更新しました。','In the editor notice after an item is updated.'=>'','Item Updated'=>'項目を更新しました','%s updated.'=>'%s を更新しました。','Post scheduled.'=>'投稿を予約しました.','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'公開予約済み項目','%s scheduled.'=>'%s を予約しました。','Post reverted to draft.'=>'投稿を下書きに戻しました。','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'下書きに戻された項目','%s reverted to draft.'=>'%s を下書きに戻しました。','Post published privately.'=>'投稿を限定公開しました。','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'限定公開された項目','%s published privately.'=>'','Post published.'=>'投稿を公開しました.','In the editor notice after publishing an item.'=>'','Item Published'=>'公開済み項目','%s published.'=>'%s を公開しました。','Posts list'=>'投稿リスト','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'項目リスト','%s list'=>'%s リスト','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'%s 日時で絞り込み','Filter posts list'=>'投稿リストの絞り込み','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'項目一覧の絞り込み','Filter %s list'=>'%s リストを絞り込み','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'この項目にアップロード','Uploaded to this %s'=>'この %s にアップロードされました','Insert into post'=>'投稿に挿入','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'%s に挿入','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'アイキャッチ画像を使用','Remove featured image'=>'アイキャッチ画像を削除','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'アイキャッチ画像を削除','Set featured image'=>'アイキャッチ画像を設定','As the button label when setting the featured image.'=>'アイキャッチ画像を設定する際のボタンラベルとして','Set Featured Image'=>'アイキャッチ画像を設定','Featured image'=>'アイキャッチ画像','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'投稿の属性','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'属性メタボックス','%s Attributes'=>'%s の属性','Post Archives'=>'投稿アーカイブ','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'ナビメニューをアーカイブする','%s Archives'=>'%s アーカイブ','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'ゴミ箱に%sはありません','No posts found'=>'投稿が見つかりません','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'項目が見つかりませんでした','No %s found'=>'%s が見つかりませんでした。','Search Posts'=>'投稿を検索','At the top of the items screen when searching for an item.'=>'','Search Items'=>'項目を検索','Search %s'=>'%s を検索','Parent Page:'=>'親ページ:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'親の%s:','New Post'=>'新規投稿','New Item'=>'新規項目','New %s'=>'新規 %s','Add New Post'=>'新規投稿を追加','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'新規項目を追加','Add New %s'=>'新規%sを追加','View Posts'=>'投稿一覧を表示','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'アイテムを表示','View Post'=>'投稿を表示','In the admin bar to view item when editing it.'=>'','View Item'=>'項目を表示','View %s'=>'%s を表示','Edit Post'=>'投稿の編集','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'項目を編集','Edit %s'=>'%s を編集','All Posts'=>'投稿一覧','In the post type submenu in the admin dashboard.'=>'','All Items'=>'すべての項目','All %s'=>'%s 一覧','Admin menu name for the post type.'=>'投稿タイプの管理メニュー名。','Menu Name'=>'メニュー名','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'再生成','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'カスタムの追加','Enable various features in the content editor.'=>'','Post Formats'=>'投稿フォーマット','Editor'=>'エディター','Trackbacks'=>'トラックバック','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'フィールドを見る','Nothing to import'=>'インポート対象がありません','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'インポートした %s 項目','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'エクスポート','Select Taxonomies'=>'タクソノミーを選択','Select Post Types'=>'投稿タイプを選択','Exported 1 item.'=>'','Category'=>'カテゴリー','Tag'=>'タグ','%s taxonomy created'=>'%s タクソノミーが作成されました','%s taxonomy updated'=>'%s タクソノミーの更新','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'タクソノミーを保存する。','Taxonomy deleted.'=>'タクソノミーを削除しました。','Taxonomy updated.'=>'タクソノミーを更新しました。','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'','Taxonomy duplicated.'=>'%s タクソノミーを複製しました。','Taxonomy deactivated.'=>'','Taxonomy activated.'=>'%s タクソノミーを有効化しました。','Terms'=>'規約','Post type synchronized.'=>'投稿タイプ %s が同期されました。','Post type duplicated.'=>'投稿タイプ %s が複製されました。','Post type deactivated.'=>'投稿タイプ %s が無効化されました。','Post type activated.'=>'投稿タイプ %s が有効化されました。','Post Types'=>'投稿タイプ','Advanced Settings'=>'高度な設定','Basic Settings'=>'基本設定','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'この投稿タイプは、このキーが別のプラグインまたはテーマによって登録された別の投稿タイプによって使用されているため、登録できませんでした。','Pages'=>'固定ページ','Link Existing Field Groups'=>'','%s post type created'=>'%s 投稿タイプを作成しました','Add fields to %s'=>'フィールドの追加 %s','%s post type updated'=>'%s 投稿タイプを更新しました','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'投稿タイプを送信しました。','Post type saved.'=>'投稿タイプを保存しました。','Post type updated.'=>'投稿タイプを更新しました。','Post type deleted.'=>'投稿タイプが削除されました。','Type to search...'=>'入力して検索…','PRO Only'=>'PRO 限定','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'タクソノミー','post type'=>'投稿タイプ','Done'=>'完了','Field Group(s)'=>'フィールドグループ','Select one or many field groups...'=>'1つまたは複数のフィールド グループを選択します...','Please select the field groups to link.'=>'リンクするフィールドグループを選択してください。','Field group linked successfully.'=>'フィールドグループが正常にリンクされました。','post statusRegistration Failed'=>'登録に失敗しました','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'REST API','Permissions'=>'パーミッション','URLs'=>'URL','Visibility'=>'可視性','Labels'=>'ラベル','Field Settings Tabs'=>'フィールド設定タブ','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'モーダルを閉じる','Field moved to other group'=>'フィールドは他のグループに移動しました','Close modal'=>'モーダルを閉じる','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'新規タブグループ','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'他の選択肢を保存','Allow Other Choice'=>'他の選択肢を許可','Add Toggle All'=>'すべてのトグルを追加','Save Custom Values'=>'カスタム値を保存','Allow Custom Values'=>'カスタム値の許可','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'更新','Advanced Custom Fields logo'=>'Advanced Custom Fields ロゴ','Save Changes'=>'変更内容を保存','Field Group Title'=>'フィールドグループタイトル','Add title'=>'タイトルを追加','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'フィールドグループを追加する','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'最初のフィールドグループを追加','Options Pages'=>'設定ページ','ACF Blocks'=>'ACF Blocks','Gallery Field'=>'ギャラリーフィールド','Flexible Content Field'=>'柔軟コンテンツフィールド','Repeater Field'=>'リピーターフィールド','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'フィールドグループを削除','Created on %1$s at %2$s'=>'','Group Settings'=>'グループ設定','Location Rules'=>'ロケーションルール','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'最初のフィールドを追加','#'=>'No.','Add Field'=>'フィールドを追加','Presentation'=>'プレゼンテーション','Validation'=>'検証','General'=>'全般','Import JSON'=>'JSON をインポート','Export As JSON'=>'JSON をエクスポート','Field group deactivated.'=>'','Field group activated.'=>'','Deactivate'=>'無効化','Deactivate this item'=>'この項目を無効化する','Activate'=>'有効化','Activate this item'=>'この項目を有効化する','Move field group to trash?'=>'','post statusInactive'=>'無効','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields と Advanced Custom Fields PRO を同時に有効化しないでください。
Advanced Custom Fields PROを自動的に無効化しました。','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields と Advanced Custom Fields PRO を同時に有効化しないでください。
-Advanced Custom Fields を自動的に無効化しました。','%1$s must have a valid user ID.'=>'%1$s は有効なユーザー ID である必要があります。','Invalid request.'=>'無効なリクエストです。','%1$s is not one of %2$s'=>'%1$s は %2$s に当てはまりません','%1$s must have term %2$s.'=>'%1$s はターム %2$s である必要があります。','%1$s must be of post type %2$s.'=>'%1$s は投稿タイプ %2$s である必要があります。','%1$s must have a valid post ID.'=>'%1$s は有効な投稿 ID である必要があります。','%s requires a valid attachment ID.'=>'%s には有効な添付ファイル ID が必要です。','Show in REST API'=>'REST API で表示','Enable Transparency'=>'透明度の有効化','RGBA Array'=>'RGBA 配列','RGBA String'=>'RGBA 文字列','Hex String'=>'16進値文字列','Upgrade to PRO'=>'プロ版にアップグレード','post statusActive'=>'有効','\'%s\' is not a valid email address'=>'\'%s\' は有効なメールアドレスではありません','Color value'=>'明度','Select default color'=>'デフォルトの色を選択','Clear color'=>'色をクリア','Blocks'=>'ブロック','Options'=>'オプション','Users'=>'ユーザー','Menu items'=>'メニュー項目','Widgets'=>'ウィジェット','Attachments'=>'添付ファイル','Taxonomies'=>'タクソノミー','Posts'=>'投稿','Last updated: %s'=>'最終更新日: %s','Sorry, this post is unavailable for diff comparison.'=>'このフィールドグループは diff 比較に使用できません。','Invalid field group parameter(s).'=>'無効なフィールドグループパラメータ。','Awaiting save'=>'保存待ち','Saved'=>'保存しました','Import'=>'インポート','Review changes'=>'変更をレビュー','Located in: %s'=>'位置: %s','Located in plugin: %s'=>'プラグイン中の位置: %s','Located in theme: %s'=>'テーマ内の位置: %s','Various'=>'各種','Sync changes'=>'変更を同期','Loading diff'=>'差分を読み込み中','Review local JSON changes'=>'ローカルの JSON 変更をレビュー','Visit website'=>'サイトへ移動','View details'=>'詳細を表示','Version %s'=>'バージョン %s','Information'=>'情報','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'ヘルプデスク。サポートの専門家がお客様のより詳細な技術的課題をサポートします。','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'ディスカッション。コミュニティフォーラムには、活発でフレンドリーなコミュニティがあり、ACFの世界の「ハウツー」を理解する手助けをしてくれるかもしれません。','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'ドキュメンテーション。私たちの豊富なドキュメントには、お客様が遭遇する可能性のあるほとんどの状況に対するリファレンスやガイドが含まれています。','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'私たちはサポートを非常に重要視しており、ACF を使ったサイトを最大限に活用していただきたいと考えています。何か問題が発生した場合には、複数の場所でサポートを受けることができます:','Help & Support'=>'ヘルプとサポート','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'お困りの際は「ヘルプとサポート」タブからお問い合わせください。','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'初めてフィールドグループを作成する前にまずスタートガイドに目を通して、プラグインの理念やベストプラクティスを理解することをおすすめします。','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields プラグインは、WordPress の編集画面を追加フィールドでカスタマイズするためのビジュアルフォームビルダーと、カスタムフィールドの値を任意のテーマテンプレートファイルに表示するための直感的な API を提供します。','Overview'=>'概要','Location type "%s" is already registered.'=>'位置タイプ「%s」はすでに登録されています。','Class "%s" does not exist.'=>'クラス "%s" は存在しません。','Invalid nonce.'=>'無効な nonce。','Error loading field.'=>'フィールドの読み込みエラー。','Error: %s'=>'エラー: %s','Widget'=>'ウィジェット','User Role'=>'ユーザー権限グループ','Comment'=>'コメント','Post Format'=>'投稿フォーマット','Menu Item'=>'メニュー項目','Post Status'=>'投稿ステータス','Menus'=>'メニュー','Menu Locations'=>'メニューの位置','Menu'=>'メニュー','Post Taxonomy'=>'投稿タクソノミー','Child Page (has parent)'=>'子ページ (親ページあり)','Parent Page (has children)'=>'親ページ (子ページあり)','Top Level Page (no parent)'=>'最上位レベルのページ (親ページなし)','Posts Page'=>'投稿ページ','Front Page'=>'フロントページ','Page Type'=>'ページタイプ','Viewing back end'=>'バックエンドで表示','Viewing front end'=>'フロントエンドで表示','Logged in'=>'ログイン済み','Current User'=>'現在のユーザー','Page Template'=>'固定ページテンプレート','Register'=>'登録','Add / Edit'=>'追加 / 編集','User Form'=>'ユーザーフォーム','Page Parent'=>'親ページ','Super Admin'=>'特権管理者','Current User Role'=>'現在のユーザー権限グループ','Default Template'=>'デフォルトテンプレート','Post Template'=>'投稿テンプレート','Post Category'=>'投稿カテゴリー','All %s formats'=>'すべての%sフォーマット','Attachment'=>'添付ファイル','%s value is required'=>'%s の値は必須です','Show this field if'=>'このフィールドグループの表示条件','Conditional Logic'=>'条件判定','and'=>'と','Local JSON'=>'ローカル JSON','Clone Field'=>'フィールドを複製','Please also check all premium add-ons (%s) are updated to the latest version.'=>'また、すべてのプレミアムアドオン ( %s) が最新版に更新されていることを確認してください。','This version contains improvements to your database and requires an upgrade.'=>'このバージョンにはデータベースの改善が含まれており、アップグレードが必要です。','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$sへの更新をありがとうございます。','Database Upgrade Required'=>'データベースのアップグレードが必要','Options Page'=>'オプションページ','Gallery'=>'ギャラリー','Flexible Content'=>'柔軟なコンテンツ','Repeater'=>'繰り返し','Back to all tools'=>'すべてのツールに戻る','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)'=>'複数のフィールドグループが編集画面に表示される場合、最初のフィールドグループ (最小の番号を持つもの) のオプションが使用されます','Select items to hide them from the edit screen.'=>'編集画面で非表示にする項目を選択してください。','Hide on screen'=>'画面上で非表示','Send Trackbacks'=>'トラックバック送信','Tags'=>'タグ','Categories'=>'カテゴリー','Page Attributes'=>'ページ属性','Format'=>'フォーマット','Author'=>'投稿者','Slug'=>'スラッグ','Revisions'=>'リビジョン','Comments'=>'コメント','Discussion'=>'ディスカッション','Excerpt'=>'抜粋','Content Editor'=>'コンテンツエディター','Permalink'=>'パーマリンク','Shown in field group list'=>'フィールドグループリストに表示','Field groups with a lower order will appear first'=>'下位のフィールドグループを最初に表示','Order No.'=>'注文番号','Below fields'=>'フィールドの下','Below labels'=>'ラベルの下','Instruction Placement'=>'手順の配置','Label Placement'=>'ラベルの配置','Side'=>'サイド','Normal (after content)'=>'通常 (コンテンツの後)','High (after title)'=>'高 (タイトルの後)','Position'=>'位置','Seamless (no metabox)'=>'シームレス (メタボックスなし)','Standard (WP metabox)'=>'標準 (WP メタボックス)','Style'=>'スタイル','Type'=>'タイプ','Key'=>'キー','Order'=>'順序','Close Field'=>'フィールドを閉じる','id'=>'ID','class'=>'クラス','width'=>'横幅','Wrapper Attributes'=>'ラッパー属性','Required'=>'必須項目','Instructions'=>'手順','Field Type'=>'フィールドタイプ','Single word, no spaces. Underscores and dashes allowed'=>'スペースは不可、アンダースコアとダッシュは使用可能','Field Name'=>'フィールド名','This is the name which will appear on the EDIT page'=>'これは、編集ページに表示される名前です','Field Label'=>'フィールドラベル','Delete'=>'削除','Delete field'=>'フィールドを削除','Move'=>'移動','Move field to another group'=>'フィールドを別のグループへ移動','Duplicate field'=>'フィールドを複製','Edit field'=>'フィールドを編集','Drag to reorder'=>'ドラッグして順序を変更','Show this field group if'=>'このフィールドグループを表示する条件','No updates available.'=>'利用可能な更新はありません。','Database upgrade complete. See what\'s new'=>'データベースのアップグレードが完了しました。変更点を表示','Reading upgrade tasks...'=>'アップグレードタスクを読み込んでいます...','Upgrade failed.'=>'アップグレードに失敗しました。','Upgrade complete.'=>'アップグレードが完了しました。','Upgrading data to version %s'=>'データをバージョン%sへアップグレード中','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'続行する前にデータベースをバックアップすることを強くおすすめします。本当に更新ツールを今すぐ実行してもよいですか ?','Please select at least one site to upgrade.'=>'アップグレードするサイトを1つ以上選択してください。','Database Upgrade complete. Return to network dashboard'=>'データベースのアップグレードが完了しました。ネットワークダッシュボードに戻る','Site is up to date'=>'サイトは最新状態です','Site requires database upgrade from %1$s to %2$s'=>'%1$s から %2$s へのデータベースのアップグレードが必要です','Site'=>'サイト','Upgrade Sites'=>'サイトをアップグレード','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'以下のサイトはデータベースのアップグレードが必要です。更新したいものにチェックを入れて、%s をクリックしてください。','Add rule group'=>'ルールグループを追加','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します','Rules'=>'ルール','Copied'=>'コピーしました','Copy to clipboard'=>'クリップボードにコピー','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'エクスポートしたい項目とエクスポート方法を選んでください。「JSON としてエクスポート」では別の ACF をインストールした環境でインポートできる JSON ファイルがエクスポートされます。「PHP の生成」ではテーマ内で利用できる PHP コードが生成されます。','Select Field Groups'=>'フィールドグループを選択','No field groups selected'=>'フィールド未選択','Generate PHP'=>'PHP を生成','Export Field Groups'=>'フィールドグループをエクスポート','Import file empty'=>'空ファイルのインポート','Incorrect file type'=>'不正なファイルの種類','Error uploading file. Please try again'=>'ファイルアップロードエラー。もう一度お試しください','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'インポートしたい ACF の JSON ファイルを選択してください。下のインポートボタンをクリックすると、ACF はファイルに項目をインポートします。','Import Field Groups'=>'フィールドグループをインポート','Sync'=>'同期','Select %s'=>'%sを選択','Duplicate'=>'複製','Duplicate this item'=>'この項目を複製','Supports'=>'サポート','Documentation'=>'ドキュメンテーション','Description'=>'説明','Sync available'=>'同期が利用できます','Field group synchronized.'=>'%s件のフィールドグループを同期しました。','Field group duplicated.'=>'%s件のフィールドグループを複製しました。','Active (%s)'=>'使用中 (%s)','Review sites & upgrade'=>'サイトをレビューしてアップグレード','Upgrade Database'=>'データベースをアップグレード','Custom Fields'=>'カスタムフィールド','Move Field'=>'フィールドを移動','Please select the destination for this field'=>'このフィールドの移動先を選択してください','The %1$s field can now be found in the %2$s field group'=>'%1$s フィールドは現在 %2$s フィールドグループにあります','Move Complete.'=>'移動が完了しました。','Active'=>'有効','Field Keys'=>'フィールドキー','Settings'=>'設定','Location'=>'位置','Null'=>'Null','copy'=>'コピー','(this field)'=>'(このフィールド)','Checked'=>'チェック済み','Move Custom Field'=>'カスタムフィールドを移動','No toggle fields available'=>'利用可能な切り替えフィールドがありません','Field group title is required'=>'フィールドグループのタイトルは必須です','This field cannot be moved until its changes have been saved'=>'変更を保存するまでこのフィールドは移動できません','The string "field_" may not be used at the start of a field name'=>'"field_" という文字列はフィールド名の先頭に使うことはできません','Field group draft updated.'=>'フィールドグループ下書きを更新しました。','Field group scheduled for.'=>'フィールドグループを公開予約しました。','Field group submitted.'=>'フィールドグループを送信しました。','Field group saved.'=>'フィールドグループを保存しました。','Field group published.'=>'フィールドグループを公開しました。','Field group deleted.'=>'フィールドグループを削除しました。','Field group updated.'=>'フィールドグループを更新しました。','Tools'=>'ツール','is not equal to'=>'等しくない','is equal to'=>'等しい','Forms'=>'フォーム','Page'=>'固定ページ','Post'=>'投稿','Relational'=>'関連','Choice'=>'選択','Basic'=>'基本','Unknown'=>'不明','Field type does not exist'=>'フィールドタイプが存在しません','Spam Detected'=>'スパムを検出しました','Post updated'=>'投稿を更新しました','Update'=>'更新','Validate Email'=>'メールを確認','Content'=>'コンテンツ','Title'=>'タイトル','Edit field group'=>'フィールドグループを編集','Selection is less than'=>'選択範囲が以下より小さい場合','Selection is greater than'=>'選択範囲が以下より大きい場合','Value is less than'=>'値が以下より小さい場合','Value is greater than'=>'値が以下より大きい場合','Value contains'=>'以下の値が含まれる場合','Value matches pattern'=>'値が以下のパターンに一致する場合','Value is not equal to'=>'値が以下に等しくない場合','Value is equal to'=>'値が以下に等しい場合','Has no value'=>'値がない場合','Has any value'=>'任意の値あり','Cancel'=>'キャンセル','Are you sure?'=>'本当に実行しますか ?','%d fields require attention'=>'%d個のフィールドで確認が必要です','1 field requires attention'=>'1つのフィールドで確認が必要です','Validation failed'=>'検証失敗','Validation successful'=>'検証成功','Restricted'=>'制限','Collapse Details'=>'詳細を折りたたむ','Expand Details'=>'詳細を展開','Uploaded to this post'=>'この投稿へのアップロード','verbUpdate'=>'更新','verbEdit'=>'編集','The changes you made will be lost if you navigate away from this page'=>'このページから移動した場合、変更は失われます','File type must be %s.'=>'ファイル形式は %s である必要があります。','or'=>'または','File size must not exceed %s.'=>'ファイルサイズは %s 以下である必要があります。','File size must be at least %s.'=>'ファイルサイズは %s 以上である必要があります。','Image height must not exceed %dpx.'=>'画像の高さは %dpx 以下である必要があります。','Image height must be at least %dpx.'=>'画像の高さは %dpx 以上である必要があります。','Image width must not exceed %dpx.'=>'画像の幅は %dpx 以下である必要があります。','Image width must be at least %dpx.'=>'画像の幅は %dpx 以上である必要があります。','(no title)'=>'(タイトルなし)','Full Size'=>'フルサイズ','Large'=>'大','Medium'=>'中','Thumbnail'=>'サムネイル','(no label)'=>'(ラベルなし)','Sets the textarea height'=>'テキストエリアの高さを設定','Rows'=>'行','Text Area'=>'テキストエリア','Prepend an extra checkbox to toggle all choices'=>'追加のチェックボックスを先頭に追加して、すべての選択肢を切り替えます','Save \'custom\' values to the field\'s choices'=>'フィールドの選択肢として「カスタム」を保存する','Allow \'custom\' values to be added'=>'「カスタム」値の追加を許可する','Add new choice'=>'新規選択肢を追加','Toggle All'=>'すべて切り替え','Allow Archives URLs'=>'アーカイブ URL を許可','Archives'=>'アーカイブ','Page Link'=>'ページリンク','Add'=>'追加','Name'=>'名前','%s added'=>'%s を追加しました','%s already exists'=>'%s はすでに存在しています','User unable to add new %s'=>'ユーザーが新規 %s を追加できません','Term ID'=>'ターム ID','Term Object'=>'タームオブジェクト','Load value from posts terms'=>'投稿タームから値を読み込む','Load Terms'=>'タームを読み込む','Connect selected terms to the post'=>'選択したタームを投稿に関連付ける','Save Terms'=>'タームを保存','Allow new terms to be created whilst editing'=>'編集中に新しいタームを作成できるようにする','Create Terms'=>'タームを追加','Radio Buttons'=>'ラジオボタン','Single Value'=>'単一値','Multi Select'=>'複数選択','Checkbox'=>'チェックボックス','Multiple Values'=>'複数値','Select the appearance of this field'=>'このフィールドの外観を選択','Appearance'=>'外観','Select the taxonomy to be displayed'=>'表示するタクソノミーを選択','No TermsNo %s'=>'%s なし','Value must be equal to or lower than %d'=>'値は%d文字以下である必要があります','Value must be equal to or higher than %d'=>'値は%d文字以上である必要があります','Value must be a number'=>'値は数字である必要があります','Number'=>'番号','Save \'other\' values to the field\'s choices'=>'フィールドの選択肢として「その他」を保存する','Add \'other\' choice to allow for custom values'=>'「その他」の選択肢を追加してカスタム値を許可','Other'=>'その他','Radio Button'=>'ラジオボタン','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'前のアコーディオンを停止するエンドポイントを定義します。このアコーディオンは表示されません。','Allow this accordion to open without closing others.'=>'他のアコーディオンを閉じずにこのアコーディオンを開くことができるようにする。','Multi-Expand'=>'マルチ展開','Display this accordion as open on page load.'=>'このアコーディオンをページの読み込み時に開いた状態で表示します。','Open'=>'受付中','Accordion'=>'アコーディオン','Restrict which files can be uploaded'=>'アップロード可能なファイルを制限','File ID'=>'ファイル ID','File URL'=>'ファイルの URL','File Array'=>'ファイル配列','Add File'=>'ファイルを追加','No file selected'=>'ファイルが選択されていません','File name'=>'ファイル名','Update File'=>'ファイルを更新','Edit File'=>'ファイルを編集','Select File'=>'ファイルを選択','File'=>'ファイル','Password'=>'パスワード','Specify the value returned'=>'戻り値を指定します','Use AJAX to lazy load choices?'=>'AJAX を使用して選択肢を遅延読み込みしますか ?','Enter each default value on a new line'=>'新しい行に各デフォルト値を入力してください','verbSelect'=>'選択','Select2 JS load_failLoading failed'=>'読み込み失敗','Select2 JS searchingSearching…'=>'検索中…','Select2 JS load_moreLoading more results…'=>'結果をさらに読み込み中…','Select2 JS selection_too_long_nYou can only select %d items'=>'%d項目のみ選択可能です','Select2 JS selection_too_long_1You can only select 1 item'=>'1項目のみ選択可能です','Select2 JS input_too_long_nPlease delete %d characters'=>'%d文字を削除してください','Select2 JS input_too_long_1Please delete 1 character'=>'1文字削除してください','Select2 JS input_too_short_nPlease enter %d or more characters'=>'%d文字以上を入力してください','Select2 JS input_too_short_1Please enter 1 or more characters'=>'1つ以上の文字を入力してください','Select2 JS matches_0No matches found'=>'一致する項目がありません','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d件の結果が見つかりました。上下矢印キーを使って移動してください。','Select2 JS matches_1One result is available, press enter to select it.'=>'1件の結果が利用可能です。Enter を押して選択してください。','nounSelect'=>'選択','User ID'=>'ユーザー ID','User Object'=>'ユーザーオブジェクト','User Array'=>'ユーザー配列','All user roles'=>'すべてのユーザー権限グループ','Filter by Role'=>'権限グループで絞り込む','User'=>'ユーザー','Separator'=>'区切り','Select Color'=>'色を選択','Default'=>'デフォルト','Clear'=>'クリア','Color Picker'=>'カラーピッカー','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'選択','Date Time Picker JS closeTextDone'=>'完了','Date Time Picker JS currentTextNow'=>'現在','Date Time Picker JS timezoneTextTime Zone'=>'タイムゾーン','Date Time Picker JS microsecTextMicrosecond'=>'マイクロ秒','Date Time Picker JS millisecTextMillisecond'=>'ミリ秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分','Date Time Picker JS hourTextHour'=>'時','Date Time Picker JS timeTextTime'=>'時間','Date Time Picker JS timeOnlyTitleChoose Time'=>'時間を選択','Date Time Picker'=>'日時選択ツール','Endpoint'=>'エンドポイント','Left aligned'=>'左揃え','Top aligned'=>'上揃え','Placement'=>'配置','Tab'=>'タブ','Value must be a valid URL'=>'値は有効な URL である必要があります','Link URL'=>'リンク URL','Link Array'=>'リンク配列','Opens in a new window/tab'=>'新しいウィンドウまたはタブで開く','Select Link'=>'リンクを選択','Link'=>'リンク','Email'=>'メール','Step Size'=>'ステップサイズ','Maximum Value'=>'最大値','Minimum Value'=>'最小値','Range'=>'範囲','Both (Array)'=>'両方 (配列)','Label'=>'ラベル','Value'=>'値','Vertical'=>'垂直','Horizontal'=>'水平','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'下記のように記述すると、値とラベルの両方を制御することができます:','Enter each choice on a new line.'=>'選択肢を改行で区切って入力してください。','Choices'=>'選択肢','Button Group'=>'ボタングループ','Allow Null'=>'空の値を許可','Parent'=>'親','TinyMCE will not be initialized until field is clicked'=>'フィールドがクリックされるまで TinyMCE は初期化されません','Delay Initialization'=>'初期化を遅延させる','Show Media Upload Buttons'=>'メディアアップロードボタンを表示','Toolbar'=>'ツールバー','Text Only'=>'テキストのみ','Visual Only'=>'ビジュアルのみ','Visual & Text'=>'ビジュアルとテキスト','Tabs'=>'タブ','Click to initialize TinyMCE'=>'クリックして TinyMCE を初期化','Name for the Text editor tab (formerly HTML)Text'=>'テキスト','Visual'=>'ビジュアル','Value must not exceed %d characters'=>'値は%d文字以内である必要があります','Leave blank for no limit'=>'制限しない場合は空白にする','Character Limit'=>'文字数制限','Appears after the input'=>'入力内容の後に表示','Append'=>'追加','Appears before the input'=>'入力内容の前に表示','Prepend'=>'先頭に追加','Appears within the input'=>'入力内容の中に表示','Placeholder Text'=>'プレースホルダーテキスト','Appears when creating a new post'=>'新規投稿作成時に表示','Text'=>'テキスト','%1$s requires at least %2$s selection'=>'%1$sは%2$s個以上選択する必要があります','Post ID'=>'投稿 ID','Post Object'=>'投稿オブジェクト','Maximum Posts'=>'最大投稿数','Minimum Posts'=>'最小投稿数','Featured Image'=>'アイキャッチ画像','Selected elements will be displayed in each result'=>'選択した要素がそれぞれの結果に表示されます','Elements'=>'要素','Taxonomy'=>'タクソノミー','Post Type'=>'投稿タイプ','Filters'=>'フィルター','All taxonomies'=>'すべてのタクソノミー','Filter by Taxonomy'=>'タクソノミーで絞り込み','All post types'=>'すべての投稿タイプ','Filter by Post Type'=>'投稿タイプでフィルター','Search...'=>'検索…','Select taxonomy'=>'タクソノミーを選択','Select post type'=>'投稿タイプを選択','No matches found'=>'一致する項目がありません','Loading'=>'読み込み中','Maximum values reached ( {max} values )'=>'最大値 ({max}) に達しました','Relationship'=>'関係','Comma separated list. Leave blank for all types'=>'カンマ区切りのリスト。すべてのタイプを許可する場合は空白のままにします','Allowed File Types'=>'許可されるファイルの種類','Maximum'=>'最大','File size'=>'ファイルサイズ','Restrict which images can be uploaded'=>'アップロード可能な画像を制限','Minimum'=>'最小','Uploaded to post'=>'投稿にアップロード','All'=>'すべて','Limit the media library choice'=>'メディアライブラリの選択肢を制限','Library'=>'ライブラリ','Preview Size'=>'プレビューサイズ','Image ID'=>'画像 ID','Image URL'=>'画像 URL','Image Array'=>'画像配列','Specify the returned value on front end'=>'フロントエンドへの返り値を指定してください','Return Value'=>'返り値','Add Image'=>'画像を追加','No image selected'=>'画像が選択されていません','Remove'=>'削除','Edit'=>'編集','All images'=>'すべての画像','Update Image'=>'画像を更新','Edit Image'=>'画像を編集','Select Image'=>'画像を選択','Image'=>'画像','Allow HTML markup to display as visible text instead of rendering'=>'HTML マークアップのコードとして表示を許可','Escape HTML'=>'HTML をエスケープ','No Formatting'=>'書式設定なし','Automatically add <br>'=>'自動的に <br> を追加','Automatically add paragraphs'=>'自動的に段落追加する','Controls how new lines are rendered'=>'改行をどのように表示するか制御','New Lines'=>'改行','Week Starts On'=>'週の始まり','The format used when saving a value'=>'値を保存するときに使用される形式','Save Format'=>'書式を保存','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'前へ','Date Picker JS nextTextNext'=>'次へ','Date Picker JS currentTextToday'=>'今日','Date Picker JS closeTextDone'=>'完了','Date Picker'=>'日付選択ツール','Width'=>'幅','Embed Size'=>'埋め込みサイズ','Enter URL'=>'URL を入力','oEmbed'=>'oEmbed','Text shown when inactive'=>'無効化時に表示されるテキスト','Off Text'=>'無効化時のテキスト','Text shown when active'=>'有効時に表示するテキスト','On Text'=>'アクティブ時のテキスト','Stylized UI'=>'スタイリッシュな UI','Default Value'=>'初期値','Displays text alongside the checkbox'=>'チェックボックスの横にテキストを表示','Message'=>'メッセージ','No'=>'いいえ','Yes'=>'はい','True / False'=>'真/偽','Row'=>'行','Table'=>'テーブル','Block'=>'ブロック','Specify the style used to render the selected fields'=>'選択したフィールドのレンダリングに使用されるスタイルを指定します','Layout'=>'レイアウト','Sub Fields'=>'サブフィールド','Group'=>'グループ','Customize the map height'=>'地図の高さをカスタマイズ','Height'=>'高さ','Set the initial zoom level'=>'地図のデフォルトズームレベルを設定','Zoom'=>'ズーム','Center the initial map'=>'地図のデフォルト中心位置を設定','Center'=>'中央','Search for address...'=>'住所を検索…','Find current location'=>'現在の場所を検索','Clear location'=>'位置情報をクリア','Search'=>'検索','Sorry, this browser does not support geolocation'=>'お使いのブラウザーは位置情報機能に対応していません','Google Map'=>'Google マップ','The format returned via template functions'=>'テンプレート関数で返されるフォーマット','Return Format'=>'戻り値の形式','Custom:'=>'カスタム:','The format displayed when editing a post'=>'投稿編集時に表示される書式','Display Format'=>'表示形式','Time Picker'=>'時間選択ツール','Inactive (%s)'=>'停止中 (%s)','No Fields found in Trash'=>'ゴミ箱にフィールドが見つかりません','No Fields found'=>'フィールドが見つかりません','Search Fields'=>'フィールドを検索','View Field'=>'フィールドを表示','New Field'=>'新規フィールド','Edit Field'=>'フィールドを編集','Add New Field'=>'新規フィールドを追加','Field'=>'フィールド','Fields'=>'フィールド','No Field Groups found in Trash'=>'ゴミ箱にフィールドグループが見つかりません','No Field Groups found'=>'フィールドグループが見つかりません','Search Field Groups'=>'フィールドグループを検索','View Field Group'=>'フィールドグループを表示','New Field Group'=>'新規フィールドグループ','Edit Field Group'=>'フィールドグループを編集','Add New Field Group'=>'新規フィールドグループを追加','Add New'=>'新規追加','Field Group'=>'フィールドグループ','Field Groups'=>'フィールドグループ','Customize WordPress with powerful, professional and intuitive fields.'=>'パワフル、プロフェッショナル、直感的なフィールドで WordPress をカスタマイズ。','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Options Updated'=>'オプションを更新しました','Check Again'=>'再確認','Publish'=>'公開','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'このオプションページにカスタムフィールドグループがありません. カスタムフィールドグループを作成','Error. Could not connect to update server'=>'エラー 更新サーバーに接続できません','Display'=>'表示','Add Row'=>'行を追加','layout'=>'レイアウト','layouts'=>'レイアウト','This field requires at least {min} {label} {identifier}'=>'{identifier}に{label}は最低{min}個必要です','{available} {label} {identifier} available (max {max})'=>'あと{available}個 {identifier}には {label} を利用できます(最大 {max}個)','{required} {label} {identifier} required (min {min})'=>'あと{required}個 {identifier}には {label} を利用する必要があります(最小 {max}個)','Flexible Content requires at least 1 layout'=>'柔軟コンテンツは少なくとも1個のレイアウトが必要です','Click the "%s" button below to start creating your layout'=>'下の "%s" ボタンをクリックしてレイアウトの作成を始めてください','Add layout'=>'レイアウトを追加','Remove layout'=>'レイアウトを削除','Delete Layout'=>'レイアウトを削除','Duplicate Layout'=>'レイアウトを複製','Add New Layout'=>'新しいレイアウトを追加','Add Layout'=>'レイアウトを追加','Min'=>'最小数','Max'=>'最大数','Minimum Layouts'=>'レイアウトの最小数','Maximum Layouts'=>'レイアウトの最大数','Button Label'=>'ボタンのラベル','Add Image to Gallery'=>'ギャラリーに画像を追加','Maximum selection reached'=>'選択の最大数に到達しました','Length'=>'長さ','Add to gallery'=>'ギャラリーを追加','Bulk actions'=>'一括操作','Sort by date uploaded'=>'アップロード日で並べ替え','Sort by date modified'=>'変更日で並び替え','Sort by title'=>'タイトルで並び替え','Reverse current order'=>'並び順を逆にする','Close'=>'閉じる','Minimum Selection'=>'最小選択数','Maximum Selection'=>'最大選択数','Allowed file types'=>'許可するファイルタイプ','Minimum rows not reached ({min} rows)'=>'最小行数に達しました({min} 行)','Maximum rows reached ({max} rows)'=>'最大行数に達しました({max} 行)','Minimum Rows'=>'最小行数','Maximum Rows'=>'最大行数','Click to reorder'=>'ドラッグして並び替え','Add row'=>'行を追加','Remove row'=>'行を削除','First Page'=>'フロントページ','Previous Page'=>'投稿ページ','Next Page'=>'フロントページ','Last Page'=>'投稿ページ','No options pages exist'=>'オプションページはありません','Deactivate License'=>'ライセンスのアクティベートを解除','Activate License'=>'ライセンスをアクティベート','License Key'=>'ライセンスキー','Update Information'=>'アップデート情報','Current Version'=>'現在のバージョン','Latest Version'=>'最新のバージョン','Update Available'=>'利用可能なアップデート','Upgrade Notice'=>'アップグレード通知','Enter your license key to unlock updates'=>'アップデートのロックを解除するためにライセンスキーを入力してください','Update Plugin'=>'プラグインをアップデート']];
\ No newline at end of file
+Advanced Custom Fields を自動的に無効化しました。','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'','%1$s must have a valid user ID.'=>'%1$s は有効なユーザー ID である必要があります。','Invalid request.'=>'無効なリクエストです。','%1$s is not one of %2$s'=>'%1$s は %2$s に当てはまりません','%1$s must have term %2$s.'=>'%1$s はターム %2$s である必要があります。','%1$s must be of post type %2$s.'=>'%1$s は投稿タイプ %2$s である必要があります。','%1$s must have a valid post ID.'=>'%1$s は有効な投稿 ID である必要があります。','%s requires a valid attachment ID.'=>'%s には有効な添付ファイル ID が必要です。','Show in REST API'=>'REST API で表示','Enable Transparency'=>'透明度の有効化','RGBA Array'=>'RGBA 配列','RGBA String'=>'RGBA 文字列','Hex String'=>'16進値文字列','Upgrade to PRO'=>'プロ版にアップグレード','post statusActive'=>'有効','\'%s\' is not a valid email address'=>'\'%s\' は有効なメールアドレスではありません','Color value'=>'明度','Select default color'=>'デフォルトの色を選択','Clear color'=>'色をクリア','Blocks'=>'ブロック','Options'=>'オプション','Users'=>'ユーザー','Menu items'=>'メニュー項目','Widgets'=>'ウィジェット','Attachments'=>'添付ファイル','Taxonomies'=>'タクソノミー','Posts'=>'投稿','Last updated: %s'=>'最終更新日: %s','Sorry, this post is unavailable for diff comparison.'=>'このフィールドグループは diff 比較に使用できません。','Invalid field group parameter(s).'=>'無効なフィールドグループパラメータ。','Awaiting save'=>'保存待ち','Saved'=>'保存しました','Import'=>'インポート','Review changes'=>'変更をレビュー','Located in: %s'=>'位置: %s','Located in plugin: %s'=>'プラグイン中の位置: %s','Located in theme: %s'=>'テーマ内の位置: %s','Various'=>'各種','Sync changes'=>'変更を同期','Loading diff'=>'差分を読み込み中','Review local JSON changes'=>'ローカルの JSON 変更をレビュー','Visit website'=>'サイトへ移動','View details'=>'詳細を表示','Version %s'=>'バージョン %s','Information'=>'情報','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'ヘルプデスク。サポートの専門家がお客様のより詳細な技術的課題をサポートします。','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'ディスカッション。コミュニティフォーラムには、活発でフレンドリーなコミュニティがあり、ACFの世界の「ハウツー」を理解する手助けをしてくれるかもしれません。','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'ドキュメンテーション。私たちの豊富なドキュメントには、お客様が遭遇する可能性のあるほとんどの状況に対するリファレンスやガイドが含まれています。','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'私たちはサポートを非常に重要視しており、ACF を使ったサイトを最大限に活用していただきたいと考えています。何か問題が発生した場合には、複数の場所でサポートを受けることができます:','Help & Support'=>'ヘルプとサポート','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'お困りの際は「ヘルプとサポート」タブからお問い合わせください。','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'初めてフィールドグループを作成する前にまずスタートガイドに目を通して、プラグインの理念やベストプラクティスを理解することをおすすめします。','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields プラグインは、WordPress の編集画面を追加フィールドでカスタマイズするためのビジュアルフォームビルダーと、カスタムフィールドの値を任意のテーマテンプレートファイルに表示するための直感的な API を提供します。','Overview'=>'概要','Location type "%s" is already registered.'=>'位置タイプ「%s」はすでに登録されています。','Class "%s" does not exist.'=>'クラス "%s" は存在しません。','Invalid nonce.'=>'無効な nonce。','Error loading field.'=>'フィールドの読み込みエラー。','Error: %s'=>'エラー: %s','Widget'=>'ウィジェット','User Role'=>'ユーザー権限グループ','Comment'=>'コメント','Post Format'=>'投稿フォーマット','Menu Item'=>'メニュー項目','Post Status'=>'投稿ステータス','Menus'=>'メニュー','Menu Locations'=>'メニューの位置','Menu'=>'メニュー','Post Taxonomy'=>'投稿タクソノミー','Child Page (has parent)'=>'子ページ (親ページあり)','Parent Page (has children)'=>'親ページ (子ページあり)','Top Level Page (no parent)'=>'最上位レベルのページ (親ページなし)','Posts Page'=>'投稿ページ','Front Page'=>'フロントページ','Page Type'=>'ページタイプ','Viewing back end'=>'バックエンドで表示','Viewing front end'=>'フロントエンドで表示','Logged in'=>'ログイン済み','Current User'=>'現在のユーザー','Page Template'=>'固定ページテンプレート','Register'=>'登録','Add / Edit'=>'追加 / 編集','User Form'=>'ユーザーフォーム','Page Parent'=>'親ページ','Super Admin'=>'特権管理者','Current User Role'=>'現在のユーザー権限グループ','Default Template'=>'デフォルトテンプレート','Post Template'=>'投稿テンプレート','Post Category'=>'投稿カテゴリー','All %s formats'=>'すべての%sフォーマット','Attachment'=>'添付ファイル','%s value is required'=>'%s の値は必須です','Show this field if'=>'このフィールドグループの表示条件','Conditional Logic'=>'条件判定','and'=>'と','Local JSON'=>'ローカル JSON','Clone Field'=>'フィールドを複製','Please also check all premium add-ons (%s) are updated to the latest version.'=>'また、すべてのプレミアムアドオン ( %s) が最新版に更新されていることを確認してください。','This version contains improvements to your database and requires an upgrade.'=>'このバージョンにはデータベースの改善が含まれており、アップグレードが必要です。','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$sへの更新をありがとうございます。','Database Upgrade Required'=>'データベースのアップグレードが必要','Options Page'=>'オプションページ','Gallery'=>'ギャラリー','Flexible Content'=>'柔軟なコンテンツ','Repeater'=>'繰り返し','Back to all tools'=>'すべてのツールに戻る','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)'=>'複数のフィールドグループが編集画面に表示される場合、最初のフィールドグループ (最小の番号を持つもの) のオプションが使用されます','Select items to hide them from the edit screen.'=>'編集画面で非表示にする項目を選択してください。','Hide on screen'=>'画面上で非表示','Send Trackbacks'=>'トラックバック送信','Tags'=>'タグ','Categories'=>'カテゴリー','Page Attributes'=>'ページ属性','Format'=>'フォーマット','Author'=>'投稿者','Slug'=>'スラッグ','Revisions'=>'リビジョン','Comments'=>'コメント','Discussion'=>'ディスカッション','Excerpt'=>'抜粋','Content Editor'=>'コンテンツエディター','Permalink'=>'パーマリンク','Shown in field group list'=>'フィールドグループリストに表示','Field groups with a lower order will appear first'=>'下位のフィールドグループを最初に表示','Order No.'=>'注文番号','Below fields'=>'フィールドの下','Below labels'=>'ラベルの下','Instruction Placement'=>'手順の配置','Label Placement'=>'ラベルの配置','Side'=>'サイド','Normal (after content)'=>'通常 (コンテンツの後)','High (after title)'=>'高 (タイトルの後)','Position'=>'位置','Seamless (no metabox)'=>'シームレス (メタボックスなし)','Standard (WP metabox)'=>'標準 (WP メタボックス)','Style'=>'スタイル','Type'=>'タイプ','Key'=>'キー','Order'=>'順序','Close Field'=>'フィールドを閉じる','id'=>'ID','class'=>'クラス','width'=>'横幅','Wrapper Attributes'=>'ラッパー属性','Required'=>'必須項目','Instructions'=>'手順','Field Type'=>'フィールドタイプ','Single word, no spaces. Underscores and dashes allowed'=>'スペースは不可、アンダースコアとダッシュは使用可能','Field Name'=>'フィールド名','This is the name which will appear on the EDIT page'=>'これは、編集ページに表示される名前です','Field Label'=>'フィールドラベル','Delete'=>'削除','Delete field'=>'フィールドを削除','Move'=>'移動','Move field to another group'=>'フィールドを別のグループへ移動','Duplicate field'=>'フィールドを複製','Edit field'=>'フィールドを編集','Drag to reorder'=>'ドラッグして順序を変更','Show this field group if'=>'このフィールドグループを表示する条件','No updates available.'=>'利用可能な更新はありません。','Database upgrade complete. See what\'s new'=>'データベースのアップグレードが完了しました。変更点を表示','Reading upgrade tasks...'=>'アップグレードタスクを読み込んでいます...','Upgrade failed.'=>'アップグレードに失敗しました。','Upgrade complete.'=>'アップグレードが完了しました。','Upgrading data to version %s'=>'データをバージョン%sへアップグレード中','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'続行する前にデータベースをバックアップすることを強くおすすめします。本当に更新ツールを今すぐ実行してもよいですか ?','Please select at least one site to upgrade.'=>'アップグレードするサイトを1つ以上選択してください。','Database Upgrade complete. Return to network dashboard'=>'データベースのアップグレードが完了しました。ネットワークダッシュボードに戻る','Site is up to date'=>'サイトは最新状態です','Site requires database upgrade from %1$s to %2$s'=>'%1$s から %2$s へのデータベースのアップグレードが必要です','Site'=>'サイト','Upgrade Sites'=>'サイトをアップグレード','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'以下のサイトはデータベースのアップグレードが必要です。更新したいものにチェックを入れて、%s をクリックしてください。','Add rule group'=>'ルールグループを追加','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します','Rules'=>'ルール','Copied'=>'コピーしました','Copy to clipboard'=>'クリップボードにコピー','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'エクスポートしたい項目とエクスポート方法を選んでください。「JSON としてエクスポート」では別の ACF をインストールした環境でインポートできる JSON ファイルがエクスポートされます。「PHP の生成」ではテーマ内で利用できる PHP コードが生成されます。','Select Field Groups'=>'フィールドグループを選択','No field groups selected'=>'フィールド未選択','Generate PHP'=>'PHP を生成','Export Field Groups'=>'フィールドグループをエクスポート','Import file empty'=>'空ファイルのインポート','Incorrect file type'=>'不正なファイルの種類','Error uploading file. Please try again'=>'ファイルアップロードエラー。もう一度お試しください','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'インポートしたい ACF の JSON ファイルを選択してください。下のインポートボタンをクリックすると、ACF はファイルに項目をインポートします。','Import Field Groups'=>'フィールドグループをインポート','Sync'=>'同期','Select %s'=>'%sを選択','Duplicate'=>'複製','Duplicate this item'=>'この項目を複製','Supports'=>'サポート','Documentation'=>'ドキュメンテーション','Description'=>'説明','Sync available'=>'同期が利用できます','Field group synchronized.'=>'%s件のフィールドグループを同期しました。','Field group duplicated.'=>'%s件のフィールドグループを複製しました。','Active (%s)'=>'使用中 (%s)','Review sites & upgrade'=>'サイトをレビューしてアップグレード','Upgrade Database'=>'データベースをアップグレード','Custom Fields'=>'カスタムフィールド','Move Field'=>'フィールドを移動','Please select the destination for this field'=>'このフィールドの移動先を選択してください','The %1$s field can now be found in the %2$s field group'=>'%1$s フィールドは現在 %2$s フィールドグループにあります','Move Complete.'=>'移動が完了しました。','Active'=>'有効','Field Keys'=>'フィールドキー','Settings'=>'設定','Location'=>'位置','Null'=>'Null','copy'=>'コピー','(this field)'=>'(このフィールド)','Checked'=>'チェック済み','Move Custom Field'=>'カスタムフィールドを移動','No toggle fields available'=>'利用可能な切り替えフィールドがありません','Field group title is required'=>'フィールドグループのタイトルは必須です','This field cannot be moved until its changes have been saved'=>'変更を保存するまでこのフィールドは移動できません','The string "field_" may not be used at the start of a field name'=>'"field_" という文字列はフィールド名の先頭に使うことはできません','Field group draft updated.'=>'フィールドグループ下書きを更新しました。','Field group scheduled for.'=>'フィールドグループを公開予約しました。','Field group submitted.'=>'フィールドグループを送信しました。','Field group saved.'=>'フィールドグループを保存しました。','Field group published.'=>'フィールドグループを公開しました。','Field group deleted.'=>'フィールドグループを削除しました。','Field group updated.'=>'フィールドグループを更新しました。','Tools'=>'ツール','is not equal to'=>'等しくない','is equal to'=>'等しい','Forms'=>'フォーム','Page'=>'固定ページ','Post'=>'投稿','Relational'=>'関連','Choice'=>'選択','Basic'=>'基本','Unknown'=>'不明','Field type does not exist'=>'フィールドタイプが存在しません','Spam Detected'=>'スパムを検出しました','Post updated'=>'投稿を更新しました','Update'=>'更新','Validate Email'=>'メールを確認','Content'=>'コンテンツ','Title'=>'タイトル','Edit field group'=>'フィールドグループを編集','Selection is less than'=>'選択範囲が以下より小さい場合','Selection is greater than'=>'選択範囲が以下より大きい場合','Value is less than'=>'値が以下より小さい場合','Value is greater than'=>'値が以下より大きい場合','Value contains'=>'以下の値が含まれる場合','Value matches pattern'=>'値が以下のパターンに一致する場合','Value is not equal to'=>'値が以下に等しくない場合','Value is equal to'=>'値が以下に等しい場合','Has no value'=>'値がない場合','Has any value'=>'任意の値あり','Cancel'=>'キャンセル','Are you sure?'=>'本当に実行しますか ?','%d fields require attention'=>'%d個のフィールドで確認が必要です','1 field requires attention'=>'1つのフィールドで確認が必要です','Validation failed'=>'検証失敗','Validation successful'=>'検証成功','Restricted'=>'制限','Collapse Details'=>'詳細を折りたたむ','Expand Details'=>'詳細を展開','Uploaded to this post'=>'この投稿へのアップロード','verbUpdate'=>'更新','verbEdit'=>'編集','The changes you made will be lost if you navigate away from this page'=>'このページから移動した場合、変更は失われます','File type must be %s.'=>'ファイル形式は %s である必要があります。','or'=>'または','File size must not exceed %s.'=>'ファイルサイズは %s 以下である必要があります。','File size must be at least %s.'=>'ファイルサイズは %s 以上である必要があります。','Image height must not exceed %dpx.'=>'画像の高さは %dpx 以下である必要があります。','Image height must be at least %dpx.'=>'画像の高さは %dpx 以上である必要があります。','Image width must not exceed %dpx.'=>'画像の幅は %dpx 以下である必要があります。','Image width must be at least %dpx.'=>'画像の幅は %dpx 以上である必要があります。','(no title)'=>'(タイトルなし)','Full Size'=>'フルサイズ','Large'=>'大','Medium'=>'中','Thumbnail'=>'サムネイル','(no label)'=>'(ラベルなし)','Sets the textarea height'=>'テキストエリアの高さを設定','Rows'=>'行','Text Area'=>'テキストエリア','Prepend an extra checkbox to toggle all choices'=>'追加のチェックボックスを先頭に追加して、すべての選択肢を切り替えます','Save \'custom\' values to the field\'s choices'=>'フィールドの選択肢として「カスタム」を保存する','Allow \'custom\' values to be added'=>'「カスタム」値の追加を許可する','Add new choice'=>'新規選択肢を追加','Toggle All'=>'すべて切り替え','Allow Archives URLs'=>'アーカイブ URL を許可','Archives'=>'アーカイブ','Page Link'=>'ページリンク','Add'=>'追加','Name'=>'名前','%s added'=>'%s を追加しました','%s already exists'=>'%s はすでに存在しています','User unable to add new %s'=>'ユーザーが新規 %s を追加できません','Term ID'=>'ターム ID','Term Object'=>'タームオブジェクト','Load value from posts terms'=>'投稿タームから値を読み込む','Load Terms'=>'タームを読み込む','Connect selected terms to the post'=>'選択したタームを投稿に関連付ける','Save Terms'=>'タームを保存','Allow new terms to be created whilst editing'=>'編集中に新しいタームを作成できるようにする','Create Terms'=>'タームを追加','Radio Buttons'=>'ラジオボタン','Single Value'=>'単一値','Multi Select'=>'複数選択','Checkbox'=>'チェックボックス','Multiple Values'=>'複数値','Select the appearance of this field'=>'このフィールドの外観を選択','Appearance'=>'外観','Select the taxonomy to be displayed'=>'表示するタクソノミーを選択','No TermsNo %s'=>'%s なし','Value must be equal to or lower than %d'=>'値は%d文字以下である必要があります','Value must be equal to or higher than %d'=>'値は%d文字以上である必要があります','Value must be a number'=>'値は数字である必要があります','Number'=>'番号','Save \'other\' values to the field\'s choices'=>'フィールドの選択肢として「その他」を保存する','Add \'other\' choice to allow for custom values'=>'「その他」の選択肢を追加してカスタム値を許可','Other'=>'その他','Radio Button'=>'ラジオボタン','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'前のアコーディオンを停止するエンドポイントを定義します。このアコーディオンは表示されません。','Allow this accordion to open without closing others.'=>'他のアコーディオンを閉じずにこのアコーディオンを開くことができるようにする。','Multi-Expand'=>'マルチ展開','Display this accordion as open on page load.'=>'このアコーディオンをページの読み込み時に開いた状態で表示します。','Open'=>'受付中','Accordion'=>'アコーディオン','Restrict which files can be uploaded'=>'アップロード可能なファイルを制限','File ID'=>'ファイル ID','File URL'=>'ファイルの URL','File Array'=>'ファイル配列','Add File'=>'ファイルを追加','No file selected'=>'ファイルが選択されていません','File name'=>'ファイル名','Update File'=>'ファイルを更新','Edit File'=>'ファイルを編集','Select File'=>'ファイルを選択','File'=>'ファイル','Password'=>'パスワード','Specify the value returned'=>'戻り値を指定します','Use AJAX to lazy load choices?'=>'AJAX を使用して選択肢を遅延読み込みしますか ?','Enter each default value on a new line'=>'新しい行に各デフォルト値を入力してください','verbSelect'=>'選択','Select2 JS load_failLoading failed'=>'読み込み失敗','Select2 JS searchingSearching…'=>'検索中…','Select2 JS load_moreLoading more results…'=>'結果をさらに読み込み中…','Select2 JS selection_too_long_nYou can only select %d items'=>'%d項目のみ選択可能です','Select2 JS selection_too_long_1You can only select 1 item'=>'1項目のみ選択可能です','Select2 JS input_too_long_nPlease delete %d characters'=>'%d文字を削除してください','Select2 JS input_too_long_1Please delete 1 character'=>'1文字削除してください','Select2 JS input_too_short_nPlease enter %d or more characters'=>'%d文字以上を入力してください','Select2 JS input_too_short_1Please enter 1 or more characters'=>'1つ以上の文字を入力してください','Select2 JS matches_0No matches found'=>'一致する項目がありません','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d件の結果が見つかりました。上下矢印キーを使って移動してください。','Select2 JS matches_1One result is available, press enter to select it.'=>'1件の結果が利用可能です。Enter を押して選択してください。','nounSelect'=>'選択','User ID'=>'ユーザー ID','User Object'=>'ユーザーオブジェクト','User Array'=>'ユーザー配列','All user roles'=>'すべてのユーザー権限グループ','Filter by Role'=>'権限グループで絞り込む','User'=>'ユーザー','Separator'=>'区切り','Select Color'=>'色を選択','Default'=>'デフォルト','Clear'=>'クリア','Color Picker'=>'カラーピッカー','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'選択','Date Time Picker JS closeTextDone'=>'完了','Date Time Picker JS currentTextNow'=>'現在','Date Time Picker JS timezoneTextTime Zone'=>'タイムゾーン','Date Time Picker JS microsecTextMicrosecond'=>'マイクロ秒','Date Time Picker JS millisecTextMillisecond'=>'ミリ秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分','Date Time Picker JS hourTextHour'=>'時','Date Time Picker JS timeTextTime'=>'時間','Date Time Picker JS timeOnlyTitleChoose Time'=>'時間を選択','Date Time Picker'=>'日時選択ツール','Endpoint'=>'エンドポイント','Left aligned'=>'左揃え','Top aligned'=>'上揃え','Placement'=>'配置','Tab'=>'タブ','Value must be a valid URL'=>'値は有効な URL である必要があります','Link URL'=>'リンク URL','Link Array'=>'リンク配列','Opens in a new window/tab'=>'新しいウィンドウまたはタブで開く','Select Link'=>'リンクを選択','Link'=>'リンク','Email'=>'メール','Step Size'=>'ステップサイズ','Maximum Value'=>'最大値','Minimum Value'=>'最小値','Range'=>'範囲','Both (Array)'=>'両方 (配列)','Label'=>'ラベル','Value'=>'値','Vertical'=>'垂直','Horizontal'=>'水平','red : Red'=>'red : Red','For more control, you may specify both a value and label like this:'=>'下記のように記述すると、値とラベルの両方を制御することができます:','Enter each choice on a new line.'=>'選択肢を改行で区切って入力してください。','Choices'=>'選択肢','Button Group'=>'ボタングループ','Allow Null'=>'空の値を許可','Parent'=>'親','TinyMCE will not be initialized until field is clicked'=>'フィールドがクリックされるまで TinyMCE は初期化されません','Delay Initialization'=>'初期化を遅延させる','Show Media Upload Buttons'=>'メディアアップロードボタンを表示','Toolbar'=>'ツールバー','Text Only'=>'テキストのみ','Visual Only'=>'ビジュアルのみ','Visual & Text'=>'ビジュアルとテキスト','Tabs'=>'タブ','Click to initialize TinyMCE'=>'クリックして TinyMCE を初期化','Name for the Text editor tab (formerly HTML)Text'=>'テキスト','Visual'=>'ビジュアル','Value must not exceed %d characters'=>'値は%d文字以内である必要があります','Leave blank for no limit'=>'制限しない場合は空白にする','Character Limit'=>'文字数制限','Appears after the input'=>'入力内容の後に表示','Append'=>'追加','Appears before the input'=>'入力内容の前に表示','Prepend'=>'先頭に追加','Appears within the input'=>'入力内容の中に表示','Placeholder Text'=>'プレースホルダーテキスト','Appears when creating a new post'=>'新規投稿作成時に表示','Text'=>'テキスト','%1$s requires at least %2$s selection'=>'%1$sは%2$s個以上選択する必要があります','Post ID'=>'投稿 ID','Post Object'=>'投稿オブジェクト','Maximum Posts'=>'最大投稿数','Minimum Posts'=>'最小投稿数','Featured Image'=>'アイキャッチ画像','Selected elements will be displayed in each result'=>'選択した要素がそれぞれの結果に表示されます','Elements'=>'要素','Taxonomy'=>'タクソノミー','Post Type'=>'投稿タイプ','Filters'=>'フィルター','All taxonomies'=>'すべてのタクソノミー','Filter by Taxonomy'=>'タクソノミーで絞り込み','All post types'=>'すべての投稿タイプ','Filter by Post Type'=>'投稿タイプでフィルター','Search...'=>'検索…','Select taxonomy'=>'タクソノミーを選択','Select post type'=>'投稿タイプを選択','No matches found'=>'一致する項目がありません','Loading'=>'読み込み中','Maximum values reached ( {max} values )'=>'最大値 ({max}) に達しました','Relationship'=>'関係','Comma separated list. Leave blank for all types'=>'カンマ区切りのリスト。すべてのタイプを許可する場合は空白のままにします','Allowed File Types'=>'許可されるファイルの種類','Maximum'=>'最大','File size'=>'ファイルサイズ','Restrict which images can be uploaded'=>'アップロード可能な画像を制限','Minimum'=>'最小','Uploaded to post'=>'投稿にアップロード','All'=>'すべて','Limit the media library choice'=>'メディアライブラリの選択肢を制限','Library'=>'ライブラリ','Preview Size'=>'プレビューサイズ','Image ID'=>'画像 ID','Image URL'=>'画像 URL','Image Array'=>'画像配列','Specify the returned value on front end'=>'フロントエンドへの返り値を指定してください','Return Value'=>'返り値','Add Image'=>'画像を追加','No image selected'=>'画像が選択されていません','Remove'=>'削除','Edit'=>'編集','All images'=>'すべての画像','Update Image'=>'画像を更新','Edit Image'=>'画像を編集','Select Image'=>'画像を選択','Image'=>'画像','Allow HTML markup to display as visible text instead of rendering'=>'HTML マークアップのコードとして表示を許可','Escape HTML'=>'HTML をエスケープ','No Formatting'=>'書式設定なし','Automatically add <br>'=>'自動的に <br> を追加','Automatically add paragraphs'=>'自動的に段落追加する','Controls how new lines are rendered'=>'改行をどのように表示するか制御','New Lines'=>'改行','Week Starts On'=>'週の始まり','The format used when saving a value'=>'値を保存するときに使用される形式','Save Format'=>'書式を保存','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'前へ','Date Picker JS nextTextNext'=>'次へ','Date Picker JS currentTextToday'=>'今日','Date Picker JS closeTextDone'=>'完了','Date Picker'=>'日付選択ツール','Width'=>'幅','Embed Size'=>'埋め込みサイズ','Enter URL'=>'URL を入力','oEmbed'=>'oEmbed','Text shown when inactive'=>'無効化時に表示されるテキスト','Off Text'=>'無効化時のテキスト','Text shown when active'=>'有効時に表示するテキスト','On Text'=>'アクティブ時のテキスト','Stylized UI'=>'スタイリッシュな UI','Default Value'=>'初期値','Displays text alongside the checkbox'=>'チェックボックスの横にテキストを表示','Message'=>'メッセージ','No'=>'いいえ','Yes'=>'はい','True / False'=>'真/偽','Row'=>'行','Table'=>'テーブル','Block'=>'ブロック','Specify the style used to render the selected fields'=>'選択したフィールドのレンダリングに使用されるスタイルを指定します','Layout'=>'レイアウト','Sub Fields'=>'サブフィールド','Group'=>'グループ','Customize the map height'=>'地図の高さをカスタマイズ','Height'=>'高さ','Set the initial zoom level'=>'地図のデフォルトズームレベルを設定','Zoom'=>'ズーム','Center the initial map'=>'地図のデフォルト中心位置を設定','Center'=>'中央','Search for address...'=>'住所を検索…','Find current location'=>'現在の場所を検索','Clear location'=>'位置情報をクリア','Search'=>'検索','Sorry, this browser does not support geolocation'=>'お使いのブラウザーは位置情報機能に対応していません','Google Map'=>'Google マップ','The format returned via template functions'=>'テンプレート関数で返されるフォーマット','Return Format'=>'戻り値の形式','Custom:'=>'カスタム:','The format displayed when editing a post'=>'投稿編集時に表示される書式','Display Format'=>'表示形式','Time Picker'=>'時間選択ツール','Inactive (%s)'=>'停止中 (%s)','No Fields found in Trash'=>'ゴミ箱にフィールドが見つかりません','No Fields found'=>'フィールドが見つかりません','Search Fields'=>'フィールドを検索','View Field'=>'フィールドを表示','New Field'=>'新規フィールド','Edit Field'=>'フィールドを編集','Add New Field'=>'新規フィールドを追加','Field'=>'フィールド','Fields'=>'フィールド','No Field Groups found in Trash'=>'ゴミ箱にフィールドグループが見つかりません','No Field Groups found'=>'フィールドグループが見つかりません','Search Field Groups'=>'フィールドグループを検索','View Field Group'=>'フィールドグループを表示','New Field Group'=>'新規フィールドグループ','Edit Field Group'=>'フィールドグループを編集','Add New Field Group'=>'新規フィールドグループを追加','Add New'=>'新規追加','Field Group'=>'フィールドグループ','Field Groups'=>'フィールドグループ','Customize WordPress with powerful, professional and intuitive fields.'=>'パワフル、プロフェッショナル、直感的なフィールドで WordPress をカスタマイズ。','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'オプションを更新しました','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'再確認','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'公開','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'このオプションページにカスタムフィールドグループがありません. カスタムフィールドグループを作成','Error. Could not connect to update server'=>'エラー 更新サーバーに接続できません','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'','Display'=>'表示','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'','Values will be saved as %s'=>'','Prefix Field Names'=>'','Unknown field'=>'','Unknown field group'=>'','All fields from %s field group'=>'','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'行を追加','layout'=>'レイアウト','layouts'=>'レイアウト','This field requires at least {min} {label} {identifier}'=>'{identifier}に{label}は最低{min}個必要です','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'あと{available}個 {identifier}には {label} を利用できます(最大 {max}個)','{required} {label} {identifier} required (min {min})'=>'あと{required}個 {identifier}には {label} を利用する必要があります(最小 {max}個)','Flexible Content requires at least 1 layout'=>'柔軟コンテンツは少なくとも1個のレイアウトが必要です','Click the "%s" button below to start creating your layout'=>'下の "%s" ボタンをクリックしてレイアウトの作成を始めてください','Add layout'=>'レイアウトを追加','Duplicate layout'=>'','Remove layout'=>'レイアウトを削除','Click to toggle'=>'','Delete Layout'=>'レイアウトを削除','Duplicate Layout'=>'レイアウトを複製','Add New Layout'=>'新しいレイアウトを追加','Add Layout'=>'レイアウトを追加','Min'=>'最小数','Max'=>'最大数','Minimum Layouts'=>'レイアウトの最小数','Maximum Layouts'=>'レイアウトの最大数','Button Label'=>'ボタンのラベル','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'','%1$s must contain at most %2$s %3$s layout.'=>'','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'ギャラリーに画像を追加','Maximum selection reached'=>'選択の最大数に到達しました','Length'=>'長さ','Caption'=>'','Alt Text'=>'','Add to gallery'=>'ギャラリーを追加','Bulk actions'=>'一括操作','Sort by date uploaded'=>'アップロード日で並べ替え','Sort by date modified'=>'変更日で並び替え','Sort by title'=>'タイトルで並び替え','Reverse current order'=>'並び順を逆にする','Close'=>'閉じる','Minimum Selection'=>'最小選択数','Maximum Selection'=>'最大選択数','Allowed file types'=>'許可するファイルタイプ','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'','Prepend to the beginning'=>'','Minimum rows not reached ({min} rows)'=>'最小行数に達しました({min} 行)','Maximum rows reached ({max} rows)'=>'最大行数に達しました({max} 行)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'最小行数','Maximum Rows'=>'最大行数','Collapsed'=>'','Select a sub field to show when row is collapsed'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'ドラッグして並び替え','Add row'=>'行を追加','Duplicate row'=>'','Remove row'=>'行を削除','Current Page'=>'','First Page'=>'フロントページ','Previous Page'=>'投稿ページ','paging%1$s of %2$s'=>'','Next Page'=>'フロントページ','Last Page'=>'投稿ページ','No block types exist'=>'','No options pages exist'=>'オプションページはありません','Deactivate License'=>'ライセンスのアクティベートを解除','Activate License'=>'ライセンスをアクティベート','License Information'=>'','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'','License Key'=>'ライセンスキー','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'アップデート情報','Current Version'=>'現在のバージョン','Latest Version'=>'最新のバージョン','Update Available'=>'利用可能なアップデート','Upgrade Notice'=>'アップグレード通知','Check For Updates'=>'','Enter your license key to unlock updates'=>'アップデートのロックを解除するためにライセンスキーを入力してください','Update Plugin'=>'プラグインをアップデート','Please reactivate your license to unlock updates'=>''],'language'=>'ja','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ja.mo b/lang/acf-ja.mo
index b1661c6..6393ac3 100644
Binary files a/lang/acf-ja.mo and b/lang/acf-ja.mo differ
diff --git a/lang/acf-ja.po b/lang/acf-ja.po
index a84f4fc..1d01a88 100644
--- a/lang/acf-ja.po
+++ b/lang/acf-ja.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ja\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr "フィールドを追加"
msgid "This Field"
msgstr "このフィールド"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "フィードバック"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "サポート"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "によって開発され、維持されている"
@@ -4389,7 +4405,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4705,7 +4721,7 @@ msgstr "この項目を有効化する"
msgid "Move field group to trash?"
msgstr ""
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4718,7 +4734,7 @@ msgstr "無効"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4727,7 +4743,7 @@ msgstr ""
"ださい。\n"
"Advanced Custom Fields PROを自動的に無効化しました。"
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5168,7 +5184,7 @@ msgstr "すべての%sフォーマット"
msgid "Attachment"
msgstr "添付ファイル"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s の値は必須です"
@@ -5658,7 +5674,7 @@ msgstr "この項目を複製"
msgid "Supports"
msgstr "サポート"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "ドキュメンテーション"
@@ -5952,8 +5968,8 @@ msgstr "%d個のフィールドで確認が必要です"
msgid "1 field requires attention"
msgstr "1つのフィールドで確認が必要です"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "検証失敗"
@@ -7328,89 +7344,89 @@ msgid "Time Picker"
msgstr "時間選択ツール"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "停止中 (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "ゴミ箱にフィールドが見つかりません"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "フィールドが見つかりません"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "フィールドを検索"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "フィールドを表示"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "新規フィールド"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "フィールドを編集"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "新規フィールドを追加"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "フィールド"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "フィールド"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "ゴミ箱にフィールドグループが見つかりません"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "フィールドグループが見つかりません"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "フィールドグループを検索"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "フィールドグループを表示"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "新規フィールドグループ"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "フィールドグループを編集"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "新規フィールドグループを追加"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "新規追加"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "フィールドグループ"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-ko_KR.l10n.php b/lang/acf-ko_KR.l10n.php
index 7bf2320..bf6f19b 100644
--- a/lang/acf-ko_KR.l10n.php
+++ b/lang/acf-ko_KR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'ko_KR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'출처 업데이트','By default only admin users can edit this setting.'=>'기본적으로 관리자 사용자만 이 설정을 편집할 수 있습니다.','By default only super admin users can edit this setting.'=>'기본적으로 슈퍼 관리자 사용자만 이 설정을 편집할 수 있습니다.','Close and Add Field'=>'필드 닫기 및 추가','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'분류체계에서 메타박스의 콘텐츠를 처리하기 위해 호출할 PHP 함수 이름입니다. 보안을 위해 이 콜백은 $_POST 또는 $_GET과 같은 슈퍼글로브에 액세스하지 않고 특수한 컨텍스트에서 실행됩니다.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'편집 화면의 메타박스를 설정할 때 호출할 PHP 함수 이름입니다. 보안을 위해 이 콜백은 $_POST 또는 $_GET과 같은 슈퍼글로브에 액세스하지 않고 특수한 컨텍스트에서 실행됩니다.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'잘못된 보안 논스가 제공되어 ACF가 유효성 검사를 수행할 수 없습니다.','Allow Access to Value in Editor UI'=>'에디터 UI에서 값에 대한 액세스 허용','Learn more.'=>'더 알아보기.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'콘텐츠 편집자가 블록 바인딩 또는 ACF 쇼트코드를 사용하여 편집기 UI에서 필드 값에 액세스하고 표시할 수 있도록 허용합니다. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'요청된 ACF 필드 유형이 블록 바인딩 또는 ACF 쇼트코드의 출력을 지원하지 않습니다.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'요청된 ACF 필드는 바인딩 또는 ACF 쇼트코드로 출력할 수 없습니다.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'요청된 ACF 필드 유형이 바인딩 또는 ACF 쇼트코드로의 출력을 지원하지 않습니다.','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF 쇼트코드는 비공개 게시물의 필드를 표시할 수 없음]','[The ACF shortcode is disabled on this site]'=>'[이 사이트에서는 ACF 쇼트코드가 비활성화되었습니다.]','Businessman Icon'=>'비즈니스맨 아이콘','Forums Icon'=>'포럼 아이콘','YouTube Icon'=>'YouTube 아이콘','Yes (alt) Icon'=>'예 (대체) 아이콘','Xing Icon'=>'싱 아이콘','WordPress (alt) Icon'=>'워드프레스(대체) 아이콘','WhatsApp Icon'=>'WhatsApp 아이콘','Write Blog Icon'=>'블로그 글쓰기 아이콘','Widgets Menus Icon'=>'위젯 메뉴 아이콘','View Site Icon'=>'사이트 보기 아이콘','Learn More Icon'=>'더 알아보기 아이콘','Add Page Icon'=>'페이지 추가 아이콘','Video (alt3) Icon'=>'비디오 (대체3) 아이콘','Video (alt2) Icon'=>'비디오 (대체2) 아이콘','Video (alt) Icon'=>'동영상 (대체) 아이콘','Update (alt) Icon'=>'업데이트 (대체) 아이콘','Universal Access (alt) Icon'=>'유니버설 액세스(대체) 아이콘','Twitter (alt) Icon'=>'트위터(대체) 아이콘','Twitch Icon'=>'Twitch 아이콘','Tide Icon'=>'조수 아이콘','Tickets (alt) Icon'=>'티켓(대체) 아이콘','Text Page Icon'=>'텍스트 페이지 아이콘','Table Row Delete Icon'=>'표 행 삭제 아이콘','Table Row Before Icon'=>'표 행 이전 아이콘','Table Row After Icon'=>'표 행 후 아이콘','Table Col Delete Icon'=>'표 열 삭제 아이콘','Table Col Before Icon'=>'표 열 이전 아이콘','Table Col After Icon'=>'표 열 뒤 아이콘','Superhero (alt) Icon'=>'슈퍼히어로(대체) 아이콘','Superhero Icon'=>'슈퍼히어로 아이콘','Spotify Icon'=>'Spotify 아이콘','Shortcode Icon'=>'쇼트코드 아이콘','Shield (alt) Icon'=>'방패(대체) 아이콘','Share (alt2) Icon'=>'공유(대체2) 아이콘','Share (alt) Icon'=>'공유(대체) 아이콘','Saved Icon'=>'저장 아이콘','RSS Icon'=>'RSS 아이콘','REST API Icon'=>'REST API 아이콘','Remove Icon'=>'아이콘 제거','Reddit Icon'=>'Reddit 아이콘','Privacy Icon'=>'개인 정보 아이콘','Printer Icon'=>'프린터 아이콘','Podio Icon'=>'Podio 아이콘','Plus (alt2) Icon'=>'더하기(대체2) 아이콘','Plus (alt) Icon'=>'더하기(대체) 아이콘','Plugins Checked Icon'=>'플러그인 확인 아이콘','Pinterest Icon'=>'Pinterest 아이콘','Pets Icon'=>'애완동물 아이콘','PDF Icon'=>'PDF 아이콘','Palm Tree Icon'=>'야자수 아이콘','Open Folder Icon'=>'폴더 열기 아이콘','No (alt) Icon'=>'아니요(대체) 아이콘','Money (alt) Icon'=>'돈 (대체) 아이콘','Menu (alt3) Icon'=>'메뉴(대체3) 아이콘','Menu (alt2) Icon'=>'메뉴(대체2) 아이콘','Menu (alt) Icon'=>'메뉴(대체) 아이콘','Spreadsheet Icon'=>'스프레드시트 아이콘','Interactive Icon'=>'대화형 아이콘','Document Icon'=>'문서 아이콘','Default Icon'=>'기본 아이콘','Location (alt) Icon'=>'위치(대체) 아이콘','LinkedIn Icon'=>'LinkedIn 아이콘','Instagram Icon'=>'인스타그램 아이콘','Insert Before Icon'=>'이전 삽입 아이콘','Insert After Icon'=>'뒤에 삽입 아이콘','Insert Icon'=>'아이콘 삽입','Info Outline Icon'=>'정보 개요 아이콘','Images (alt2) Icon'=>'이미지(대체2) 아이콘','Images (alt) Icon'=>'이미지(대체) 아이콘','Rotate Right Icon'=>'오른쪽 회전 아이콘','Rotate Left Icon'=>'왼쪽 회전 아이콘','Rotate Icon'=>'회전 아이콘','Flip Vertical Icon'=>'세로로 뒤집기 아이콘','Flip Horizontal Icon'=>'가로로 뒤집기 아이콘','Crop Icon'=>'자르기 아이콘','ID (alt) Icon'=>'ID (대체) 아이콘','HTML Icon'=>'HTML 아이콘','Hourglass Icon'=>'모래시계 아이콘','Heading Icon'=>'제목 아이콘','Google Icon'=>'Google 아이콘','Games Icon'=>'게임 아이콘','Fullscreen Exit (alt) Icon'=>'전체 화면 종료(대체) 아이콘','Fullscreen (alt) Icon'=>'전체 화면 (대체) 아이콘','Status Icon'=>'상태 아이콘','Image Icon'=>'이미지 아이콘','Gallery Icon'=>'갤러리 아이콘','Chat Icon'=>'채팅 아이콘','Audio Icon'=>'오디오 아이콘','Aside Icon'=>'옆으로 아이콘','Food Icon'=>'음식 아이콘','Exit Icon'=>'종료 아이콘','Excerpt View Icon'=>'요약글 보기 아이콘','Embed Video Icon'=>'동영상 퍼가기 아이콘','Embed Post Icon'=>'글 임베드 아이콘','Embed Photo Icon'=>'사진 임베드 아이콘','Embed Generic Icon'=>'일반 임베드 아이콘','Embed Audio Icon'=>'오디오 삽입 아이콘','Email (alt2) Icon'=>'이메일(대체2) 아이콘','Ellipsis Icon'=>'줄임표 아이콘','Unordered List Icon'=>'정렬되지 않은 목록 아이콘','RTL Icon'=>'RTL 아이콘','Ordered List RTL Icon'=>'정렬된 목록 RTL 아이콘','Ordered List Icon'=>'주문 목록 아이콘','LTR Icon'=>'LTR 아이콘','Custom Character Icon'=>'사용자 지정 캐릭터 아이콘','Edit Page Icon'=>'페이지 편집 아이콘','Edit Large Icon'=>'큰 편집 아이콘','Drumstick Icon'=>'드럼 스틱 아이콘','Database View Icon'=>'데이터베이스 보기 아이콘','Database Remove Icon'=>'데이터베이스 제거 아이콘','Database Import Icon'=>'데이터베이스 가져오기 아이콘','Database Export Icon'=>'데이터베이스 내보내기 아이콘','Database Add Icon'=>'데이터베이스 추가 아이콘','Database Icon'=>'데이터베이스 아이콘','Cover Image Icon'=>'표지 이미지 아이콘','Volume On Icon'=>'볼륨 켜기 아이콘','Volume Off Icon'=>'볼륨 끄기 아이콘','Skip Forward Icon'=>'앞으로 건너뛰기 아이콘','Skip Back Icon'=>'뒤로 건너뛰기 아이콘','Repeat Icon'=>'반복 아이콘','Play Icon'=>'재생 아이콘','Pause Icon'=>'일시 중지 아이콘','Forward Icon'=>'앞으로 아이콘','Back Icon'=>'뒤로 아이콘','Columns Icon'=>'열 아이콘','Color Picker Icon'=>'색상 선택기 아이콘','Coffee Icon'=>'커피 아이콘','Code Standards Icon'=>'코드 표준 아이콘','Cloud Upload Icon'=>'클라우드 업로드 아이콘','Cloud Saved Icon'=>'클라우드 저장 아이콘','Car Icon'=>'자동차 아이콘','Camera (alt) Icon'=>'카메라(대체) 아이콘','Calculator Icon'=>'계산기 아이콘','Button Icon'=>'버튼 아이콘','Businessperson Icon'=>'사업가 아이콘','Tracking Icon'=>'추적 아이콘','Topics Icon'=>'토픽 아이콘','Replies Icon'=>'답글 아이콘','PM Icon'=>'PM 아이콘','Friends Icon'=>'친구 아이콘','Community Icon'=>'커뮤니티 아이콘','BuddyPress Icon'=>'버디프레스 아이콘','bbPress Icon'=>'비비프레스 아이콘','Activity Icon'=>'활동 아이콘','Book (alt) Icon'=>'책 (대체) 아이콘','Block Default Icon'=>'블록 기본 아이콘','Bell Icon'=>'벨 아이콘','Beer Icon'=>'맥주 아이콘','Bank Icon'=>'은행 아이콘','Arrow Up (alt2) Icon'=>'화살표 위(대체2) 아이콘','Arrow Up (alt) Icon'=>'위쪽 화살표(대체) 아이콘','Arrow Right (alt2) Icon'=>'오른쪽 화살표(대체2) 아이콘','Arrow Right (alt) Icon'=>'오른쪽 화살표(대체) 아이콘','Arrow Left (alt2) Icon'=>'왼쪽 화살표(대체2) 아이콘','Arrow Left (alt) Icon'=>'왼쪽 화살표(대체) 아이콘','Arrow Down (alt2) Icon'=>'아래쪽 화살표(대체2) 아이콘','Arrow Down (alt) Icon'=>'아래쪽 화살표(대체) 아이콘','Amazon Icon'=>'아마존 아이콘','Align Wide Icon'=>'와이드 정렬 아이콘','Align Pull Right Icon'=>'오른쪽으로 당겨 정렬 아이콘','Align Pull Left Icon'=>'왼쪽으로 당겨 정렬 아이콘','Align Full Width Icon'=>'전체 너비 정렬 아이콘','Airplane Icon'=>'비행기 아이콘','Site (alt3) Icon'=>'사이트 (대체3) 아이콘','Site (alt2) Icon'=>'사이트 (대체2) 아이콘','Site (alt) Icon'=>'사이트 (대체) 아이콘','Upgrade to ACF PRO to create options pages in just a few clicks'=>'몇 번의 클릭만으로 옵션 페이지를 만들려면 ACF PRO로 업그레이드하세요.','Invalid request args.'=>'잘못된 요청 인수입니다.','Sorry, you do not have permission to do that.'=>'죄송합니다. 해당 권한이 없습니다.','Blocks Using Post Meta'=>'포스트 메타를 사용한 블록','ACF PRO logo'=>'ACF PRO 로고','ACF PRO Logo'=>'ACF PRO 로고','%s requires a valid attachment ID when type is set to media_library.'=>'유형이 미디어_라이브러리로 설정된 경우 %s에 유효한 첨부 파일 ID가 필요합니다.','%s is a required property of acf.'=>'%s는 acf의 필수 속성입니다.','The value of icon to save.'=>'저장할 아이콘의 값입니다.','The type of icon to save.'=>'저장할 아이콘 유형입니다.','Yes Icon'=>'예 아이콘','WordPress Icon'=>'워드프레스 아이콘','Warning Icon'=>'경고 아이콘','Visibility Icon'=>'가시성 아이콘','Vault Icon'=>'볼트 아이콘','Upload Icon'=>'업로드 아이콘','Update Icon'=>'업데이트 아이콘','Unlock Icon'=>'잠금 해제 아이콘','Universal Access Icon'=>'유니버설 액세스 아이콘','Undo Icon'=>'실행 취소 아이콘','Twitter Icon'=>'트위터 아이콘','Trash Icon'=>'휴지통 아이콘','Translation Icon'=>'번역 아이콘','Tickets Icon'=>'티켓 아이콘','Thumbs Up Icon'=>'엄지척 아이콘','Thumbs Down Icon'=>'엄지 아래로 아이콘','Text Icon'=>'텍스트 아이콘','Testimonial Icon'=>'추천 아이콘','Tagcloud Icon'=>'태그클라우드 아이콘','Tag Icon'=>'태그 아이콘','Tablet Icon'=>'태블릿 아이콘','Store Icon'=>'스토어 아이콘','Sticky Icon'=>'스티커 아이콘','Star Half Icon'=>'별 반쪽 아이콘','Star Filled Icon'=>'별이 채워진 아이콘','Star Empty Icon'=>'별 비어 있음 아이콘','Sos Icon'=>'구조 요청 아이콘','Sort Icon'=>'정렬 아이콘','Smiley Icon'=>'스마일 아이콘','Smartphone Icon'=>'스마트폰 아이콘','Slides Icon'=>'슬라이드 아이콘','Shield Icon'=>'방패 아이콘','Share Icon'=>'공유 아이콘','Search Icon'=>'검색 아이콘','Screen Options Icon'=>'화면 옵션 아이콘','Schedule Icon'=>'일정 아이콘','Redo Icon'=>'다시 실행 아이콘','Randomize Icon'=>'무작위 추출 아이콘','Products Icon'=>'제품 아이콘','Pressthis Icon'=>'Pressthis 아이콘','Post Status Icon'=>'글 상태 아이콘','Portfolio Icon'=>'포트폴리오 아이콘','Plus Icon'=>'플러스 아이콘','Playlist Video Icon'=>'재생목록 비디오 아이콘','Playlist Audio Icon'=>'재생목록 오디오 아이콘','Phone Icon'=>'전화 아이콘','Performance Icon'=>'성능 아이콘','Paperclip Icon'=>'종이 클립 아이콘','No Icon'=>'없음 아이콘','Networking Icon'=>'네트워킹 아이콘','Nametag Icon'=>'네임택 아이콘','Move Icon'=>'이동 아이콘','Money Icon'=>'돈 아이콘','Minus Icon'=>'마이너스 아이콘','Migrate Icon'=>'마이그레이션 아이콘','Microphone Icon'=>'마이크 아이콘','Megaphone Icon'=>'메가폰 아이콘','Marker Icon'=>'마커 아이콘','Lock Icon'=>'잠금 아이콘','Location Icon'=>'위치 아이콘','List View Icon'=>'목록 보기 아이콘','Lightbulb Icon'=>'전구 아이콘','Left Right Icon'=>'왼쪽 오른쪽 아이콘','Layout Icon'=>'레이아웃 아이콘','Laptop Icon'=>'노트북 아이콘','Info Icon'=>'정보 아이콘','Index Card Icon'=>'색인 카드 아이콘','ID Icon'=>'ID 아이콘','Hidden Icon'=>'숨김 아이콘','Heart Icon'=>'하트 아이콘','Hammer Icon'=>'해머 아이콘','Groups Icon'=>'그룹 아이콘','Grid View Icon'=>'그리드 보기 아이콘','Forms Icon'=>'양식 아이콘','Flag Icon'=>'깃발 아이콘','Filter Icon'=>'필터 아이콘','Feedback Icon'=>'피드백 아이콘','Facebook (alt) Icon'=>'Facebook (대체) 아이콘','Facebook Icon'=>'페이스북 아이콘','External Icon'=>'외부 아이콘','Email (alt) Icon'=>'이메일 (대체) 아이콘','Email Icon'=>'이메일 아이콘','Video Icon'=>'비디오 아이콘','Unlink Icon'=>'링크 해제 아이콘','Underline Icon'=>'밑줄 아이콘','Text Color Icon'=>'텍스트색 아이콘','Table Icon'=>'표 아이콘','Strikethrough Icon'=>'취소선 아이콘','Spellcheck Icon'=>'맞춤법 검사 아이콘','Remove Formatting Icon'=>'서식 제거 아이콘','Quote Icon'=>'인용 아이콘','Paste Word Icon'=>'단어 붙여넣기 아이콘','Paste Text Icon'=>'텍스트 붙여넣기 아이콘','Paragraph Icon'=>'단락 아이콘','Outdent Icon'=>'내어쓰기 아이콘','Kitchen Sink Icon'=>'주방 싱크 아이콘','Justify Icon'=>'맞춤 아이콘','Italic Icon'=>'이탤릭체 아이콘','Insert More Icon'=>'더 삽입 아이콘','Indent Icon'=>'들여쓰기 아이콘','Help Icon'=>'도움말 아이콘','Expand Icon'=>'펼치기 아이콘','Contract Icon'=>'계약 아이콘','Code Icon'=>'코드 아이콘','Break Icon'=>'나누기 아이콘','Bold Icon'=>'굵은 아이콘','Edit Icon'=>'수정 아이콘','Download Icon'=>'다운로드 아이콘','Dismiss Icon'=>'해지 아이콘','Desktop Icon'=>'데스크톱 아이콘','Dashboard Icon'=>'대시보드 아이콘','Cloud Icon'=>'구름 아이콘','Clock Icon'=>'시계 아이콘','Clipboard Icon'=>'클립보드 아이콘','Chart Pie Icon'=>'원형 차트 아이콘','Chart Line Icon'=>'선 차트 아이콘','Chart Bar Icon'=>'막대 차트 아이콘','Chart Area Icon'=>'영역 차트 아이콘','Category Icon'=>'카테고리 아이콘','Cart Icon'=>'장바구니 아이콘','Carrot Icon'=>'당근 아이콘','Camera Icon'=>'카메라 아이콘','Calendar (alt) Icon'=>'캘린더 (대체) 아이콘','Calendar Icon'=>'캘린더 아이콘','Businesswoman Icon'=>'비즈니스우먼 아이콘','Building Icon'=>'건물 아이콘','Book Icon'=>'책 아이콘','Backup Icon'=>'백업 아이콘','Awards Icon'=>'상 아이콘','Art Icon'=>'아트 아이콘','Arrow Up Icon'=>'위쪽 화살표 아이콘','Arrow Right Icon'=>'오른쪽 화살표 아이콘','Arrow Left Icon'=>'왼쪽 화살표 아이콘','Arrow Down Icon'=>'아래쪽 화살표 아이콘','Archive Icon'=>'아카이브 아이콘','Analytics Icon'=>'애널리틱스 아이콘','Align Right Icon'=>'오른쪽 정렬 아이콘','Align None Icon'=>'정렬 안 함 아이콘','Align Left Icon'=>'왼쪽 정렬 아이콘','Align Center Icon'=>'가운데 정렬 아이콘','Album Icon'=>'앨범 아이콘','Users Icon'=>'사용자 아이콘','Tools Icon'=>'도구 아이콘','Site Icon'=>'사이트 아이콘','Settings Icon'=>'설정 아이콘','Post Icon'=>'글 아이콘','Plugins Icon'=>'플러그인 아이콘','Page Icon'=>'페이지 아이콘','Network Icon'=>'네트워크 아이콘','Multisite Icon'=>'다중 사이트 아이콘','Media Icon'=>'미디어 아이콘','Links Icon'=>'링크 아이콘','Home Icon'=>'홈 아이콘','Customizer Icon'=>'커스터마이저 아이콘','Comments Icon'=>'댓글 아이콘','Collapse Icon'=>'접기 아이콘','Appearance Icon'=>'모양 아이콘','Generic Icon'=>'일반 아이콘','Icon picker requires a value.'=>'아이콘 선택기에는 값이 필요합니다.','Icon picker requires an icon type.'=>'아이콘 선택기에는 아이콘 유형이 필요합니다.','The available icons matching your search query have been updated in the icon picker below.'=>'아래의 아이콘 선택기에서 검색어와 일치하는 사용 가능한 아이콘이 업데이트되었습니다.','No results found for that search term'=>'해당 검색어에 대한 결과를 찾을 수 없습니다.','Array'=>'배열','String'=>'문자열','Specify the return format for the icon. %s'=>'아이콘의 반환 형식을 지정합니다. %s','Select where content editors can choose the icon from.'=>'콘텐츠 편집자가 아이콘을 선택할 수 있는 위치를 선택합니다.','The URL to the icon you\'d like to use, or svg as Data URI'=>'사용하려는 아이콘의 URL(또는 데이터 URI로서의 svg)','Browse Media Library'=>'미디어 라이브러리 찾아보기','The currently selected image preview'=>'현재 선택된 이미지 미리보기','Click to change the icon in the Media Library'=>'미디어 라이브러리에서 아이콘을 변경하려면 클릭합니다.','Search icons...'=>'검색 아이콘...','Media Library'=>'미디어 라이브러리','Dashicons'=>'대시 아이콘','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'아이콘을 선택할 수 있는 대화형 UI입니다. 대시 아이콘, 미디어 라이브러리 또는 독립형 URL 입력 중에서 선택할 수 있습니다.','Icon Picker'=>'아이콘 선택기','JSON Load Paths'=>'JSON 로드 경로','JSON Save Paths'=>'JSON 경로 저장','Registered ACF Forms'=>'등록된 ACF 양식','Shortcode Enabled'=>'쇼트코드 사용','Field Settings Tabs Enabled'=>'필드 설정 탭 사용됨','Field Type Modal Enabled'=>'필드 유형 모달 사용됨','Admin UI Enabled'=>'관리자 UI 활성화됨','Block Preloading Enabled'=>'블록 사전 로드 활성화됨','Blocks Per ACF Block Version'=>'ACF 블록 버전당 블록 수','Blocks Per API Version'=>'API 버전별 블록 수','Registered ACF Blocks'=>'등록된 ACF 블록','Light'=>'Light','Standard'=>'표준','REST API Format'=>'REST API 형식','Registered Options Pages (PHP)'=>'등록된 옵션 페이지(PHP)','Registered Options Pages (JSON)'=>'등록된 옵션 페이지(JSON)','Registered Options Pages (UI)'=>'등록된 옵션 페이지(UI)','Options Pages UI Enabled'=>'옵션 페이지 UI 활성화됨','Registered Taxonomies (JSON)'=>'등록된 분류(JSON)','Registered Taxonomies (UI)'=>'등록된 분류(UI)','Registered Post Types (JSON)'=>'등록된 글 유형(JSON)','Registered Post Types (UI)'=>'등록된 글 유형(UI)','Post Types and Taxonomies Enabled'=>'글 유형 및 분류 사용됨','Number of Third Party Fields by Field Type'=>'필드 유형별 타사 필드 수','Number of Fields by Field Type'=>'필드 유형별 필드 수','Field Groups Enabled for GraphQL'=>'GraphQL에 사용 가능한 필드 그룹','Field Groups Enabled for REST API'=>'REST API에 필드 그룹 사용 가능','Registered Field Groups (JSON)'=>'등록된 필드 그룹(JSON)','Registered Field Groups (PHP)'=>'등록된 필드 그룹(PHP)','Registered Field Groups (UI)'=>'등록된 필드 그룹(UI)','Active Plugins'=>'활성 플러그인','Parent Theme'=>'부모 테마','Active Theme'=>'활성 테마','Is Multisite'=>'다중 사이트임','MySQL Version'=>'MySQL 버전','WordPress Version'=>'워드프레스 버전','Subscription Expiry Date'=>'구독 만료 날짜','License Status'=>'라이선스 상태','License Type'=>'라이선스 유형','Licensed URL'=>'라이선스 URL','License Activated'=>'라이선스 활성화됨','Free'=>'무료','Plugin Type'=>'플러그인 유형','Plugin Version'=>'플러그인 버전','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'이 섹션에는 지원팀에 제공하는 데 유용할 수 있는 ACF 구성에 대한 디버그 정보가 포함되어 있습니다.','An ACF Block on this page requires attention before you can save.'=>'이 페이지의 ACF 블록은 저장하기 전에 주의가 필요합니다.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'이 데이터는 출력 중에 변경된 값을 감지할 때 기록됩니다. %1$s코드에서 값을 이스케이프 처리한 후 로그를 지우고 %2$s를 해제합니다. 변경된 값이 다시 감지되면 알림이 다시 나타납니다.','Dismiss permanently'=>'더이상 안보기','Instructions for content editors. Shown when submitting data.'=>'콘텐츠 편집자를 위한 지침입니다. 데이터를 제출할 때 표시됩니다.','Has no term selected'=>'학기가 선택되지 않았습니다.','Has any term selected'=>'학기가 선택되어 있음','Terms do not contain'=>'용어에 다음이 포함되지 않음','Terms contain'=>'용어에 다음이 포함됨','Term is not equal to'=>'용어가 다음과 같지 않습니다.','Term is equal to'=>'기간은 다음과 같습니다.','Has no user selected'=>'선택한 사용자가 없음','Has any user selected'=>'사용자가 선택된 사용자 있음','Users do not contain'=>'사용자가 다음을 포함하지 않음','Users contain'=>'사용자가 다음을 포함합니다.','User is not equal to'=>'사용자가 다음과 같지 않습니다.','User is equal to'=>'사용자가 다음과 같습니다.','Has no page selected'=>'선택된 페이지가 없음','Has any page selected'=>'선택한 페이지가 있음','Pages do not contain'=>'페이지에 다음이 포함되지 않음','Pages contain'=>'페이지에 다음이 포함됨','Page is not equal to'=>'페이지가 다음과 같지 않습니다.','Page is equal to'=>'페이지가 다음과 같습니다.','Has no relationship selected'=>'관계를 선택하지 않음','Has any relationship selected'=>'관계를 선택했음','Has no post selected'=>'선택된 게시글이 없음','Has any post selected'=>'게시글이 선택되어 있음','Posts do not contain'=>'글에 다음이 포함되지 않음','Posts contain'=>'글에 다음이 포함됨','Post is not equal to'=>'글은 다음과 같지 않습니다.','Post is equal to'=>'글은 다음과 같습니다.','Relationships do not contain'=>'관계에 다음이 포함되지 않음','Relationships contain'=>'관계에 다음이 포함됩니다.','Relationship is not equal to'=>'관계가 다음과 같지 않습니다.','Relationship is equal to'=>'관계는 다음과 같습니다.','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 필드','ACF PRO Feature'=>'ACF PRO 기능','Renew PRO to Unlock'=>'PRO 라이선스 갱신하여 잠금 해제','Renew PRO License'=>'PRO 라이선스 갱신','PRO fields cannot be edited without an active license.'=>'PRO 라이선스가 활성화되어 있지 않으면 PRO 필드를 편집할 수 없습니다.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'ACF 블록에 할당된 필드 그룹을 편집하려면 ACF PRO 라이선스를 활성화하세요.','Please activate your ACF PRO license to edit this options page.'=>'이 옵션 페이지를 편집하려면 ACF PRO 라이선스를 활성화하세요.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'이스케이프 처리된 HTML 값을 반환하는 것은 format_value도 참인 경우에만 가능합니다. 보안을 위해 필드 값이 반환되지 않았습니다.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'이스케이프된 HTML 값을 반환하는 것은 형식_값도 참인 경우에만 가능합니다. 보안을 위해 필드 값은 반환되지 않습니다.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF가 이제 the_field 또는 ACF 쇼트코드로 렌더링될 때 안전하지 않은 HTML을 자동으로 이스케이프 처리합니다. 이 변경으로 인해 일부 필드의 출력이 수정된 것을 감지했지만 이는 중요한 변경 사항은 아닐 수 있습니다. %2$s.','Please contact your site administrator or developer for more details.'=>'자세한 내용은 사이트 관리자 또는 개발자에게 문의하세요.','Learn more'=>'자세히 알아보기','Hide details'=>'세부 정보 숨기기','Show details'=>'세부 정보 표시','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s를 통해 렌더링되었습니다.','Renew ACF PRO License'=>'ACF PRO 라이선스 갱신','Renew License'=>'라이선스 갱신','Manage License'=>'라이선스 관리','\'High\' position not supported in the Block Editor'=>'블록 에디터에서 \'높음\' 위치가 지원되지 않음','Upgrade to ACF PRO'=>'ACF PRO로 업그레이드','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF 옵션 페이지는 필드를 통해 전역 설정을 관리하기 위한 사용자 지정 관리자 페이지입니다. 여러 페이지와 하위 페이지를 만들 수 있습니다.','Add Options Page'=>'옵션 추가 페이지','In the editor used as the placeholder of the title.'=>'제목의 플레이스홀더로 사용되는 편집기에서.','Title Placeholder'=>'제목 플레이스홀더','4 Months Free'=>'4개월 무료','(Duplicated from %s)'=>' (%s에서 복제됨)','Select Options Pages'=>'옵션 페이지 선택','Duplicate taxonomy'=>'중복 분류','Create taxonomy'=>'분류 체계 만들기','Duplicate post type'=>'중복 글 유형','Create post type'=>'글 유형 만들기','Link field groups'=>'필드 그룹 연결','Add fields'=>'필드 추가','This Field'=>'이 필드','ACF PRO'=>'ACF PRO','Feedback'=>'피드백','Support'=>'지원','is developed and maintained by'=>'에 의해 개발 및 유지 관리됩니다.','Add this %s to the location rules of the selected field groups.'=>'선택한 필드 그룹의 위치 규칙에 이 %s를 추가합니다.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'양방향 설정을 활성화하면 이 필드에 대해 선택한 각 값에 대해 대상 필드에서 값을 업데이트하고 업데이트할 항목의 글 ID, 분류 ID 또는 사용자 ID를 추가하거나 제거할 수 있습니다. 자세한 내용은 문서를 참조하세요.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'업데이트 중인 항목에 대한 참조를 다시 저장할 필드를 선택합니다. 이 필드를 선택할 수 있습니다. 대상 필드는 이 필드가 표시되는 위치와 호환되어야 합니다. 예를 들어 이 필드가 분류에 표시되는 경우 대상 필드는 분류 유형이어야 합니다.','Target Field'=>'대상 필드','Update a field on the selected values, referencing back to this ID'=>'이 ID를 다시 참조하여 선택한 값의 필드를 업데이트합니다.','Bidirectional'=>'양방향','%s Field'=>'%s 필드','Select Multiple'=>'여러 개 선택','WP Engine logo'=>'WP 엔진 로고','Lower case letters, underscores and dashes only, Max 32 characters.'=>'소문자, 밑줄 및 대시만 입력할 수 있으며 최대 32자까지 입력할 수 있습니다.','The capability name for assigning terms of this taxonomy.'=>'이 택소노미의 용어를 할당하기 위한 기능 이름입니다.','Assign Terms Capability'=>'용어 할당 가능','The capability name for deleting terms of this taxonomy.'=>'이 택소노미의 용어를 삭제하기 위한 기능 이름입니다.','Delete Terms Capability'=>'약관 삭제 가능','The capability name for editing terms of this taxonomy.'=>'이 택소노미의 용어를 편집하기 위한 기능 이름입니다.','Edit Terms Capability'=>'약관 편집 가능','The capability name for managing terms of this taxonomy.'=>'이 택소노미의 용어를 관리하기 위한 기능 이름입니다.','Manage Terms Capability'=>'약관 관리 가능','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'검색 결과 및 택소노미 아카이브 페이지에서 글을 제외할지 여부를 설정합니다.','More Tools from WP Engine'=>'WP 엔진의 더 많은 도구','Built for those that build with WordPress, by the team at %s'=>'워드프레스로 제작하는 사용자를 위해 %s 팀에서 제작했습니다.','View Pricing & Upgrade'=>'가격 및 업그레이드 보기','Learn More'=>'더 알아보기','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'ACF 블록 및 옵션 페이지와 같은 기능과 리피터, 유연한 콘텐츠, 복제 및 갤러리와 같은 정교한 필드 유형을 사용하여 워크플로우를 가속화하고 더 나은 웹사이트를 개발할 수 있습니다.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF 프로로 고급 기능을 잠금 해제하고 더 많은 것을 구축하세요.','%s fields'=>'%s 필드','No terms'=>'용어 없음','No post types'=>'게시물 유형 없음','No posts'=>'게시물 없음','No taxonomies'=>'택소노미 없음','No field groups'=>'필드 그룹 없음','No fields'=>'필드 없음','No description'=>'설명 없음','Any post status'=>'모든 게시물 상태','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'이 택소노미 키는 ACF 외부에 등록된 다른 택소노미에서 이미 사용 중이므로 사용할 수 없습니다.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'이 택소노미 키는 이미 ACF의 다른 택소노미에서 사용 중이므로 사용할 수 없습니다.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'택소노미 키에는 소문자 영숫자 문자, 밑줄 또는 대시만 포함되어야 합니다.','The taxonomy key must be under 32 characters.'=>'택소노미 키는 32자 미만이어야 합니다.','No Taxonomies found in Trash'=>'휴지통에 택소노미가 없습니다.','No Taxonomies found'=>'택소노미가 없습니다.','Search Taxonomies'=>'택소노미 검색','View Taxonomy'=>'택소노미 보기','New Taxonomy'=>'새로운 택소노미','Edit Taxonomy'=>'택소노미 편집','Add New Taxonomy'=>'새 택소노미 추가','No Post Types found in Trash'=>'휴지통에서 게시물 유형을 찾을 수 없습니다.','No Post Types found'=>'게시물 유형을 찾을 수 없습니다.','Search Post Types'=>'게시물 유형 검색','View Post Type'=>'게시물 유형 보기','New Post Type'=>'새 게시물 유형','Edit Post Type'=>'게시물 유형 편집','Add New Post Type'=>'새 게시물 유형 추가','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'이 게시물 유형 키는 ACF 외부에 등록된 다른 게시물 유형에서 이미 사용 중이므로 사용할 수 없습니다.','This post type key is already in use by another post type in ACF and cannot be used.'=>'이 게시물 유형 키는 이미 ACF의 다른 게시물 유형에서 사용 중이므로 사용할 수 없습니다.','This field must not be a WordPress reserved term.'=>'이 필드는 워드프레스 예약어가 아니어야 합니다.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'게시물 유형 키에는 소문자 영숫자 문자, 밑줄 또는 대시만 포함해야 합니다.','The post type key must be under 20 characters.'=>'게시물 유형 키는 20자 미만이어야 합니다.','We do not recommend using this field in ACF Blocks.'=>'ACF 블록에서는 이 필드를 사용하지 않는 것이 좋습니다.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'게시물 및 페이지에 표시되는 워드프레스 WYSIWYG 편집기를 표시하여 멀티미디어 콘텐츠도 허용하는 풍부한 텍스트 편집 환경을 허용합니다.','WYSIWYG Editor'=>'WYSIWYG 편집기','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'데이터 개체 간의 관계를 만드는 데 사용할 수 있는 하나 이상의 사용자를 선택할 수 있습니다.','A text input specifically designed for storing web addresses.'=>'웹 주소를 저장하기 위해 특별히 설계된 텍스트 입력입니다.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'1 또는 0 값(켜기 또는 끄기, 참 또는 거짓 등)을 선택할 수 있는 토글입니다. 양식화된 스위치 또는 확인란으로 표시할 수 있습니다.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'시간을 선택하기 위한 대화형 UI입니다. 시간 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','A basic textarea input for storing paragraphs of text.'=>'텍스트 단락을 저장하기 위한 기본 텍스트 영역 입력.','A basic text input, useful for storing single string values.'=>'단일 문자열 값을 저장하는 데 유용한 기본 텍스트 입력입니다.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'필드 설정에 지정된 기준 및 옵션에 따라 하나 이상의 택소노미 용어를 선택할 수 있습니다.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'편집 화면에서 필드를 탭 섹션으로 그룹화할 수 있습니다. 필드를 정리하고 체계적으로 유지하는 데 유용합니다.','A dropdown list with a selection of choices that you specify.'=>'지정한 선택 항목이 있는 드롭다운 목록입니다.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'하나 이상의 게시물, 페이지 또는 사용자 정의 게시물 유형 항목을 선택하여 현재 편집 중인 항목과의 관계를 만드는 이중 열 인터페이스입니다. 검색 및 필터링 옵션이 포함되어 있습니다.','An input for selecting a numerical value within a specified range using a range slider element.'=>'범위 슬라이더 요소를 사용하여 지정된 범위 내에서 숫자 값을 선택하기 위한 입력입니다.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'사용자가 지정한 값에서 단일 선택을 할 수 있도록 하는 라디오 버튼 입력 그룹입니다.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'검색 옵션이 있는 하나 이상의 게시물, 페이지 또는 게시물 유형 항목을 선택할 수 있는 대화형 및 사용자 정의 가능한 UI입니다. ','An input for providing a password using a masked field.'=>'마스킹된 필드를 사용하여 암호를 제공하기 위한 입력입니다.','Filter by Post Status'=>'게시물 상태로 필터링','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'검색 옵션과 함께 하나 이상의 게시물, 페이지, 사용자 정의 게시물 유형 항목 또는 아카이브 URL을 선택하는 대화형 드롭다운.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'기본 워드프레스 oEmbed 기능을 사용하여 비디오, 이미지, 트윗, 오디오 및 기타 콘텐츠를 삽입하기 위한 대화형 구성 요소입니다.','An input limited to numerical values.'=>'숫자 값으로 제한된 입력입니다.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'다른 필드와 함께 편집자에게 메시지를 표시하는 데 사용됩니다. 필드에 대한 추가 컨텍스트 또는 지침을 제공하는 데 유용합니다.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'워드프레스 기본 링크 선택기를 사용하여 제목 및 대상과 같은 링크 및 해당 속성을 지정할 수 있습니다.','Uses the native WordPress media picker to upload, or choose images.'=>'기본 워드프레스 미디어 선택기를 사용하여 이미지를 업로드하거나 선택합니다.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'필드를 그룹으로 구성하여 데이터와 편집 화면을 더 잘 구성하는 방법을 제공합니다.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google 지도를 사용하여 위치를 선택하기 위한 대화형 UI입니다. 올바르게 표시하려면 Google Maps API 키와 추가 구성이 필요합니다.','Uses the native WordPress media picker to upload, or choose files.'=>'기본 워드프레스 미디어 선택기를 사용하여 파일을 업로드하거나 선택합니다.','A text input specifically designed for storing email addresses.'=>'이메일 주소를 저장하기 위해 특별히 설계된 텍스트 입력입니다.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'날짜와 시간을 선택하기 위한 대화형 UI입니다. 날짜 반환 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'날짜 선택을 위한 대화형 UI입니다. 날짜 반환 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','An interactive UI for selecting a color, or specifying a Hex value.'=>'색상을 선택하거나 16진수 값을 지정하기 위한 대화형 UI입니다.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'사용자가 지정한 하나 이상의 값을 선택할 수 있도록 하는 확인란 입력 그룹입니다.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'지정한 값이 있는 버튼 그룹으로, 사용자는 제공된 값에서 하나의 옵션을 선택할 수 있습니다.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'콘텐츠를 편집하는 동안 표시되는 접을 수 있는 패널로 사용자 정의 필드를 그룹화하고 구성할 수 있습니다. 큰 데이터 세트를 깔끔하게 유지하는 데 유용합니다.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'반복해서 반복할 수 있는 하위 필드 세트의 상위 역할을 하여 슬라이드, 팀 구성원 및 클릭 유도 문안 타일과 같은 반복 콘텐츠에 대한 솔루션을 제공합니다.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'이는 첨부 파일 모음을 관리하기 위한 대화형 인터페이스를 제공합니다. 대부분의 설정은 이미지 필드 유형과 유사합니다. 추가 설정을 통해 갤러리에서 새 첨부 파일이 추가되는 위치와 허용되는 첨부 파일의 최소/최대 수를 지정할 수 있습니다.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'간단하고 구조화된 레이아웃 기반 편집기를 제공합니다. 유연한 콘텐츠 필드를 사용하면 레이아웃과 하위 필드를 사용하여 사용 가능한 블록을 디자인함으로써 전체 제어로 콘텐츠를 정의, 생성 및 관리할 수 있습니다.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'이를 통해 기존 필드를 선택하고 표시할 수 있습니다. 데이터베이스의 어떤 필드도 복제하지 않지만 런타임에 선택한 필드를 로드하고 표시합니다. 복제 필드는 선택한 필드로 자신을 교체하거나 선택한 필드를 하위 필드 그룹으로 표시할 수 있습니다.','nounClone'=>'복제','PRO'=>'프로','Advanced'=>'고급','JSON (newer)'=>'JSON(최신)','Original'=>'원본','Invalid post ID.'=>'게시물 ID가 잘못되었습니다.','Invalid post type selected for review.'=>'검토를 위해 잘못된 게시물 유형을 선택했습니다.','More'=>'더 보기','Tutorial'=>'튜토리얼','Select Field'=>'필드 선택','Try a different search term or browse %s'=>'다른 검색어를 입력하거나 %s 찾아보기','Popular fields'=>'인기 분야','No search results for \'%s\''=>'\'%s\'에 대한 검색 결과가 없습니다.','Search fields...'=>'검색 필드...','Select Field Type'=>'필드 유형 선택','Popular'=>'인기','Add Taxonomy'=>'택소노미 추가','Create custom taxonomies to classify post type content'=>'게시물 유형 콘텐츠를 택소노미하기 위한 사용자 정의 택소노미 생성','Add Your First Taxonomy'=>'첫 번째 택소노미 추가','Hierarchical taxonomies can have descendants (like categories).'=>'계층적 택소노미는 범주와 같은 하위 항목을 가질 수 있습니다.','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'프런트엔드와 관리자 알림판에서 택소노미를 볼 수 있습니다.','One or many post types that can be classified with this taxonomy.'=>'이 택소노미로 택소노미할 수 있는 하나 이상의 게시물 유형입니다.','genre'=>'장르','Genre'=>'장르','Genres'=>'장르','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'`WP_REST_Terms_Controller` 대신 사용할 선택적 사용자 정의 컨트롤러.','Expose this post type in the REST API.'=>'REST API에서 이 게시물 유형을 노출합니다.','Customize the query variable name'=>'쿼리 변수 이름 사용자 지정','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'{query_var}={term_slug}와 같이 예쁘지 않은 퍼머링크를 사용하여 용어에 액세스할 수 있습니다.','Parent-child terms in URLs for hierarchical taxonomies.'=>'계층적 택소노미에 대한 URL의 상위-하위 용어.','Customize the slug used in the URL'=>'URL에 사용된 슬러그 사용자 정의','Permalinks for this taxonomy are disabled.'=>'이 택소노미에 대한 퍼머링크가 비활성화되었습니다.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'택소노미 키를 슬러그로 사용하여 URL을 다시 작성합니다. 귀하의 퍼머링크 구조는','Taxonomy Key'=>'택소노미 키','Select the type of permalink to use for this taxonomy.'=>'이 택소노미에 사용할 퍼머링크 유형을 선택하십시오.','Display a column for the taxonomy on post type listing screens.'=>'게시물 유형 목록 화면에 택소노미에 대한 열을 표시합니다.','Show Admin Column'=>'관리 열 표시','Show the taxonomy in the quick/bulk edit panel.'=>'빠른/일괄 편집 패널에 택소노미를 표시합니다.','Quick Edit'=>'빠른 편집','List the taxonomy in the Tag Cloud Widget controls.'=>'Tag Cloud Widget 컨트롤에 택소노미를 나열합니다.','Tag Cloud'=>'태그 클라우드','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'메타박스에서 저장된 택소노미 데이터를 정리하기 위해 호출할 PHP 함수 이름입니다.','Meta Box Sanitization Callback'=>'메타 박스 정리 콜백','Register Meta Box Callback'=>'메타박스 콜백 등록','No Meta Box'=>'메타박스 없음','Custom Meta Box'=>'커스텀 메타 박스','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'콘텐츠 에디터 화면의 메타박스를 제어합니다. 기본적으로 계층적 택소노미에는 범주 메타 상자가 표시되고 비계층적 택소노미에는 태그 메타 상자가 표시됩니다.','Meta Box'=>'메타박스','Categories Meta Box'=>'카테고리 메타박스','Tags Meta Box'=>'태그 메타박스','A link to a tag'=>'태그에 대한 링크','Describes a navigation link block variation used in the block editor.'=>'블록 편집기에서 사용되는 탐색 링크 블록 변형에 대해 설명합니다.','A link to a %s'=>'%s에 대한 링크','Tag Link'=>'태그 링크','Assigns a title for navigation link block variation used in the block editor.'=>'블록 편집기에서 사용되는 탐색 링크 블록 변형에 대한 제목을 지정합니다.','← Go to tags'=>'← 태그로 이동','Assigns the text used to link back to the main index after updating a term.'=>'용어를 업데이트한 후 기본 인덱스로 다시 연결하는 데 사용되는 텍스트를 할당합니다.','Back To Items'=>'항목으로 돌아가기','← Go to %s'=>'← %s로 이동','Tags list'=>'태그 목록','Assigns text to the table hidden heading.'=>'테이블의 숨겨진 제목에 텍스트를 할당합니다.','Tags list navigation'=>'태그 목록 탐색','Assigns text to the table pagination hidden heading.'=>'테이블 페이지 매김 숨겨진 제목에 텍스트를 할당합니다.','Filter by category'=>'카테고리별로 필터링','Assigns text to the filter button in the posts lists table.'=>'게시물 목록 테이블의 필터 버튼에 텍스트를 할당합니다.','Filter By Item'=>'항목별로 필터링','Filter by %s'=>'%s로 필터링','The description is not prominent by default; however, some themes may show it.'=>'설명은 기본적으로 눈에 띄지 않습니다. 그러나 일부 테마에서는 이를 표시할 수 있습니다.','Describes the Description field on the Edit Tags screen.'=>'태그 편집 화면의 설명 필드에 대해 설명합니다.','Description Field Description'=>'설명 필드 설명','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'계층 구조를 만들 상위 용어를 할당합니다. 예를 들어 재즈라는 용어는 Bebop과 Big Band의 부모입니다.','Describes the Parent field on the Edit Tags screen.'=>'태그 편집 화면의 상위 필드를 설명합니다.','Parent Field Description'=>'상위 필드 설명','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"slug"는 이름의 URL 친화적 버전입니다. 일반적으로 모두 소문자이며 문자, 숫자 및 하이픈만 포함합니다.','Describes the Slug field on the Edit Tags screen.'=>'태그 편집 화면의 Slug 필드에 대해 설명합니다.','Slug Field Description'=>'슬러그 필드 설명','The name is how it appears on your site'=>'이름은 사이트에 표시되는 방식입니다.','Describes the Name field on the Edit Tags screen.'=>'태그 편집 화면의 이름 필드를 설명합니다.','Name Field Description'=>'이름 필드 설명','No tags'=>'태그 없음','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'태그 또는 카테고리를 사용할 수 없을 때 게시물 및 미디어 목록 테이블에 표시되는 텍스트를 할당합니다.','No Terms'=>'용어 없음','No %s'=>'%s 없음','No tags found'=>'태그를 찾을 수 없습니다.','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'사용 가능한 태그가 없는 경우 택소노미 메타 상자에서 \'가장 많이 사용하는 항목에서 선택\' 텍스트를 클릭할 때 표시되는 텍스트를 지정하고, 택소노미 항목이 없는 경우 용어 목록 테이블에 사용되는 텍스트를 지정합니다.','Not Found'=>'찾을 수 없음','Assigns text to the Title field of the Most Used tab.'=>'자주 사용됨 탭의 제목 필드에 텍스트를 할당합니다.','Most Used'=>'가장 많이 사용','Choose from the most used tags'=>'가장 많이 사용되는 태그 중에서 선택','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'JavaScript가 비활성화된 경우 메타 상자에 사용되는 \'가장 많이 사용되는 항목에서 선택\' 텍스트를 지정합니다. 비계층적 택소노미에만 사용됩니다.','Choose From Most Used'=>'가장 많이 사용하는 것 중에서 선택','Choose from the most used %s'=>'가장 많이 사용된 %s에서 선택','Add or remove tags'=>'태그 추가 또는 제거','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'JavaScript가 비활성화된 경우 메타 상자에 사용되는 항목 추가 또는 제거 텍스트를 할당합니다. 비계층적 택소노미에만 사용됨','Add Or Remove Items'=>'항목 추가 또는 제거','Add or remove %s'=>'%s 추가 또는 제거','Separate tags with commas'=>'쉼표로 태그 구분','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'택소노미 메타 상자에 사용되는 쉼표 텍스트로 별도의 항목을 할당합니다. 비계층적 택소노미에만 사용됩니다.','Separate Items With Commas'=>'쉼표로 항목 구분','Separate %s with commas'=>'%s를 쉼표로 구분','Popular Tags'=>'인기 태그','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'인기 항목 텍스트를 할당합니다. 비계층적 택소노미에만 사용됩니다.','Popular Items'=>'인기 상품','Popular %s'=>'인기 있는 %s','Search Tags'=>'검색 태그','Assigns search items text.'=>'검색 항목 텍스트를 할당합니다.','Parent Category:'=>'상위 카테고리:','Assigns parent item text, but with a colon (:) added to the end.'=>'부모 항목 텍스트를 할당하지만 끝에 콜론(:)이 추가됩니다.','Parent Item With Colon'=>'콜론이 있는 상위 항목','Parent Category'=>'상위 카테고리','Assigns parent item text. Only used on hierarchical taxonomies.'=>'상위 항목 텍스트를 지정합니다. 계층적 택소노미에만 사용됩니다.','Parent Item'=>'상위 항목','Parent %s'=>'부모 %s','New Tag Name'=>'새 태그 이름','Assigns the new item name text.'=>'새 항목 이름 텍스트를 할당합니다.','New Item Name'=>'새 항목 이름','New %s Name'=>'새 %s 이름','Add New Tag'=>'새 태그 추가','Assigns the add new item text.'=>'새 항목 추가 텍스트를 할당합니다.','Update Tag'=>'태그 업데이트','Assigns the update item text.'=>'업데이트 항목 텍스트를 할당합니다.','Update Item'=>'항목 업데이트','Update %s'=>'업데이트 %s','View Tag'=>'태그 보기','In the admin bar to view term during editing.'=>'편집하는 동안 용어를 보려면 관리 표시줄에서.','Edit Tag'=>'태그 편집','At the top of the editor screen when editing a term.'=>'용어를 편집할 때 편집기 화면 상단에 있습니다.','All Tags'=>'모든 태그','Assigns the all items text.'=>'모든 항목 텍스트를 지정합니다.','Assigns the menu name text.'=>'메뉴 이름 텍스트를 할당합니다.','Menu Label'=>'메뉴 레이블','Active taxonomies are enabled and registered with WordPress.'=>'활성 택소노미가 활성화되고 워드프레스에 등록됩니다.','A descriptive summary of the taxonomy.'=>'택소노미에 대한 설명 요약입니다.','A descriptive summary of the term.'=>'용어에 대한 설명 요약입니다.','Term Description'=>'용어 설명','Single word, no spaces. Underscores and dashes allowed.'=>'한 단어, 공백 없음. 밑줄과 대시가 허용됩니다.','Term Slug'=>'용어 슬러그','The name of the default term.'=>'기본 용어의 이름입니다.','Term Name'=>'용어 이름','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'삭제할 수 없는 택소노미에 대한 용어를 만듭니다. 기본적으로 게시물에 대해 선택되지 않습니다.','Default Term'=>'기본 용어','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'이 택소노미의 용어를 `wp_set_object_terms()`에 제공된 순서대로 정렬해야 하는지 여부입니다.','Sort Terms'=>'용어 정렬','Add Post Type'=>'게시물 유형 추가','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'사용자 정의 게시물 유형을 사용하여 표준 게시물 및 페이지 이상으로 워드프레스의 기능을 확장합니다.','Add Your First Post Type'=>'첫 게시물 유형 추가','I know what I\'m doing, show me all the options.'=>'내가 무엇을 하는지 알고 모든 옵션을 보여주세요.','Advanced Configuration'=>'고급 구성','Hierarchical post types can have descendants (like pages).'=>'계층적 게시물 유형은 페이지처럼 하위 항목을 가질 수 있습니다.','Hierarchical'=>'계층형','Visible on the frontend and in the admin dashboard.'=>'프런트엔드와 관리 알림판에서 볼 수 있습니다.','Public'=>'공개','movie'=>'동영상','Lower case letters, underscores and dashes only, Max 20 characters.'=>'소문자, 밑줄 및 대시만 가능하며 최대 20자입니다.','Movie'=>'동영상','Singular Label'=>'단수 레이블','Movies'=>'동영상','Plural Label'=>'복수 레이블','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` 대신 사용할 선택적 사용자 정의 컨트롤러.','Controller Class'=>'컨트롤러 클래스','The namespace part of the REST API URL.'=>'REST API URL의 네임스페이스 부분입니다.','Namespace Route'=>'네임스페이스 경로','The base URL for the post type REST API URLs.'=>'게시물 유형 REST API URL의 기본 URL입니다.','Base URL'=>'기본 URL','Exposes this post type in the REST API. Required to use the block editor.'=>'REST API에서 이 게시물 유형을 노출합니다. 블록 편집기를 사용하는 데 필요합니다.','Show In REST API'=>'REST API에 표시','Customize the query variable name.'=>'쿼리 변수 이름을 사용자 지정합니다.','Query Variable'=>'쿼리 변수','No Query Variable Support'=>'쿼리 변수 지원 없음','Custom Query Variable'=>'맞춤 쿼리 변수','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'항목은 예를 들어 non-pretty permalink를 사용하여 액세스할 수 있습니다. {post_type}={post_slug}.','Query Variable Support'=>'쿼리 변수 지원','URLs for an item and items can be accessed with a query string.'=>'항목 및 항목에 대한 URL은 쿼리 문자열을 사용하여 액세스할 수 있습니다.','Publicly Queryable'=>'공개적으로 쿼리 가능','Custom slug for the Archive URL.'=>'아카이브 URL에 대한 사용자 지정 슬러그입니다.','Archive Slug'=>'아카이브 슬러그','Has an item archive that can be customized with an archive template file in your theme.'=>'테마의 아카이브 템플릿 파일로 사용자 정의할 수 있는 항목 아카이브가 있습니다.','Archive'=>'아카이브','Pagination support for the items URLs such as the archives.'=>'아카이브와 같은 항목 URL에 대한 페이지 매김 지원.','Pagination'=>'쪽수 매기기','RSS feed URL for the post type items.'=>'게시물 유형 항목에 대한 RSS 피드 URL입니다.','Feed URL'=>'피드 URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'URL에 `WP_Rewrite::$front` 접두사를 추가하도록 퍼머링크 구조를 변경합니다.','Front URL Prefix'=>'프런트 URL 프리픽스','Customize the slug used in the URL.'=>'URL에 사용된 슬러그를 사용자 지정합니다.','URL Slug'=>'URL 슬러그','Permalinks for this post type are disabled.'=>'이 게시물 유형에 대한 퍼머링크가 비활성화되었습니다.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'아래 입력에 정의된 사용자 지정 슬러그를 사용하여 URL을 다시 작성합니다. 귀하의 퍼머링크 구조는','No Permalink (prevent URL rewriting)'=>'퍼머링크 없음(URL 재작성 방지)','Custom Permalink'=>'맞춤 퍼머링크','Post Type Key'=>'게시물 유형 키','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'게시물 유형 키를 슬러그로 사용하여 URL을 다시 작성하십시오. 귀하의 퍼머링크 구조는','Permalink Rewrite'=>'퍼머링크 재작성','Delete items by a user when that user is deleted.'=>'해당 사용자가 삭제되면 해당 사용자가 항목을 삭제합니다.','Delete With User'=>'사용자와 함께 삭제','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'게시물 유형을 \'도구\' > \'내보내기\'에서 내보낼 수 있도록 허용합니다.','Can Export'=>'내보내기 가능','Optionally provide a plural to be used in capabilities.'=>'기능에 사용할 복수형을 선택적으로 제공합니다.','Plural Capability Name'=>'복수 기능 이름','Choose another post type to base the capabilities for this post type.'=>'이 게시물 유형의 기능을 기반으로 하려면 다른 게시물 유형을 선택하십시오.','Singular Capability Name'=>'단일 기능 이름','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'기본적으로 게시 유형의 기능은 \'게시\' 기능 이름을 상속합니다. edit_post, delete_posts. 예를 들어 게시물 유형별 기능을 사용하도록 설정합니다. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'기능 이름 바꾸기','Exclude From Search'=>'검색에서 제외','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'\'모양\' > \'메뉴\' 화면에서 항목을 메뉴에 추가할 수 있도록 허용합니다. \'화면 옵션\'에서 켜야 합니다.','Appearance Menus Support'=>'모양 메뉴 지원','Appears as an item in the \'New\' menu in the admin bar.'=>'관리 표시줄의 \'새로 만들기\' 메뉴에 항목으로 나타납니다.','Show In Admin Bar'=>'관리 표시줄에 표시','Custom Meta Box Callback'=>'커스텀 메타 박스 콜백','Menu Icon'=>'메뉴 아이콘','The position in the sidebar menu in the admin dashboard.'=>'관리 알림판의 사이드바 메뉴에 있는 위치입니다.','Menu Position'=>'메뉴 위치','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'기본적으로 게시물 유형은 관리자 메뉴에서 새로운 최상위 항목을 가져옵니다. 여기에 기존 최상위 항목이 제공되면 게시물 유형이 그 아래 하위 메뉴 항목으로 추가됩니다.','Admin Menu Parent'=>'관리자 메뉴 부모','Admin editor navigation in the sidebar menu.'=>'사이드바 메뉴의 관리 편집기 탐색.','Show In Admin Menu'=>'관리자 메뉴에 표시','Items can be edited and managed in the admin dashboard.'=>'어드민 알림판에서 항목을 수정하고 관리할 수 있습니다.','Show In UI'=>'UI에 표시','A link to a post.'=>'게시물에 대한 링크입니다.','Description for a navigation link block variation.'=>'탐색 링크 블록 변형에 대한 설명입니다.','Item Link Description'=>'항목 링크 설명','A link to a %s.'=>'%s에 대한 링크입니다.','Post Link'=>'링크 게시','Title for a navigation link block variation.'=>'탐색 링크 블록 변형의 제목입니다.','Item Link'=>'항목 링크','%s Link'=>'%s 링크','Post updated.'=>'게시물이 업데이트되었습니다.','In the editor notice after an item is updated.'=>'항목이 업데이트된 후 편집기 알림에서.','Item Updated'=>'항목 업데이트됨','%s updated.'=>'%s 업데이트되었습니다.','Post scheduled.'=>'게시물 예정.','In the editor notice after scheduling an item.'=>'항목 예약 후 편집기 알림에서.','Item Scheduled'=>'예약된 항목','%s scheduled.'=>'%s 예약됨.','Post reverted to draft.'=>'게시물이 초안으로 돌아갔습니다.','In the editor notice after reverting an item to draft.'=>'항목을 임시글로 되돌린 후 편집기 알림에서.','Item Reverted To Draft'=>'초안으로 되돌린 항목','%s reverted to draft.'=>'%s이(가) 초안으로 되돌아갔습니다.','Post published privately.'=>'게시물이 비공개로 게시되었습니다.','In the editor notice after publishing a private item.'=>'비공개 항목 게시 후 편집기 알림에서.','Item Published Privately'=>'비공개로 게시된 항목','%s published privately.'=>'%s은(는) 비공개로 게시되었습니다.','Post published.'=>'게시물이 게시되었습니다.','In the editor notice after publishing an item.'=>'항목을 게시한 후 편집기 알림에서.','Item Published'=>'게시된 항목','%s published.'=>'%s이(가) 게시되었습니다.','Posts list'=>'게시물 목록','Used by screen readers for the items list on the post type list screen.'=>'게시물 유형 목록 화면의 항목 목록에 대한 화면 판독기에서 사용됩니다.','Items List'=>'항목 목록','%s list'=>'%s 목록','Posts list navigation'=>'게시물 목록 탐색','Used by screen readers for the filter list pagination on the post type list screen.'=>'게시물 유형 목록 화면에서 필터 목록 페이지 매김을 위해 스크린 리더에서 사용됩니다.','Items List Navigation'=>'항목 목록 탐색','%s list navigation'=>'%s 목록 탐색','Filter posts by date'=>'날짜별로 게시물 필터링','Used by screen readers for the filter by date heading on the post type list screen.'=>'게시물 유형 목록 화면에서 날짜 제목으로 필터링하기 위해 화면 판독기에서 사용됩니다.','Filter Items By Date'=>'날짜별로 항목 필터링','Filter %s by date'=>'날짜별로 %s 필터링','Filter posts list'=>'게시물 목록 필터링','Used by screen readers for the filter links heading on the post type list screen.'=>'게시물 유형 목록 화면의 필터 링크 제목에 대해 스크린 리더에서 사용됩니다.','Filter Items List'=>'항목 목록 필터링','Filter %s list'=>'%s 목록 필터링','In the media modal showing all media uploaded to this item.'=>'이 항목에 업로드된 모든 미디어를 표시하는 미디어 모달에서.','Uploaded To This Item'=>'이 항목에 업로드됨','Uploaded to this %s'=>'이 %s에 업로드됨','Insert into post'=>'게시물에 삽입','As the button label when adding media to content.'=>'콘텐츠에 미디어를 추가할 때 버튼 레이블로 사용합니다.','Insert Into Media Button'=>'미디어에 삽입 버튼','Insert into %s'=>'%s에 삽입','Use as featured image'=>'추천 이미지로 사용','As the button label for selecting to use an image as the featured image.'=>'이미지를 추천 이미지로 사용하도록 선택하기 위한 버튼 레이블로.','Use Featured Image'=>'추천 이미지 사용','Remove featured image'=>'추천 이미지 삭제','As the button label when removing the featured image.'=>'추천 이미지를 제거할 때 버튼 레이블로.','Remove Featured Image'=>'추천 이미지 제거','Set featured image'=>'추천 이미지 설정','As the button label when setting the featured image.'=>'추천 이미지를 설정할 때 버튼 레이블로.','Set Featured Image'=>'추천 이미지 설정','Featured image'=>'나타난 그림','In the editor used for the title of the featured image meta box.'=>'추천 이미지 메타 상자의 제목에 사용되는 편집기에서.','Featured Image Meta Box'=>'추천 이미지 메타 상자','Post Attributes'=>'게시물 속성','In the editor used for the title of the post attributes meta box.'=>'게시물 속성 메타 상자의 제목에 사용되는 편집기에서.','Attributes Meta Box'=>'속성 메타박스','%s Attributes'=>'%s 속성','Post Archives'=>'게시물 아카이브','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'아카이브가 활성화된 CPT의 기존 메뉴에 항목을 추가할 때 표시되는 게시물 목록에 이 레이블이 있는 \'게시물 유형 아카이브\' 항목을 추가합니다. \'실시간 미리보기\' 모드에서 메뉴를 편집하고 사용자 정의 아카이브 슬러그가 제공되었을 때만 나타납니다.','Archives Nav Menu'=>'아카이브 탐색 메뉴','%s Archives'=>'%s 아카이브','No posts found in Trash'=>'휴지통에 게시물이 없습니다.','At the top of the post type list screen when there are no posts in the trash.'=>'휴지통에 게시물이 없을 때 게시물 유형 목록 화면 상단에 표시됩니다.','No Items Found in Trash'=>'휴지통에 항목이 없습니다.','No %s found in Trash'=>'휴지통에서 %s을(를) 찾을 수 없습니다.','No posts found'=>'게시물이 없습니다.','At the top of the post type list screen when there are no posts to display.'=>'표시할 게시물이 없을 때 게시물 유형 목록 화면 상단에 표시됩니다.','No Items Found'=>'제품을 찾지 못했습니다','No %s found'=>'%s 없음','Search Posts'=>'게시물 검색','At the top of the items screen when searching for an item.'=>'항목 검색 시 항목 화면 상단','Search Items'=>'항목 검색','Search %s'=>'%s 검색','Parent Page:'=>'상위 페이지:','For hierarchical types in the post type list screen.'=>'게시물 유형 목록 화면의 계층적 유형의 경우.','Parent Item Prefix'=>'상위 품목 접두어','Parent %s:'=>'부모 %s:','New Post'=>'새로운 게시물','New Item'=>'새로운 물품','New %s'=>'신규 %s','Add New Post'=>'새 게시물 추가','At the top of the editor screen when adding a new item.'=>'새 항목을 추가할 때 편집기 화면 상단에 있습니다.','Add New Item'=>'새 항목 추가','Add New %s'=>'새 %s 추가','View Posts'=>'게시물 보기','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'게시물 유형이 아카이브를 지원하고 홈 페이지가 해당 게시물 유형의 아카이브가 아닌 경우 \'모든 게시물\' 보기의 관리 표시줄에 나타납니다.','View Items'=>'항목 보기','View Post'=>'게시물 보기','In the admin bar to view item when editing it.'=>'항목을 편집할 때 관리 표시줄에서 항목을 봅니다.','View Item'=>'항목 보기','View %s'=>'%s 보기','Edit Post'=>'게시물 수정','At the top of the editor screen when editing an item.'=>'항목을 편집할 때 편집기 화면 상단에 있습니다.','Edit Item'=>'항목 편집','Edit %s'=>'%s 편집','All Posts'=>'모든 게시물','In the post type submenu in the admin dashboard.'=>'관리 알림판의 게시물 유형 하위 메뉴에서.','All Items'=>'모든 항목','All %s'=>'모든 %s','Admin menu name for the post type.'=>'게시물 유형의 관리자 메뉴 이름입니다.','Menu Name'=>'메뉴명','Regenerate all labels using the Singular and Plural labels'=>'단수 및 복수 레이블을 사용하여 모든 레이블 다시 생성하기','Regenerate'=>'재생성','Active post types are enabled and registered with WordPress.'=>'활성 게시물 유형이 활성화되고 워드프레스에 등록됩니다.','A descriptive summary of the post type.'=>'게시물 유형에 대한 설명 요약입니다.','Add Custom'=>'맞춤 추가','Enable various features in the content editor.'=>'콘텐츠 편집기에서 다양한 기능을 활성화합니다.','Post Formats'=>'글 형식','Editor'=>'편집기','Trackbacks'=>'트랙백','Select existing taxonomies to classify items of the post type.'=>'게시물 유형의 항목을 택소노미하려면 기존 택소노미를 선택하십시오.','Browse Fields'=>'필드 찾아보기','Nothing to import'=>'가져올 항목 없음','. The Custom Post Type UI plugin can be deactivated.'=>'. Custom Post Type UI 플러그인을 비활성화할 수 있습니다.','Imported %d item from Custom Post Type UI -'=>'사용자 정의 게시물 유형 UI에서 %d개의 항목을 가져왔습니다. -','Failed to import taxonomies.'=>'택소노미를 가져오지 못했습니다.','Failed to import post types.'=>'게시물 유형을 가져오지 못했습니다.','Nothing from Custom Post Type UI plugin selected for import.'=>'가져오기 위해 선택된 사용자 지정 게시물 유형 UI 플러그인이 없습니다.','Imported 1 item'=>'가져온 %s개 항목','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'이미 존재하는 키와 동일한 키를 사용하여 게시물 유형 또는 택소노미를 가져오면 기존 게시물 유형 또는 택소노미에 대한 설정을 가져오기의 설정으로 덮어씁니다.','Import from Custom Post Type UI'=>'사용자 정의 게시물 유형 UI에서 가져오기','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'다음 코드는 선택한 항목의 로컬 버전을 등록하는 데 사용할 수 있습니다. 필드 그룹, 게시물 유형 또는 택소노미를 로컬에 저장하면 더 빠른 로드 시간, 버전 제어 및 동적 필드/설정과 같은 많은 이점을 제공할 수 있습니다. 다음 코드를 복사하여 테마의 functions.php 파일에 붙여넣거나 외부 파일에 포함시킨 다음 ACF 관리자에서 항목을 비활성화하거나 삭제하십시오.','Export - Generate PHP'=>'내보내기 - PHP 생성','Export'=>'내보내다','Select Taxonomies'=>'택소노미 선택','Select Post Types'=>'게시물 유형 선택','Exported 1 item.'=>'내보낸 %s개 항목','Category'=>'범주','Tag'=>'꼬리표','%s taxonomy created'=>'%s 택소노미 생성됨','%s taxonomy updated'=>'%s 택소노미 업데이트됨','Taxonomy draft updated.'=>'택소노미 초안이 업데이트되었습니다.','Taxonomy scheduled for.'=>'예정된 택소노미.','Taxonomy submitted.'=>'택소노미가 제출되었습니다.','Taxonomy saved.'=>'택소노미가 저장되었습니다.','Taxonomy deleted.'=>'택소노미가 삭제되었습니다.','Taxonomy updated.'=>'택소노미가 업데이트되었습니다.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'다른 플러그인 또는 테마에서 등록한 다른 택소노미에서 해당 키를 사용 중이므로 이 택소노미를 등록할 수 없습니다.','Taxonomy synchronized.'=>'%s개의 택소노미가 동기화되었습니다.','Taxonomy duplicated.'=>'%s개의 택소노미가 중복되었습니다.','Taxonomy deactivated.'=>'%s개의 택소노미가 비활성화되었습니다.','Taxonomy activated.'=>'%s개의 택소노미가 활성화되었습니다.','Terms'=>'용어','Post type synchronized.'=>'%s 게시물 유형이 동기화되었습니다.','Post type duplicated.'=>'%s 게시물 유형이 중복되었습니다.','Post type deactivated.'=>'%s 게시물 유형이 비활성화되었습니다.','Post type activated.'=>'%s 게시물 유형이 활성화되었습니다.','Post Types'=>'게시물 유형','Advanced Settings'=>'고급 설정','Basic Settings'=>'기본 설정','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'이 게시물 유형은 다른 플러그인 또는 테마에서 등록한 다른 게시물 유형에서 해당 키를 사용 중이므로 등록할 수 없습니다.','Pages'=>'페이지','Link Existing Field Groups'=>'기존 필드 그룹 연결','%s post type created'=>'%s 게시물 유형이 생성됨','Add fields to %s'=>'%s에 필드 추가','%s post type updated'=>'%s 게시물 유형 업데이트됨','Post type draft updated.'=>'게시물 유형 초안이 업데이트되었습니다.','Post type scheduled for.'=>'예정된 게시물 유형입니다.','Post type submitted.'=>'게시물 유형이 제출되었습니다.','Post type saved.'=>'게시물 유형이 저장되었습니다.','Post type updated.'=>'게시물 유형이 업데이트되었습니다.','Post type deleted.'=>'게시물 유형이 삭제되었습니다.','Type to search...'=>'검색하려면 입력하세요...','PRO Only'=>'프로 전용','Field groups linked successfully.'=>'필드 그룹이 성공적으로 연결되었습니다.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Custom Post Type UI에 등록된 Post Type과 Taxonomies를 가져와서 ACF로 관리합니다. 시작하기.','ACF'=>'ACF','taxonomy'=>'택소노미','post type'=>'게시물 유형','Done'=>'완료','Field Group(s)'=>'필드 그룹','Select one or many field groups...'=>'하나 이상의 필드 그룹 선택...','Please select the field groups to link.'=>'연결할 필드 그룹을 선택하십시오.','Field group linked successfully.'=>'필드 그룹이 성공적으로 연결되었습니다.','post statusRegistration Failed'=>'등록 실패','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'이 항목은 다른 플러그인 또는 테마에서 등록한 다른 항목에서 해당 키를 사용 중이므로 등록할 수 없습니다.','REST API'=>'REST API','Permissions'=>'권한','URLs'=>'URL','Visibility'=>'가시성','Labels'=>'레이블','Field Settings Tabs'=>'필드 설정 탭','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[미리보기에 사용할 수 없는 ACF 쇼트코드 값]','Close Modal'=>'모달 닫기','Field moved to other group'=>'필드가 다른 그룹으로 이동됨','Close modal'=>'모달 닫기','Start a new group of tabs at this tab.'=>'이 탭에서 새 탭 그룹을 시작합니다.','New Tab Group'=>'새 탭 그룹','Use a stylized checkbox using select2'=>'Select2를 사용하여 스타일이 적용된 체크박스 사용','Save Other Choice'=>'다른 선택 저장','Allow Other Choice'=>'다른 선택 허용','Add Toggle All'=>'모두 전환 추가','Save Custom Values'=>'사용자 지정 값 저장','Allow Custom Values'=>'사용자 지정 값 허용','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'체크박스 맞춤 값은 비워둘 수 없습니다. 비어 있는 값을 모두 선택 취소합니다.','Updates'=>'업데이트','Advanced Custom Fields logo'=>'Advanced Custom Fields 로고','Save Changes'=>'변경 사항 저장','Field Group Title'=>'필드 그룹 제목','Add title'=>'제목 추가','New to ACF? Take a look at our getting started guide.'=>'ACF가 처음이신가요? 시작 가이드를 살펴보세요.','Add Field Group'=>'필드 그룹 추가','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF는 필드 그룹을 사용하여 사용자 정의 필드를 함께 그룹화한 다음 해당 필드를 편집 화면에 첨부합니다.','Add Your First Field Group'=>'첫 번째 필드 그룹 추가','Options Pages'=>'옵션 페이지','ACF Blocks'=>'ACF 블록','Gallery Field'=>'갤러리 필드','Flexible Content Field'=>'유연한 콘텐츠 필드','Repeater Field'=>'리피터 필드','Unlock Extra Features with ACF PRO'=>'ACF 프로로 추가 기능 잠금 해제','Delete Field Group'=>'필드 그룹 삭제','Created on %1$s at %2$s'=>'%1$s에서 %2$s에 생성됨','Group Settings'=>'그룹 설정','Location Rules'=>'위치 규칙','Choose from over 30 field types. Learn more.'=>'30개 이상의 필드 유형 중에서 선택하십시오. 자세히 알아보세요.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'게시물, 페이지, 사용자 정의 게시물 유형 및 기타 워드프레스 콘텐츠에 대한 새로운 사용자 정의 필드 생성을 시작하십시오.','Add Your First Field'=>'첫 번째 필드 추가','#'=>'#','Add Field'=>'필드 추가','Presentation'=>'프레젠테이션','Validation'=>'확인','General'=>'일반','Import JSON'=>'JSON 가져오기','Export As JSON'=>'JSON으로 내보내기','Field group deactivated.'=>'%s 필드 그룹이 비활성화되었습니다.','Field group activated.'=>'%s 필드 그룹이 활성화되었습니다.','Deactivate'=>'비활성화','Deactivate this item'=>'이 항목 비활성화','Activate'=>'활성화','Activate this item'=>'이 항목 활성화','Move field group to trash?'=>'필드 그룹을 휴지통으로 이동하시겠습니까?','post statusInactive'=>'비활성','WP Engine'=>'WP 엔진','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields와 Advanced Custom Fields 프로는 동시에 활성화되어서는 안 됩니다. Advanced Custom Fields 프로를 자동으로 비활성화했습니다.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields와 Advanced Custom Fields 프로는 동시에 활성화되어서는 안 됩니다. Advanced Custom Fields를 자동으로 비활성화했습니다.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF가 초기화되기 전에 ACF 필드 값을 검색하는 호출이 하나 이상 감지되었습니다. 이는 지원되지 않으며 잘못된 형식의 데이터 또는 누락된 데이터가 발생할 수 있습니다. 이 문제를 해결하는 방법을 알아보세요.','%1$s must have a user with the %2$s role.'=>'%1$s에는 다음 역할 중 하나를 가진 사용자가 있어야 합니다. %2$s','%1$s must have a valid user ID.'=>'%1$s에는 유효한 사용자 ID가 있어야 합니다.','Invalid request.'=>'잘못된 요청.','%1$s is not one of %2$s'=>'%1$s은(는) %2$s 중 하나가 아닙니다.','%1$s must have term %2$s.'=>'%1$s에는 다음 용어 중 하나가 있어야 합니다. %2$s','%1$s must be of post type %2$s.'=>'%1$s은(는) 다음 게시물 유형 중 하나여야 합니다: %2$s','%1$s must have a valid post ID.'=>'%1$s에는 유효한 게시물 ID가 있어야 합니다.','%s requires a valid attachment ID.'=>'%s에는 유효한 첨부 파일 ID가 필요합니다.','Show in REST API'=>'REST API에 표시','Enable Transparency'=>'투명성 활성화','RGBA Array'=>'RGBA 배열','RGBA String'=>'RGBA 문자열','Hex String'=>'16진수 문자열','Upgrade to PRO'=>'프로로 업그레이드','post statusActive'=>'활성','\'%s\' is not a valid email address'=>'‘%s’은(는) 유효한 이매일 주소가 아닙니다','Color value'=>'색상 값','Select default color'=>'기본 색상 선택하기','Clear color'=>'선명한 색상','Blocks'=>'블록','Options'=>'옵션','Users'=>'사용자','Menu items'=>'메뉴 항목','Widgets'=>'위젯','Attachments'=>'첨부파일','Taxonomies'=>'택소노미','Posts'=>'게시물','Last updated: %s'=>'최근 업데이트: %s','Sorry, this post is unavailable for diff comparison.'=>'죄송합니다. 이 게시물은 diff 비교에 사용할 수 없습니다.','Invalid field group parameter(s).'=>'잘못된 필드 그룹 매개변수입니다.','Awaiting save'=>'저장 대기 중','Saved'=>'저장했어요','Import'=>'가져오기','Review changes'=>'변경사항 검토하기','Located in: %s'=>'위치: %s','Located in plugin: %s'=>'플러그인에 있음: %s','Located in theme: %s'=>'테마에 있음: %s','Various'=>'다양한','Sync changes'=>'변경사항 동기화하기','Loading diff'=>'로딩 차이','Review local JSON changes'=>'지역 JSON 변경 검토하기','Visit website'=>'웹 사이트 방문하기','View details'=>'세부 정보 보기','Version %s'=>'버전 %s','Information'=>'정보','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'헬프 데스크. 당사 헬프데스크의 지원 전문가가 보다 심도 있는 기술 문제를 지원할 것입니다.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'토론. ACF 세계의 \'방법\'을 파악하는 데 도움을 줄 수 있는 커뮤니티 포럼에 활발하고 친근한 커뮤니티가 있습니다.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'문서. 광범위한 문서에는 발생할 수 있는 대부분의 상황에 대한 참조 및 가이드가 포함되어 있습니다.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'우리는 지원에 열광하며 ACF를 통해 웹 사이트를 최대한 활용하기를 바랍니다. 어려움에 처한 경우 도움을 받을 수 있는 여러 곳이 있습니다.','Help & Support'=>'도움말 및 지원','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'도움이 필요한 경우 도움말 및 지원 탭을 사용하여 연락하십시오.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'첫 번째 필드 그룹을 만들기 전에 먼저 시작하기 가이드를 읽고 플러그인의 철학과 모범 사례를 숙지하는 것이 좋습니다.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields 플러그인은 추가 필드로 워드프레스 편집 화면을 사용자 정의할 수 있는 시각적 양식 빌더와 모든 테마 템플릿 파일에 사용자 정의 필드 값을 표시하는 직관적인 API를 제공합니다.','Overview'=>'개요','Location type "%s" is already registered.'=>'위치 유형 "%s"이(가) 이미 등록되어 있습니다.','Class "%s" does not exist.'=>'"%s" 클래스가 존재하지 않습니다.','Invalid nonce.'=>'논스가 잘못되었습니다.','Error loading field.'=>'필드를 로드하는 중 오류가 발생했습니다.','Error: %s'=>'오류: %s','Widget'=>'위젯','User Role'=>'사용자 역할','Comment'=>'댓글','Post Format'=>'글 형식','Menu Item'=>'메뉴 아이템','Post Status'=>'게시물 상태','Menus'=>'메뉴','Menu Locations'=>'메뉴 위치','Menu'=>'메뉴','Post Taxonomy'=>'게시물 택소노미','Child Page (has parent)'=>'자식 페이지 (부모가 있습니다)','Parent Page (has children)'=>'부모 페이지 (자식이 있습니다)','Top Level Page (no parent)'=>'최상위 페이지 (부모가 없습니다)','Posts Page'=>'글 페이지','Front Page'=>'프론트 페이지','Page Type'=>'페이지 유형','Viewing back end'=>'백엔드 보기','Viewing front end'=>'프런트 엔드 보기','Logged in'=>'로그인','Current User'=>'현재 사용자','Page Template'=>'페이지 템플릿','Register'=>'등록하기','Add / Edit'=>'추가하기 / 편집하기','User Form'=>'사용자 양식','Page Parent'=>'페이지 부모','Super Admin'=>'최고 관리자','Current User Role'=>'현재 사용자 역할','Default Template'=>'기본 템플릿','Post Template'=>'게시물 템플릿','Post Category'=>'게시물 카테고리','All %s formats'=>'모든 %s 형식','Attachment'=>'첨부','%s value is required'=>'%s 값이 필요합니다.','Show this field if'=>'다음과 같은 경우 이 필드를 표시합니다.','Conditional Logic'=>'조건부 논리','and'=>'그리고','Local JSON'=>'로컬 JSON','Clone Field'=>'클론 필드','Please also check all premium add-ons (%s) are updated to the latest version.'=>'또한 모든 프리미엄 애드온(%s)이 최신 버전으로 업데이트되었는지 확인하세요.','This version contains improvements to your database and requires an upgrade.'=>'이 버전은 데이터베이스 개선을 포함하고 있어 업그래이드가 필요합니다.','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$s로 업데이트해주셔서 감사합니다!','Database Upgrade Required'=>'데이터베이스 업그래이드가 필요합니다','Options Page'=>'옵션 페이지','Gallery'=>'갤러리','Flexible Content'=>'유연한 콘텐츠','Repeater'=>'리피터','Back to all tools'=>'모든 도구로 돌아가기','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)'=>'편집 화면에 여러 개의 필드 그룹이 나타나는 경우 첫 번째 필드 그룹의 옵션(순서 번호가 가장 낮은 옵션)이 사용됩니다.','Select items to hide them from the edit screen.'=>'항목을 선택하여 편집 화면에서 숨깁니다.','Hide on screen'=>'화면에 숨기기','Send Trackbacks'=>'트랙백 보내기','Tags'=>'태그','Categories'=>'카테고리','Page Attributes'=>'페이지 속성','Format'=>'형식','Author'=>'작성자','Slug'=>'슬러그','Revisions'=>'리비전','Comments'=>'댓글','Discussion'=>'논의','Excerpt'=>'요약글','Content Editor'=>'콘텐츠 편집기','Permalink'=>'퍼머링크','Shown in field group list'=>'필드 그룹 목록에 표시됨','Field groups with a lower order will appear first'=>'순서가 낮은 필드 그룹이 먼저 나타납니다.','Order No.'=>'주문번호','Below fields'=>'필드 아래','Below labels'=>'레이블 아래','Instruction Placement'=>'지침 배치','Label Placement'=>'레이블 배치','Side'=>'측면','Normal (after content)'=>'일반(내용 뒤)','High (after title)'=>'높음(제목 뒤)','Position'=>'위치','Seamless (no metabox)'=>'매끄럽게(메타박스 없음)','Standard (WP metabox)'=>'표준(WP 메타박스)','Style'=>'스타일','Type'=>'유형','Key'=>'키','Order'=>'정렬하기','Close Field'=>'필드 닫기','id'=>'id','class'=>'클래스','width'=>'너비','Wrapper Attributes'=>'래퍼 속성','Required'=>'필수','Instructions'=>'지침','Field Type'=>'필드 유형','Single word, no spaces. Underscores and dashes allowed'=>'한 단어, 공백 없음. 밑줄 및 대시 허용','Field Name'=>'필드 명','This is the name which will appear on the EDIT page'=>'이것은 편집하기 페이지에 보일 이름입니다.','Field Label'=>'필드 레이블','Delete'=>'지우기','Delete field'=>'필드 삭제','Move'=>'이동하기','Move field to another group'=>'다름 그룹으로 필드 이동하기','Duplicate field'=>'필드 복제하기','Edit field'=>'필드 편집하기','Drag to reorder'=>'드래그하여 재정렬','Show this field group if'=>'다음과 같은 경우 이 필드 그룹 표시','No updates available.'=>'사용 가능한 업데이트가 없습니다.','Database upgrade complete. See what\'s new'=>'데이터베이스 업그래이드를 완료했습니다. 새로운 기능 보기 ','Reading upgrade tasks...'=>'업그래이드 작업을 읽기 ...','Upgrade failed.'=>'업그래이드에 실패했습니다.','Upgrade complete.'=>'업그래이드를 완료했습니다.','Upgrading data to version %s'=>'버전 %s(으)로 자료를 업그래이드하기','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'계속하기 전에 데이터베이스를 백업하는 것이 좋습니다. 지금 업데이트 도구를 실행하기 원하는게 확실한가요?','Please select at least one site to upgrade.'=>'업그래이드 할 사이트를 하나 이상 선택하기 바랍니다.','Database Upgrade complete. Return to network dashboard'=>'데이터베이스 업그래이드를 완료했습니다. 네트워크 알림판으로 돌아 가기 ','Site is up to date'=>'사이트가 최신 상태입니다.','Site requires database upgrade from %1$s to %2$s'=>'사이트는 %1$s에서 %2$s(으)로 데이터베이스 업그레이드가 필요합니다.','Site'=>'사이트','Upgrade Sites'=>'사이트 업그래이드하기','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'다음 사이트는 DB 업그레이드가 필요합니다. 업데이트하려는 항목을 확인한 다음 %s를 클릭하십시오.','Add rule group'=>'그룹 규칙 추가하기','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'이러한 Advanced Custom Fields를 사용할 편집 화면을 결정하는 일련의 규칙을 만듭니다.','Rules'=>'규칙','Copied'=>'복사했습니다','Copy to clipboard'=>'클립보드에 복사하기','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'내보낼 항목을 선택한 다음 내보내기 방법을 선택합니다. JSON으로 내보내기 - .json 파일로 내보낸 다음 다른 ACF 설치로 가져올 수 있습니다. PHP를 생성하여 테마에 배치할 수 있는 PHP 코드로 내보냅니다.','Select Field Groups'=>'필드 그룹 선택하기','No field groups selected'=>'선택한 필드 그룹 없음','Generate PHP'=>'PHP 생성','Export Field Groups'=>'필드 그룹 내보내기','Import file empty'=>'가져오기 파일이 비어 있음','Incorrect file type'=>'잘못된 파일 형식','Error uploading file. Please try again'=>'파일을 업로드하는 중 오류가 발생했습니다. 다시 시도해 주세요','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'가져오려는 Advanced Custom Fields JSON 파일을 선택합니다. 아래 가져오기 버튼을 클릭하면 ACF가 해당 파일의 항목을 가져옵니다.','Import Field Groups'=>'필드 그룹 가져오기','Sync'=>'동기화하기','Select %s'=>'%s 선택하기','Duplicate'=>'복제하기','Duplicate this item'=>'이 항목 복제하기','Supports'=>'지원','Documentation'=>'문서화','Description'=>'설명','Sync available'=>'동기화 가능','Field group synchronized.'=>'%s개의 필드 그룹을 동기화했습니다.','Field group duplicated.'=>'%s 필드 그룹이 복사되었습니다.','Active (%s)'=>'활성 (%s)','Review sites & upgrade'=>'사이트 검토하기 & 업그래이드하기','Upgrade Database'=>'데이터베이스 업그래이드하기','Custom Fields'=>'사용자 정의 필드','Move Field'=>'필드 이동하기','Please select the destination for this field'=>'이 필드의 대상을 선택하십시오','The %1$s field can now be found in the %2$s field group'=>'%1$s 필드는 이제 %2$s 필드 그룹에서 찾을 수 있습니다.','Move Complete.'=>'이동완료.','Active'=>'활성화','Field Keys'=>'필드 키','Settings'=>'설정','Location'=>'위치','Null'=>'빈값','copy'=>'복사하기','(this field)'=>'(이 필드)','Checked'=>'체크','Move Custom Field'=>'사용자 필드 이동하기','No toggle fields available'=>'사용 가능한 토글 필드 없음','Field group title is required'=>'필드 그룹 제목이 필요합니다.','This field cannot be moved until its changes have been saved'=>'변경 사항이 저장될 때까지 이 필드를 이동할 수 없습니다.','The string "field_" may not be used at the start of a field name'=>'문자열 "field_"는 필드 이름의 시작 부분에 사용할 수 없습니다.','Field group draft updated.'=>'필드 그룹 초안을 업데이트했습니다.','Field group scheduled for.'=>'필드 그룹이 예정되어 있습니다.','Field group submitted.'=>'필드 그룹이 제출되었습니다.','Field group saved.'=>'필드 그룹이 저장되었습니다.','Field group published.'=>'필드 그룹이 게시되었습니다.','Field group deleted.'=>'필드 그룹이 삭제되었습니다.','Field group updated.'=>'필드 그룹을 업데이트했습니다.','Tools'=>'도구','is not equal to'=>'같지 않음','is equal to'=>'같음','Forms'=>'양식','Page'=>'페이지','Post'=>'게시물','Relational'=>'관계형','Choice'=>'선택하기','Basic'=>'기초','Unknown'=>'알려지지 않은','Field type does not exist'=>'필드 유형이 존재하지 않습니다','Spam Detected'=>'스팸 감지됨','Post updated'=>'글을 업데이트했습니다','Update'=>'업데이트','Validate Email'=>'이매일 확인하기','Content'=>'콘텐츠','Title'=>'제목','Edit field group'=>'필드 그룹 편집하기','Selection is less than'=>'선택이 미만','Selection is greater than'=>'선택이 다음보다 큼','Value is less than'=>'값이 다음보다 작음','Value is greater than'=>'값이 다음보다 큼','Value contains'=>'값은 다음을 포함합니다.','Value matches pattern'=>'값이 패턴과 일치','Value is not equal to'=>'값이 같지 않음','Value is equal to'=>'값은 다음과 같습니다.','Has no value'=>'값이 없음','Has any value'=>'값이 있음','Cancel'=>'취소하기','Are you sure?'=>'확실합니까?','%d fields require attention'=>'%d개의 필드에 주의가 필요합니다.','1 field requires attention'=>'주의가 필요한 필드 1개','Validation failed'=>'검증에 실패했습니다','Validation successful'=>'유효성 검사 성공','Restricted'=>'제한했습니다','Collapse Details'=>'세부 정보 접기','Expand Details'=>'세부정보 확장하기','Uploaded to this post'=>'이 게시물에 업로드됨','verbUpdate'=>'업데이트','verbEdit'=>'편집하기','The changes you made will be lost if you navigate away from this page'=>'페이지를 벗어나면 변경 한 내용이 손실 됩니다','File type must be %s.'=>'파일 유형은 %s여야 합니다.','or'=>'또는','File size must not exceed %s.'=>'파일 크기는 %s를 초과할 수 없습니다.','File size must be at least %s.'=>'파일 크기는 %s 이상이어야 합니다.','Image height must not exceed %dpx.'=>'이미지 높이는 %dpx를 초과할 수 없습니다.','Image height must be at least %dpx.'=>'이미지 높이는 %dpx 이상이어야 합니다.','Image width must not exceed %dpx.'=>'이미지 너비는 %dpx를 초과할 수 없습니다.','Image width must be at least %dpx.'=>'이미지 너비는 %dpx 이상이어야 합니다.','(no title)'=>'(제목 없음)','Full Size'=>'전체 크기','Large'=>'크기가 큰','Medium'=>'중간','Thumbnail'=>'썸네일','(no label)'=>'(레이블 없음)','Sets the textarea height'=>'문자 영역의 높이를 설정하기','Rows'=>'행','Text Area'=>'텍스트 영역','Prepend an extra checkbox to toggle all choices'=>'모든 선택 항목을 토글하려면 추가 확인란을 앞에 추가하십시오.','Save \'custom\' values to the field\'s choices'=>'선택한 필드에 ‘사용자 정의’값 저장하기','Allow \'custom\' values to be added'=>'추가한 ‘사용자 정의’ 값 허용하기','Add new choice'=>'새로운 선택 추가하기','Toggle All'=>'모두 토글하기','Allow Archives URLs'=>'보관소 URLs 허용하기','Archives'=>'아카이브','Page Link'=>'페이지 링크','Add'=>'추가하기','Name'=>'이름','%s added'=>'%s 추가됨','%s already exists'=>'%s이(가) 이미 존재합니다.','User unable to add new %s'=>'사용자가 새 %s을(를) 추가할 수 없습니다.','Term ID'=>'용어 ID','Term Object'=>'용어 객체','Load value from posts terms'=>'글 용어에서 값 로드하기','Load Terms'=>'용어 로드하기','Connect selected terms to the post'=>'글에 선택한 조건을 연결하기','Save Terms'=>'조건 저장하기','Allow new terms to be created whilst editing'=>'편집하는 동안 생성할 새로운 조건을 허용하기','Create Terms'=>'용어 만들기','Radio Buttons'=>'라디오 버튼','Single Value'=>'단일 값','Multi Select'=>'다중 선택','Checkbox'=>'체크박스','Multiple Values'=>'여러 값','Select the appearance of this field'=>'이 필드의 모양 선택하기','Appearance'=>'모양','Select the taxonomy to be displayed'=>'보일 할 분류를 선택하기','No TermsNo %s'=>'%s 없음','Value must be equal to or lower than %d'=>'값은 %d보다 작거나 같아야 합니다.','Value must be equal to or higher than %d'=>'값은 %d 이상이어야 합니다.','Value must be a number'=>'값은 숫자여야 합니다.','Number'=>'숫자','Save \'other\' values to the field\'s choices'=>'선택한 필드에 ‘다른’ 값 저장하기','Add \'other\' choice to allow for custom values'=>'사용자 정의 값을 허용하는 ‘기타’ 선택 사항 추가하기','Other'=>'기타','Radio Button'=>'라디오 버튼','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'중지할 이전 아코디언의 끝점을 정의합니다. 이 아코디언은 보이지 않습니다.','Allow this accordion to open without closing others.'=>'다른 아코디언을 닫지 않고 이 아코디언이 열리도록 허용합니다.','Multi-Expand'=>'다중 확장','Display this accordion as open on page load.'=>'이 아코디언은 페이지 로드시 열린 것으로 보입니다.','Open'=>'열기','Accordion'=>'아코디언','Restrict which files can be uploaded'=>'업로드 할 수 있는 파일 제한하기','File ID'=>'파일 ID','File URL'=>'파일 URL','File Array'=>'파일 어레이','Add File'=>'파일 추가하기','No file selected'=>'파일이 선택되지 않았습니다','File name'=>'파일 이름','Update File'=>'파일 업데이트','Edit File'=>'파일 편집하기','Select File'=>'파일 선택하기','File'=>'파일','Password'=>'비밀번호','Specify the value returned'=>'반환할 값 지정하기','Use AJAX to lazy load choices?'=>'지연 로드 선택에 AJAX를 사용하시겠습니까?','Enter each default value on a new line'=>'새로운 줄에 기본 값 입력하기','verbSelect'=>'선택하기','Select2 JS load_failLoading failed'=>'로딩 실패','Select2 JS searchingSearching…'=>'검색하기…','Select2 JS load_moreLoading more results…'=>'더 많은 결과 로드 중…','Select2 JS selection_too_long_nYou can only select %d items'=>'%d 항목만 선택할 수 있어요','Select2 JS selection_too_long_1You can only select 1 item'=>'항목은 1개만 선택할 수 있습니다','Select2 JS input_too_long_nPlease delete %d characters'=>'%d글자를 지우기 바래요','Select2 JS input_too_long_1Please delete 1 character'=>'글자 1개를 지워주세요','Select2 JS input_too_short_nPlease enter %d or more characters'=>'%d 또는 이상의 글자를 입력하시기 바래요','Select2 JS input_too_short_1Please enter 1 or more characters'=>'글자를 1개 이상 입력하세요','Select2 JS matches_0No matches found'=>'일치하는 항목이 없습니다','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d개의 결과가 사용가능하니, 위와 아래 방향키를 이용해 탐색하세요.','Select2 JS matches_1One result is available, press enter to select it.'=>'1개 결과를 사용할 수 있습니다. 선택하려면 Enter 키를 누르세요.','nounSelect'=>'선택하기','User ID'=>'사용자 아이디','User Object'=>'사용자 객체','User Array'=>'사용자 배열','All user roles'=>'모든 사용자 역할','Filter by Role'=>'역할로 필터하기','User'=>'사용자','Separator'=>'분리 기호','Select Color'=>'색상 선택하기','Default'=>'기본','Clear'=>'정리','Color Picker'=>'색상 선택기','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'오후','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'오전','Date Time Picker JS selectTextSelect'=>'선택하기','Date Time Picker JS closeTextDone'=>'완료','Date Time Picker JS currentTextNow'=>'현재','Date Time Picker JS timezoneTextTime Zone'=>'시간대','Date Time Picker JS microsecTextMicrosecond'=>'마이크로초','Date Time Picker JS millisecTextMillisecond'=>'밀리초','Date Time Picker JS secondTextSecond'=>'초','Date Time Picker JS minuteTextMinute'=>'분','Date Time Picker JS hourTextHour'=>'시간','Date Time Picker JS timeTextTime'=>'시간','Date Time Picker JS timeOnlyTitleChoose Time'=>'시간 선택하기','Date Time Picker'=>'날짜 시간 선택기','Endpoint'=>'끝점','Left aligned'=>'왼쪽 정렬','Top aligned'=>'상단 정렬','Placement'=>'놓기','Tab'=>'탭','Value must be a valid URL'=>'값은 유효한 URL이어야 합니다.','Link URL'=>'링크 URL','Link Array'=>'링크 어레이','Opens in a new window/tab'=>'새 창/탭에서 열기','Select Link'=>'링크 선택하기','Link'=>'링크','Email'=>'이메일','Step Size'=>'단계 크기','Maximum Value'=>'최대값','Minimum Value'=>'최소값','Range'=>'범위','Both (Array)'=>'모두(배열)','Label'=>'레이블','Value'=>'값','Vertical'=>'수직','Horizontal'=>'수평','red : Red'=>'빨강 : 빨강','For more control, you may specify both a value and label like this:'=>'더 많은 제어를 위해 다음과 같이 값과 레이블을 모두 지정할 수 있습니다.','Enter each choice on a new line.'=>'새 줄에 각 선택 항목을 입력합니다.','Choices'=>'선택하기','Button Group'=>'버튼 그룹','Allow Null'=>'Null 값 허용','Parent'=>'부모','TinyMCE will not be initialized until field is clicked'=>'TinyMCE는 필드를 클릭할 때까지 초기화되지 않습니다.','Delay Initialization'=>'초기화 지연','Show Media Upload Buttons'=>'미디어 업로드 버튼 표시','Toolbar'=>'툴바','Text Only'=>'텍스트만','Visual Only'=>'비주얼 전용','Visual & Text'=>'비주얼 및 텍스트','Tabs'=>'탭','Click to initialize TinyMCE'=>'TinyMCE를 초기화하려면 클릭하십시오.','Name for the Text editor tab (formerly HTML)Text'=>'텍스트','Visual'=>'비주얼','Value must not exceed %d characters'=>'값은 %d자를 초과할 수 없습니다.','Leave blank for no limit'=>'제한 없이 비워두세요','Character Limit'=>'글자 수 제한','Appears after the input'=>'입력란 뒤에 표시됩니다','Append'=>'뒤에 추가','Appears before the input'=>'입력란 앞에 표시됩니다','Prepend'=>'앞에 추가','Appears within the input'=>'입력란 안에 표시됩니다','Placeholder Text'=>'플레이스홀더 텍스트','Appears when creating a new post'=>'새 게시물을 작성할 때 나타납니다.','Text'=>'텍스트','%1$s requires at least %2$s selection'=>'%1$s에는 %2$s개 이상의 선택 항목이 필요합니다.','Post ID'=>'게시물 ID','Post Object'=>'글 개체','Maximum Posts'=>'최대 게시물','Minimum Posts'=>'최소 게시물','Featured Image'=>'특성 이미지','Selected elements will be displayed in each result'=>'선택한 요소가 각 결과에 표시됩니다.','Elements'=>'엘리먼트','Taxonomy'=>'택소노미','Post Type'=>'게시물 유형','Filters'=>'필터','All taxonomies'=>'모든 분류','Filter by Taxonomy'=>'분류로 필터하기','All post types'=>'모든 게시물 유형','Filter by Post Type'=>'글 유형으로 필터하기','Search...'=>'검색하기...','Select taxonomy'=>'분류 선택하기','Select post type'=>'글 유형 선택하기','No matches found'=>'검색 결과가 없습니다','Loading'=>'로딩중','Maximum values reached ( {max} values )'=>'최대 값에 도달함( {max} values )','Relationship'=>'관계','Comma separated list. Leave blank for all types'=>'쉼표로 구분된 목록입니다. 모든 유형에 대해 비워 두십시오.','Allowed File Types'=>'허용된 파일 형식','Maximum'=>'최고','File size'=>'파일 크기','Restrict which images can be uploaded'=>'업로드 할 수 있는 이미지 제한하기','Minimum'=>'최저','Uploaded to post'=>'게시물에 업로드됨','All'=>'모두','Limit the media library choice'=>'미디어 라이브러리 선택 제한하기','Library'=>'라이브러리','Preview Size'=>'미리보기 크기','Image ID'=>'이미지 ID','Image URL'=>'이미지 URL','Image Array'=>'이미지 배열','Specify the returned value on front end'=>'프론트 엔드에 반환 값 지정하기','Return Value'=>'값 반환하기','Add Image'=>'이미지 추가하기','No image selected'=>'선택한 이미지 없음','Remove'=>'제거하기','Edit'=>'편집하기','All images'=>'모든 이미지','Update Image'=>'이미지 업데이트','Edit Image'=>'이미지 편집하기','Select Image'=>'이미지 선택하기','Image'=>'이미지','Allow HTML markup to display as visible text instead of rendering'=>'렌더링 대신 보이는 텍스트로 HTML 마크 업을 허용하기','Escape HTML'=>'HTML 이탈하기','No Formatting'=>'서식 없음','Automatically add <br>'=>'<br> 자동 추가하기','Automatically add paragraphs'=>'단락 자동 추가하기','Controls how new lines are rendered'=>'새 줄이 렌더링되는 방식을 제어합니다.','New Lines'=>'새로운 라인','Week Starts On'=>'주간 시작 날짜','The format used when saving a value'=>'값을 저장할 때 사용되는 형식','Save Format'=>'형식 저장하기','Date Picker JS weekHeaderWk'=>'주','Date Picker JS prevTextPrev'=>'이전','Date Picker JS nextTextNext'=>'다음','Date Picker JS currentTextToday'=>'오늘','Date Picker JS closeTextDone'=>'완료','Date Picker'=>'날짜 선택기','Width'=>'너비','Embed Size'=>'임베드 크기','Enter URL'=>'URL 입력','oEmbed'=>'포함','Text shown when inactive'=>'비활성 상태일 때 표시되는 텍스트','Off Text'=>'오프 텍스트','Text shown when active'=>'활성 상태일 때 표시되는 텍스트','On Text'=>'텍스트에','Stylized UI'=>'스타일화된 UI','Default Value'=>'기본값','Displays text alongside the checkbox'=>'확인란 옆에 텍스트를 표시합니다.','Message'=>'메시지','No'=>'아니요','Yes'=>'예','True / False'=>'참 / 거짓','Row'=>'열','Table'=>'태이블','Block'=>'블록','Specify the style used to render the selected fields'=>'선택한 필드를 렌더링하는 데 사용하는 스타일 지정하기','Layout'=>'레이아웃','Sub Fields'=>'하위 필드','Group'=>'그룹','Customize the map height'=>'지도 높이 맞춤설정','Height'=>'키','Set the initial zoom level'=>'초기화 줌 레벨 설정하기','Zoom'=>'줌','Center the initial map'=>'초기 맵 중앙에 배치','Center'=>'중앙','Search for address...'=>'주소를 검색하기...','Find current location'=>'현재 위치 찾기','Clear location'=>'위치 지우기','Search'=>'검색하기','Sorry, this browser does not support geolocation'=>'죄송합니다. 이 브라우저는 지리적 위치를 지원하지 않습니다.','Google Map'=>'구글지도','The format returned via template functions'=>'템플릿 함수를 통해 반환되는 형식','Return Format'=>'반환 형식','Custom:'=>'사용자화:','The format displayed when editing a post'=>'게시물을 편집할 때 표시되는 형식','Display Format'=>'표시 형식','Time Picker'=>'시간 선택기','Inactive (%s)'=>'비활성 (%s)','No Fields found in Trash'=>'휴지통에서 필드를 찾을 수 없습니다.','No Fields found'=>'필드를 찾을 수 없음','Search Fields'=>'필드 검색하기','View Field'=>'필드보기','New Field'=>'새 필드','Edit Field'=>'필드 편집하기','Add New Field'=>'새로운 필드 추가하기','Field'=>'필드','Fields'=>'필드','No Field Groups found in Trash'=>'휴지통에서 필드 그룹을 찾을 수 없습니다.','No Field Groups found'=>'필드 그룹을 찾을 수 없음','Search Field Groups'=>'필드 그룹 검색하기','View Field Group'=>'필드 그룹 보기','New Field Group'=>'새 필드 그룹','Edit Field Group'=>'필드 그룹 편집하기','Add New Field Group'=>'새 필드 그룹 추가하기','Add New'=>'새로 추가하기','Field Group'=>'필드 그룹','Field Groups'=>'필드 그룹','Customize WordPress with powerful, professional and intuitive fields.'=>'강력하고 전문적이며 직관적인 필드로 워드프레스를 사용자 정의하십시오.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'출처 업데이트','By default only admin users can edit this setting.'=>'기본적으로 관리자 사용자만 이 설정을 편집할 수 있습니다.','By default only super admin users can edit this setting.'=>'기본적으로 슈퍼 관리자 사용자만 이 설정을 편집할 수 있습니다.','Close and Add Field'=>'필드 닫기 및 추가','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'분류체계에서 메타박스의 콘텐츠를 처리하기 위해 호출할 PHP 함수 이름입니다. 보안을 위해 이 콜백은 $_POST 또는 $_GET과 같은 슈퍼글로브에 액세스하지 않고 특수한 컨텍스트에서 실행됩니다.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'편집 화면의 메타박스를 설정할 때 호출할 PHP 함수 이름입니다. 보안을 위해 이 콜백은 $_POST 또는 $_GET과 같은 슈퍼글로브에 액세스하지 않고 특수한 컨텍스트에서 실행됩니다.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'에디터 UI에서 값에 대한 액세스 허용','Learn more.'=>'더 알아보기.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'콘텐츠 편집자가 블록 바인딩 또는 ACF 쇼트코드를 사용하여 편집기 UI에서 필드 값에 액세스하고 표시할 수 있도록 허용합니다. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'요청된 ACF 필드 유형이 블록 바인딩 또는 ACF 쇼트코드의 출력을 지원하지 않습니다.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'요청된 ACF 필드는 바인딩 또는 ACF 쇼트코드로 출력할 수 없습니다.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'요청된 ACF 필드 유형이 바인딩 또는 ACF 쇼트코드로의 출력을 지원하지 않습니다.','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF 쇼트코드는 비공개 게시물의 필드를 표시할 수 없음]','[The ACF shortcode is disabled on this site]'=>'[이 사이트에서는 ACF 쇼트코드가 비활성화되었습니다.]','Businessman Icon'=>'비즈니스맨 아이콘','Forums Icon'=>'포럼 아이콘','YouTube Icon'=>'YouTube 아이콘','Yes (alt) Icon'=>'예 (대체) 아이콘','Xing Icon'=>'싱 아이콘','WordPress (alt) Icon'=>'워드프레스(대체) 아이콘','WhatsApp Icon'=>'WhatsApp 아이콘','Write Blog Icon'=>'블로그 글쓰기 아이콘','Widgets Menus Icon'=>'위젯 메뉴 아이콘','View Site Icon'=>'사이트 보기 아이콘','Learn More Icon'=>'더 알아보기 아이콘','Add Page Icon'=>'페이지 추가 아이콘','Video (alt3) Icon'=>'비디오 (대체3) 아이콘','Video (alt2) Icon'=>'비디오 (대체2) 아이콘','Video (alt) Icon'=>'동영상 (대체) 아이콘','Update (alt) Icon'=>'업데이트 (대체) 아이콘','Universal Access (alt) Icon'=>'유니버설 액세스(대체) 아이콘','Twitter (alt) Icon'=>'트위터(대체) 아이콘','Twitch Icon'=>'Twitch 아이콘','Tide Icon'=>'조수 아이콘','Tickets (alt) Icon'=>'티켓(대체) 아이콘','Text Page Icon'=>'텍스트 페이지 아이콘','Table Row Delete Icon'=>'표 행 삭제 아이콘','Table Row Before Icon'=>'표 행 이전 아이콘','Table Row After Icon'=>'표 행 후 아이콘','Table Col Delete Icon'=>'표 열 삭제 아이콘','Table Col Before Icon'=>'표 열 이전 아이콘','Table Col After Icon'=>'표 열 뒤 아이콘','Superhero (alt) Icon'=>'슈퍼히어로(대체) 아이콘','Superhero Icon'=>'슈퍼히어로 아이콘','Spotify Icon'=>'Spotify 아이콘','Shortcode Icon'=>'쇼트코드 아이콘','Shield (alt) Icon'=>'방패(대체) 아이콘','Share (alt2) Icon'=>'공유(대체2) 아이콘','Share (alt) Icon'=>'공유(대체) 아이콘','Saved Icon'=>'저장 아이콘','RSS Icon'=>'RSS 아이콘','REST API Icon'=>'REST API 아이콘','Remove Icon'=>'아이콘 제거','Reddit Icon'=>'Reddit 아이콘','Privacy Icon'=>'개인 정보 아이콘','Printer Icon'=>'프린터 아이콘','Podio Icon'=>'Podio 아이콘','Plus (alt2) Icon'=>'더하기(대체2) 아이콘','Plus (alt) Icon'=>'더하기(대체) 아이콘','Plugins Checked Icon'=>'플러그인 확인 아이콘','Pinterest Icon'=>'Pinterest 아이콘','Pets Icon'=>'애완동물 아이콘','PDF Icon'=>'PDF 아이콘','Palm Tree Icon'=>'야자수 아이콘','Open Folder Icon'=>'폴더 열기 아이콘','No (alt) Icon'=>'아니요(대체) 아이콘','Money (alt) Icon'=>'돈 (대체) 아이콘','Menu (alt3) Icon'=>'메뉴(대체3) 아이콘','Menu (alt2) Icon'=>'메뉴(대체2) 아이콘','Menu (alt) Icon'=>'메뉴(대체) 아이콘','Spreadsheet Icon'=>'스프레드시트 아이콘','Interactive Icon'=>'대화형 아이콘','Document Icon'=>'문서 아이콘','Default Icon'=>'기본 아이콘','Location (alt) Icon'=>'위치(대체) 아이콘','LinkedIn Icon'=>'LinkedIn 아이콘','Instagram Icon'=>'인스타그램 아이콘','Insert Before Icon'=>'이전 삽입 아이콘','Insert After Icon'=>'뒤에 삽입 아이콘','Insert Icon'=>'아이콘 삽입','Info Outline Icon'=>'정보 개요 아이콘','Images (alt2) Icon'=>'이미지(대체2) 아이콘','Images (alt) Icon'=>'이미지(대체) 아이콘','Rotate Right Icon'=>'오른쪽 회전 아이콘','Rotate Left Icon'=>'왼쪽 회전 아이콘','Rotate Icon'=>'회전 아이콘','Flip Vertical Icon'=>'세로로 뒤집기 아이콘','Flip Horizontal Icon'=>'가로로 뒤집기 아이콘','Crop Icon'=>'자르기 아이콘','ID (alt) Icon'=>'ID (대체) 아이콘','HTML Icon'=>'HTML 아이콘','Hourglass Icon'=>'모래시계 아이콘','Heading Icon'=>'제목 아이콘','Google Icon'=>'Google 아이콘','Games Icon'=>'게임 아이콘','Fullscreen Exit (alt) Icon'=>'전체 화면 종료(대체) 아이콘','Fullscreen (alt) Icon'=>'전체 화면 (대체) 아이콘','Status Icon'=>'상태 아이콘','Image Icon'=>'이미지 아이콘','Gallery Icon'=>'갤러리 아이콘','Chat Icon'=>'채팅 아이콘','Audio Icon'=>'오디오 아이콘','Aside Icon'=>'옆으로 아이콘','Food Icon'=>'음식 아이콘','Exit Icon'=>'종료 아이콘','Excerpt View Icon'=>'요약글 보기 아이콘','Embed Video Icon'=>'동영상 퍼가기 아이콘','Embed Post Icon'=>'글 임베드 아이콘','Embed Photo Icon'=>'사진 임베드 아이콘','Embed Generic Icon'=>'일반 임베드 아이콘','Embed Audio Icon'=>'오디오 삽입 아이콘','Email (alt2) Icon'=>'이메일(대체2) 아이콘','Ellipsis Icon'=>'줄임표 아이콘','Unordered List Icon'=>'정렬되지 않은 목록 아이콘','RTL Icon'=>'RTL 아이콘','Ordered List RTL Icon'=>'정렬된 목록 RTL 아이콘','Ordered List Icon'=>'주문 목록 아이콘','LTR Icon'=>'LTR 아이콘','Custom Character Icon'=>'사용자 지정 캐릭터 아이콘','Edit Page Icon'=>'페이지 편집 아이콘','Edit Large Icon'=>'큰 편집 아이콘','Drumstick Icon'=>'드럼 스틱 아이콘','Database View Icon'=>'데이터베이스 보기 아이콘','Database Remove Icon'=>'데이터베이스 제거 아이콘','Database Import Icon'=>'데이터베이스 가져오기 아이콘','Database Export Icon'=>'데이터베이스 내보내기 아이콘','Database Add Icon'=>'데이터베이스 추가 아이콘','Database Icon'=>'데이터베이스 아이콘','Cover Image Icon'=>'표지 이미지 아이콘','Volume On Icon'=>'볼륨 켜기 아이콘','Volume Off Icon'=>'볼륨 끄기 아이콘','Skip Forward Icon'=>'앞으로 건너뛰기 아이콘','Skip Back Icon'=>'뒤로 건너뛰기 아이콘','Repeat Icon'=>'반복 아이콘','Play Icon'=>'재생 아이콘','Pause Icon'=>'일시 중지 아이콘','Forward Icon'=>'앞으로 아이콘','Back Icon'=>'뒤로 아이콘','Columns Icon'=>'열 아이콘','Color Picker Icon'=>'색상 선택기 아이콘','Coffee Icon'=>'커피 아이콘','Code Standards Icon'=>'코드 표준 아이콘','Cloud Upload Icon'=>'클라우드 업로드 아이콘','Cloud Saved Icon'=>'클라우드 저장 아이콘','Car Icon'=>'자동차 아이콘','Camera (alt) Icon'=>'카메라(대체) 아이콘','Calculator Icon'=>'계산기 아이콘','Button Icon'=>'버튼 아이콘','Businessperson Icon'=>'사업가 아이콘','Tracking Icon'=>'추적 아이콘','Topics Icon'=>'토픽 아이콘','Replies Icon'=>'답글 아이콘','PM Icon'=>'PM 아이콘','Friends Icon'=>'친구 아이콘','Community Icon'=>'커뮤니티 아이콘','BuddyPress Icon'=>'버디프레스 아이콘','bbPress Icon'=>'비비프레스 아이콘','Activity Icon'=>'활동 아이콘','Book (alt) Icon'=>'책 (대체) 아이콘','Block Default Icon'=>'블록 기본 아이콘','Bell Icon'=>'벨 아이콘','Beer Icon'=>'맥주 아이콘','Bank Icon'=>'은행 아이콘','Arrow Up (alt2) Icon'=>'화살표 위(대체2) 아이콘','Arrow Up (alt) Icon'=>'위쪽 화살표(대체) 아이콘','Arrow Right (alt2) Icon'=>'오른쪽 화살표(대체2) 아이콘','Arrow Right (alt) Icon'=>'오른쪽 화살표(대체) 아이콘','Arrow Left (alt2) Icon'=>'왼쪽 화살표(대체2) 아이콘','Arrow Left (alt) Icon'=>'왼쪽 화살표(대체) 아이콘','Arrow Down (alt2) Icon'=>'아래쪽 화살표(대체2) 아이콘','Arrow Down (alt) Icon'=>'아래쪽 화살표(대체) 아이콘','Amazon Icon'=>'아마존 아이콘','Align Wide Icon'=>'와이드 정렬 아이콘','Align Pull Right Icon'=>'오른쪽으로 당겨 정렬 아이콘','Align Pull Left Icon'=>'왼쪽으로 당겨 정렬 아이콘','Align Full Width Icon'=>'전체 너비 정렬 아이콘','Airplane Icon'=>'비행기 아이콘','Site (alt3) Icon'=>'사이트 (대체3) 아이콘','Site (alt2) Icon'=>'사이트 (대체2) 아이콘','Site (alt) Icon'=>'사이트 (대체) 아이콘','Upgrade to ACF PRO to create options pages in just a few clicks'=>'몇 번의 클릭만으로 옵션 페이지를 만들려면 ACF PRO로 업그레이드하세요.','Invalid request args.'=>'잘못된 요청 인수입니다.','Sorry, you do not have permission to do that.'=>'죄송합니다. 해당 권한이 없습니다.','Blocks Using Post Meta'=>'포스트 메타를 사용한 블록','ACF PRO logo'=>'ACF PRO 로고','ACF PRO Logo'=>'ACF PRO 로고','%s requires a valid attachment ID when type is set to media_library.'=>'유형이 미디어_라이브러리로 설정된 경우 %s에 유효한 첨부 파일 ID가 필요합니다.','%s is a required property of acf.'=>'%s는 acf의 필수 속성입니다.','The value of icon to save.'=>'저장할 아이콘의 값입니다.','The type of icon to save.'=>'저장할 아이콘 유형입니다.','Yes Icon'=>'예 아이콘','WordPress Icon'=>'워드프레스 아이콘','Warning Icon'=>'경고 아이콘','Visibility Icon'=>'가시성 아이콘','Vault Icon'=>'볼트 아이콘','Upload Icon'=>'업로드 아이콘','Update Icon'=>'업데이트 아이콘','Unlock Icon'=>'잠금 해제 아이콘','Universal Access Icon'=>'유니버설 액세스 아이콘','Undo Icon'=>'실행 취소 아이콘','Twitter Icon'=>'트위터 아이콘','Trash Icon'=>'휴지통 아이콘','Translation Icon'=>'번역 아이콘','Tickets Icon'=>'티켓 아이콘','Thumbs Up Icon'=>'엄지척 아이콘','Thumbs Down Icon'=>'엄지 아래로 아이콘','Text Icon'=>'텍스트 아이콘','Testimonial Icon'=>'추천 아이콘','Tagcloud Icon'=>'태그클라우드 아이콘','Tag Icon'=>'태그 아이콘','Tablet Icon'=>'태블릿 아이콘','Store Icon'=>'스토어 아이콘','Sticky Icon'=>'스티커 아이콘','Star Half Icon'=>'별 반쪽 아이콘','Star Filled Icon'=>'별이 채워진 아이콘','Star Empty Icon'=>'별 비어 있음 아이콘','Sos Icon'=>'구조 요청 아이콘','Sort Icon'=>'정렬 아이콘','Smiley Icon'=>'스마일 아이콘','Smartphone Icon'=>'스마트폰 아이콘','Slides Icon'=>'슬라이드 아이콘','Shield Icon'=>'방패 아이콘','Share Icon'=>'공유 아이콘','Search Icon'=>'검색 아이콘','Screen Options Icon'=>'화면 옵션 아이콘','Schedule Icon'=>'일정 아이콘','Redo Icon'=>'다시 실행 아이콘','Randomize Icon'=>'무작위 추출 아이콘','Products Icon'=>'제품 아이콘','Pressthis Icon'=>'Pressthis 아이콘','Post Status Icon'=>'글 상태 아이콘','Portfolio Icon'=>'포트폴리오 아이콘','Plus Icon'=>'플러스 아이콘','Playlist Video Icon'=>'재생목록 비디오 아이콘','Playlist Audio Icon'=>'재생목록 오디오 아이콘','Phone Icon'=>'전화 아이콘','Performance Icon'=>'성능 아이콘','Paperclip Icon'=>'종이 클립 아이콘','No Icon'=>'없음 아이콘','Networking Icon'=>'네트워킹 아이콘','Nametag Icon'=>'네임택 아이콘','Move Icon'=>'이동 아이콘','Money Icon'=>'돈 아이콘','Minus Icon'=>'마이너스 아이콘','Migrate Icon'=>'마이그레이션 아이콘','Microphone Icon'=>'마이크 아이콘','Megaphone Icon'=>'메가폰 아이콘','Marker Icon'=>'마커 아이콘','Lock Icon'=>'잠금 아이콘','Location Icon'=>'위치 아이콘','List View Icon'=>'목록 보기 아이콘','Lightbulb Icon'=>'전구 아이콘','Left Right Icon'=>'왼쪽 오른쪽 아이콘','Layout Icon'=>'레이아웃 아이콘','Laptop Icon'=>'노트북 아이콘','Info Icon'=>'정보 아이콘','Index Card Icon'=>'색인 카드 아이콘','ID Icon'=>'ID 아이콘','Hidden Icon'=>'숨김 아이콘','Heart Icon'=>'하트 아이콘','Hammer Icon'=>'해머 아이콘','Groups Icon'=>'그룹 아이콘','Grid View Icon'=>'그리드 보기 아이콘','Forms Icon'=>'양식 아이콘','Flag Icon'=>'깃발 아이콘','Filter Icon'=>'필터 아이콘','Feedback Icon'=>'피드백 아이콘','Facebook (alt) Icon'=>'Facebook (대체) 아이콘','Facebook Icon'=>'페이스북 아이콘','External Icon'=>'외부 아이콘','Email (alt) Icon'=>'이메일 (대체) 아이콘','Email Icon'=>'이메일 아이콘','Video Icon'=>'비디오 아이콘','Unlink Icon'=>'링크 해제 아이콘','Underline Icon'=>'밑줄 아이콘','Text Color Icon'=>'텍스트색 아이콘','Table Icon'=>'표 아이콘','Strikethrough Icon'=>'취소선 아이콘','Spellcheck Icon'=>'맞춤법 검사 아이콘','Remove Formatting Icon'=>'서식 제거 아이콘','Quote Icon'=>'인용 아이콘','Paste Word Icon'=>'단어 붙여넣기 아이콘','Paste Text Icon'=>'텍스트 붙여넣기 아이콘','Paragraph Icon'=>'단락 아이콘','Outdent Icon'=>'내어쓰기 아이콘','Kitchen Sink Icon'=>'주방 싱크 아이콘','Justify Icon'=>'맞춤 아이콘','Italic Icon'=>'이탤릭체 아이콘','Insert More Icon'=>'더 삽입 아이콘','Indent Icon'=>'들여쓰기 아이콘','Help Icon'=>'도움말 아이콘','Expand Icon'=>'펼치기 아이콘','Contract Icon'=>'계약 아이콘','Code Icon'=>'코드 아이콘','Break Icon'=>'나누기 아이콘','Bold Icon'=>'굵은 아이콘','Edit Icon'=>'수정 아이콘','Download Icon'=>'다운로드 아이콘','Dismiss Icon'=>'해지 아이콘','Desktop Icon'=>'데스크톱 아이콘','Dashboard Icon'=>'대시보드 아이콘','Cloud Icon'=>'구름 아이콘','Clock Icon'=>'시계 아이콘','Clipboard Icon'=>'클립보드 아이콘','Chart Pie Icon'=>'원형 차트 아이콘','Chart Line Icon'=>'선 차트 아이콘','Chart Bar Icon'=>'막대 차트 아이콘','Chart Area Icon'=>'영역 차트 아이콘','Category Icon'=>'카테고리 아이콘','Cart Icon'=>'장바구니 아이콘','Carrot Icon'=>'당근 아이콘','Camera Icon'=>'카메라 아이콘','Calendar (alt) Icon'=>'캘린더 (대체) 아이콘','Calendar Icon'=>'캘린더 아이콘','Businesswoman Icon'=>'비즈니스우먼 아이콘','Building Icon'=>'건물 아이콘','Book Icon'=>'책 아이콘','Backup Icon'=>'백업 아이콘','Awards Icon'=>'상 아이콘','Art Icon'=>'아트 아이콘','Arrow Up Icon'=>'위쪽 화살표 아이콘','Arrow Right Icon'=>'오른쪽 화살표 아이콘','Arrow Left Icon'=>'왼쪽 화살표 아이콘','Arrow Down Icon'=>'아래쪽 화살표 아이콘','Archive Icon'=>'아카이브 아이콘','Analytics Icon'=>'애널리틱스 아이콘','Align Right Icon'=>'오른쪽 정렬 아이콘','Align None Icon'=>'정렬 안 함 아이콘','Align Left Icon'=>'왼쪽 정렬 아이콘','Align Center Icon'=>'가운데 정렬 아이콘','Album Icon'=>'앨범 아이콘','Users Icon'=>'사용자 아이콘','Tools Icon'=>'도구 아이콘','Site Icon'=>'사이트 아이콘','Settings Icon'=>'설정 아이콘','Post Icon'=>'글 아이콘','Plugins Icon'=>'플러그인 아이콘','Page Icon'=>'페이지 아이콘','Network Icon'=>'네트워크 아이콘','Multisite Icon'=>'다중 사이트 아이콘','Media Icon'=>'미디어 아이콘','Links Icon'=>'링크 아이콘','Home Icon'=>'홈 아이콘','Customizer Icon'=>'커스터마이저 아이콘','Comments Icon'=>'댓글 아이콘','Collapse Icon'=>'접기 아이콘','Appearance Icon'=>'모양 아이콘','Generic Icon'=>'일반 아이콘','Icon picker requires a value.'=>'아이콘 선택기에는 값이 필요합니다.','Icon picker requires an icon type.'=>'아이콘 선택기에는 아이콘 유형이 필요합니다.','The available icons matching your search query have been updated in the icon picker below.'=>'아래의 아이콘 선택기에서 검색어와 일치하는 사용 가능한 아이콘이 업데이트되었습니다.','No results found for that search term'=>'해당 검색어에 대한 결과를 찾을 수 없습니다.','Array'=>'배열','String'=>'문자열','Specify the return format for the icon. %s'=>'아이콘의 반환 형식을 지정합니다. %s','Select where content editors can choose the icon from.'=>'콘텐츠 편집자가 아이콘을 선택할 수 있는 위치를 선택합니다.','The URL to the icon you\'d like to use, or svg as Data URI'=>'사용하려는 아이콘의 URL(또는 데이터 URI로서의 svg)','Browse Media Library'=>'미디어 라이브러리 찾아보기','The currently selected image preview'=>'현재 선택된 이미지 미리보기','Click to change the icon in the Media Library'=>'미디어 라이브러리에서 아이콘을 변경하려면 클릭합니다.','Search icons...'=>'검색 아이콘...','Media Library'=>'미디어 라이브러리','Dashicons'=>'대시 아이콘','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'아이콘을 선택할 수 있는 대화형 UI입니다. 대시 아이콘, 미디어 라이브러리 또는 독립형 URL 입력 중에서 선택할 수 있습니다.','Icon Picker'=>'아이콘 선택기','JSON Load Paths'=>'JSON 로드 경로','JSON Save Paths'=>'JSON 경로 저장','Registered ACF Forms'=>'등록된 ACF 양식','Shortcode Enabled'=>'쇼트코드 사용','Field Settings Tabs Enabled'=>'필드 설정 탭 사용됨','Field Type Modal Enabled'=>'필드 유형 모달 사용됨','Admin UI Enabled'=>'관리자 UI 활성화됨','Block Preloading Enabled'=>'블록 사전 로드 활성화됨','Blocks Per ACF Block Version'=>'ACF 블록 버전당 블록 수','Blocks Per API Version'=>'API 버전별 블록 수','Registered ACF Blocks'=>'등록된 ACF 블록','Light'=>'Light','Standard'=>'표준','REST API Format'=>'REST API 형식','Registered Options Pages (PHP)'=>'등록된 옵션 페이지(PHP)','Registered Options Pages (JSON)'=>'등록된 옵션 페이지(JSON)','Registered Options Pages (UI)'=>'등록된 옵션 페이지(UI)','Options Pages UI Enabled'=>'옵션 페이지 UI 활성화됨','Registered Taxonomies (JSON)'=>'등록된 분류(JSON)','Registered Taxonomies (UI)'=>'등록된 분류(UI)','Registered Post Types (JSON)'=>'등록된 글 유형(JSON)','Registered Post Types (UI)'=>'등록된 글 유형(UI)','Post Types and Taxonomies Enabled'=>'글 유형 및 분류 사용됨','Number of Third Party Fields by Field Type'=>'필드 유형별 타사 필드 수','Number of Fields by Field Type'=>'필드 유형별 필드 수','Field Groups Enabled for GraphQL'=>'GraphQL에 사용 가능한 필드 그룹','Field Groups Enabled for REST API'=>'REST API에 필드 그룹 사용 가능','Registered Field Groups (JSON)'=>'등록된 필드 그룹(JSON)','Registered Field Groups (PHP)'=>'등록된 필드 그룹(PHP)','Registered Field Groups (UI)'=>'등록된 필드 그룹(UI)','Active Plugins'=>'활성 플러그인','Parent Theme'=>'부모 테마','Active Theme'=>'활성 테마','Is Multisite'=>'다중 사이트임','MySQL Version'=>'MySQL 버전','WordPress Version'=>'워드프레스 버전','Subscription Expiry Date'=>'구독 만료 날짜','License Status'=>'라이선스 상태','License Type'=>'라이선스 유형','Licensed URL'=>'라이선스 URL','License Activated'=>'라이선스 활성화됨','Free'=>'무료','Plugin Type'=>'플러그인 유형','Plugin Version'=>'플러그인 버전','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'이 섹션에는 지원팀에 제공하는 데 유용할 수 있는 ACF 구성에 대한 디버그 정보가 포함되어 있습니다.','An ACF Block on this page requires attention before you can save.'=>'이 페이지의 ACF 블록은 저장하기 전에 주의가 필요합니다.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'이 데이터는 출력 중에 변경된 값을 감지할 때 기록됩니다. %1$s코드에서 값을 이스케이프 처리한 후 로그를 지우고 %2$s를 해제합니다. 변경된 값이 다시 감지되면 알림이 다시 나타납니다.','Dismiss permanently'=>'더이상 안보기','Instructions for content editors. Shown when submitting data.'=>'콘텐츠 편집자를 위한 지침입니다. 데이터를 제출할 때 표시됩니다.','Has no term selected'=>'학기가 선택되지 않았습니다.','Has any term selected'=>'학기가 선택되어 있음','Terms do not contain'=>'용어에 다음이 포함되지 않음','Terms contain'=>'용어에 다음이 포함됨','Term is not equal to'=>'용어가 다음과 같지 않습니다.','Term is equal to'=>'기간은 다음과 같습니다.','Has no user selected'=>'선택한 사용자가 없음','Has any user selected'=>'사용자가 선택된 사용자 있음','Users do not contain'=>'사용자가 다음을 포함하지 않음','Users contain'=>'사용자가 다음을 포함합니다.','User is not equal to'=>'사용자가 다음과 같지 않습니다.','User is equal to'=>'사용자가 다음과 같습니다.','Has no page selected'=>'선택된 페이지가 없음','Has any page selected'=>'선택한 페이지가 있음','Pages do not contain'=>'페이지에 다음이 포함되지 않음','Pages contain'=>'페이지에 다음이 포함됨','Page is not equal to'=>'페이지가 다음과 같지 않습니다.','Page is equal to'=>'페이지가 다음과 같습니다.','Has no relationship selected'=>'관계를 선택하지 않음','Has any relationship selected'=>'관계를 선택했음','Has no post selected'=>'선택된 게시글이 없음','Has any post selected'=>'게시글이 선택되어 있음','Posts do not contain'=>'글에 다음이 포함되지 않음','Posts contain'=>'글에 다음이 포함됨','Post is not equal to'=>'글은 다음과 같지 않습니다.','Post is equal to'=>'글은 다음과 같습니다.','Relationships do not contain'=>'관계에 다음이 포함되지 않음','Relationships contain'=>'관계에 다음이 포함됩니다.','Relationship is not equal to'=>'관계가 다음과 같지 않습니다.','Relationship is equal to'=>'관계는 다음과 같습니다.','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 필드','ACF PRO Feature'=>'ACF PRO 기능','Renew PRO to Unlock'=>'PRO 라이선스 갱신하여 잠금 해제','Renew PRO License'=>'PRO 라이선스 갱신','PRO fields cannot be edited without an active license.'=>'PRO 라이선스가 활성화되어 있지 않으면 PRO 필드를 편집할 수 없습니다.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'ACF 블록에 할당된 필드 그룹을 편집하려면 ACF PRO 라이선스를 활성화하세요.','Please activate your ACF PRO license to edit this options page.'=>'이 옵션 페이지를 편집하려면 ACF PRO 라이선스를 활성화하세요.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'이스케이프 처리된 HTML 값을 반환하는 것은 format_value도 참인 경우에만 가능합니다. 보안을 위해 필드 값이 반환되지 않았습니다.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'이스케이프된 HTML 값을 반환하는 것은 형식_값도 참인 경우에만 가능합니다. 보안을 위해 필드 값은 반환되지 않습니다.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF가 이제 the_field 또는 ACF 쇼트코드로 렌더링될 때 안전하지 않은 HTML을 자동으로 이스케이프 처리합니다. 이 변경으로 인해 일부 필드의 출력이 수정된 것을 감지했지만 이는 중요한 변경 사항은 아닐 수 있습니다. %2$s.','Please contact your site administrator or developer for more details.'=>'자세한 내용은 사이트 관리자 또는 개발자에게 문의하세요.','Learn more'=>'자세히 알아보기','Hide details'=>'세부 정보 숨기기','Show details'=>'세부 정보 표시','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s를 통해 렌더링되었습니다.','Renew ACF PRO License'=>'ACF PRO 라이선스 갱신','Renew License'=>'라이선스 갱신','Manage License'=>'라이선스 관리','\'High\' position not supported in the Block Editor'=>'블록 에디터에서 \'높음\' 위치가 지원되지 않음','Upgrade to ACF PRO'=>'ACF PRO로 업그레이드','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF 옵션 페이지는 필드를 통해 전역 설정을 관리하기 위한 사용자 지정 관리자 페이지입니다. 여러 페이지와 하위 페이지를 만들 수 있습니다.','Add Options Page'=>'옵션 추가 페이지','In the editor used as the placeholder of the title.'=>'제목의 플레이스홀더로 사용되는 편집기에서.','Title Placeholder'=>'제목 플레이스홀더','4 Months Free'=>'4개월 무료','(Duplicated from %s)'=>' (%s에서 복제됨)','Select Options Pages'=>'옵션 페이지 선택','Duplicate taxonomy'=>'중복 분류','Create taxonomy'=>'분류 체계 만들기','Duplicate post type'=>'중복 글 유형','Create post type'=>'글 유형 만들기','Link field groups'=>'필드 그룹 연결','Add fields'=>'필드 추가','This Field'=>'이 필드','ACF PRO'=>'ACF PRO','Feedback'=>'피드백','Support'=>'지원','is developed and maintained by'=>'에 의해 개발 및 유지 관리됩니다.','Add this %s to the location rules of the selected field groups.'=>'선택한 필드 그룹의 위치 규칙에 이 %s를 추가합니다.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'양방향 설정을 활성화하면 이 필드에 대해 선택한 각 값에 대해 대상 필드에서 값을 업데이트하고 업데이트할 항목의 글 ID, 분류 ID 또는 사용자 ID를 추가하거나 제거할 수 있습니다. 자세한 내용은 문서를 참조하세요.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'업데이트 중인 항목에 대한 참조를 다시 저장할 필드를 선택합니다. 이 필드를 선택할 수 있습니다. 대상 필드는 이 필드가 표시되는 위치와 호환되어야 합니다. 예를 들어 이 필드가 분류에 표시되는 경우 대상 필드는 분류 유형이어야 합니다.','Target Field'=>'대상 필드','Update a field on the selected values, referencing back to this ID'=>'이 ID를 다시 참조하여 선택한 값의 필드를 업데이트합니다.','Bidirectional'=>'양방향','%s Field'=>'%s 필드','Select Multiple'=>'여러 개 선택','WP Engine logo'=>'WP 엔진 로고','Lower case letters, underscores and dashes only, Max 32 characters.'=>'소문자, 밑줄 및 대시만 입력할 수 있으며 최대 32자까지 입력할 수 있습니다.','The capability name for assigning terms of this taxonomy.'=>'이 택소노미의 용어를 할당하기 위한 기능 이름입니다.','Assign Terms Capability'=>'용어 할당 가능','The capability name for deleting terms of this taxonomy.'=>'이 택소노미의 용어를 삭제하기 위한 기능 이름입니다.','Delete Terms Capability'=>'약관 삭제 가능','The capability name for editing terms of this taxonomy.'=>'이 택소노미의 용어를 편집하기 위한 기능 이름입니다.','Edit Terms Capability'=>'약관 편집 가능','The capability name for managing terms of this taxonomy.'=>'이 택소노미의 용어를 관리하기 위한 기능 이름입니다.','Manage Terms Capability'=>'약관 관리 가능','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'검색 결과 및 택소노미 아카이브 페이지에서 글을 제외할지 여부를 설정합니다.','More Tools from WP Engine'=>'WP 엔진의 더 많은 도구','Built for those that build with WordPress, by the team at %s'=>'워드프레스로 제작하는 사용자를 위해 %s 팀에서 제작했습니다.','View Pricing & Upgrade'=>'가격 및 업그레이드 보기','Learn More'=>'더 알아보기','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'ACF 블록 및 옵션 페이지와 같은 기능과 리피터, 유연한 콘텐츠, 복제 및 갤러리와 같은 정교한 필드 유형을 사용하여 워크플로우를 가속화하고 더 나은 웹사이트를 개발할 수 있습니다.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF 프로로 고급 기능을 잠금 해제하고 더 많은 것을 구축하세요.','%s fields'=>'%s 필드','No terms'=>'용어 없음','No post types'=>'게시물 유형 없음','No posts'=>'게시물 없음','No taxonomies'=>'택소노미 없음','No field groups'=>'필드 그룹 없음','No fields'=>'필드 없음','No description'=>'설명 없음','Any post status'=>'모든 게시물 상태','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'이 택소노미 키는 ACF 외부에 등록된 다른 택소노미에서 이미 사용 중이므로 사용할 수 없습니다.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'이 택소노미 키는 이미 ACF의 다른 택소노미에서 사용 중이므로 사용할 수 없습니다.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'택소노미 키에는 소문자 영숫자 문자, 밑줄 또는 대시만 포함되어야 합니다.','The taxonomy key must be under 32 characters.'=>'택소노미 키는 32자 미만이어야 합니다.','No Taxonomies found in Trash'=>'휴지통에 택소노미가 없습니다.','No Taxonomies found'=>'택소노미가 없습니다.','Search Taxonomies'=>'택소노미 검색','View Taxonomy'=>'택소노미 보기','New Taxonomy'=>'새로운 택소노미','Edit Taxonomy'=>'택소노미 편집','Add New Taxonomy'=>'새 택소노미 추가','No Post Types found in Trash'=>'휴지통에서 게시물 유형을 찾을 수 없습니다.','No Post Types found'=>'게시물 유형을 찾을 수 없습니다.','Search Post Types'=>'게시물 유형 검색','View Post Type'=>'게시물 유형 보기','New Post Type'=>'새 게시물 유형','Edit Post Type'=>'게시물 유형 편집','Add New Post Type'=>'새 게시물 유형 추가','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'이 게시물 유형 키는 ACF 외부에 등록된 다른 게시물 유형에서 이미 사용 중이므로 사용할 수 없습니다.','This post type key is already in use by another post type in ACF and cannot be used.'=>'이 게시물 유형 키는 이미 ACF의 다른 게시물 유형에서 사용 중이므로 사용할 수 없습니다.','This field must not be a WordPress reserved term.'=>'이 필드는 워드프레스 예약어가 아니어야 합니다.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'게시물 유형 키에는 소문자 영숫자 문자, 밑줄 또는 대시만 포함해야 합니다.','The post type key must be under 20 characters.'=>'게시물 유형 키는 20자 미만이어야 합니다.','We do not recommend using this field in ACF Blocks.'=>'ACF 블록에서는 이 필드를 사용하지 않는 것이 좋습니다.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'게시물 및 페이지에 표시되는 워드프레스 WYSIWYG 편집기를 표시하여 멀티미디어 콘텐츠도 허용하는 풍부한 텍스트 편집 환경을 허용합니다.','WYSIWYG Editor'=>'WYSIWYG 편집기','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'데이터 개체 간의 관계를 만드는 데 사용할 수 있는 하나 이상의 사용자를 선택할 수 있습니다.','A text input specifically designed for storing web addresses.'=>'웹 주소를 저장하기 위해 특별히 설계된 텍스트 입력입니다.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'1 또는 0 값(켜기 또는 끄기, 참 또는 거짓 등)을 선택할 수 있는 토글입니다. 양식화된 스위치 또는 확인란으로 표시할 수 있습니다.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'시간을 선택하기 위한 대화형 UI입니다. 시간 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','A basic textarea input for storing paragraphs of text.'=>'텍스트 단락을 저장하기 위한 기본 텍스트 영역 입력.','A basic text input, useful for storing single string values.'=>'단일 문자열 값을 저장하는 데 유용한 기본 텍스트 입력입니다.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'필드 설정에 지정된 기준 및 옵션에 따라 하나 이상의 택소노미 용어를 선택할 수 있습니다.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'편집 화면에서 필드를 탭 섹션으로 그룹화할 수 있습니다. 필드를 정리하고 체계적으로 유지하는 데 유용합니다.','A dropdown list with a selection of choices that you specify.'=>'지정한 선택 항목이 있는 드롭다운 목록입니다.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'하나 이상의 게시물, 페이지 또는 사용자 정의 게시물 유형 항목을 선택하여 현재 편집 중인 항목과의 관계를 만드는 이중 열 인터페이스입니다. 검색 및 필터링 옵션이 포함되어 있습니다.','An input for selecting a numerical value within a specified range using a range slider element.'=>'범위 슬라이더 요소를 사용하여 지정된 범위 내에서 숫자 값을 선택하기 위한 입력입니다.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'사용자가 지정한 값에서 단일 선택을 할 수 있도록 하는 라디오 버튼 입력 그룹입니다.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'검색 옵션이 있는 하나 이상의 게시물, 페이지 또는 게시물 유형 항목을 선택할 수 있는 대화형 및 사용자 정의 가능한 UI입니다. ','An input for providing a password using a masked field.'=>'마스킹된 필드를 사용하여 암호를 제공하기 위한 입력입니다.','Filter by Post Status'=>'게시물 상태로 필터링','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'검색 옵션과 함께 하나 이상의 게시물, 페이지, 사용자 정의 게시물 유형 항목 또는 아카이브 URL을 선택하는 대화형 드롭다운.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'기본 워드프레스 oEmbed 기능을 사용하여 비디오, 이미지, 트윗, 오디오 및 기타 콘텐츠를 삽입하기 위한 대화형 구성 요소입니다.','An input limited to numerical values.'=>'숫자 값으로 제한된 입력입니다.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'다른 필드와 함께 편집자에게 메시지를 표시하는 데 사용됩니다. 필드에 대한 추가 컨텍스트 또는 지침을 제공하는 데 유용합니다.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'워드프레스 기본 링크 선택기를 사용하여 제목 및 대상과 같은 링크 및 해당 속성을 지정할 수 있습니다.','Uses the native WordPress media picker to upload, or choose images.'=>'기본 워드프레스 미디어 선택기를 사용하여 이미지를 업로드하거나 선택합니다.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'필드를 그룹으로 구성하여 데이터와 편집 화면을 더 잘 구성하는 방법을 제공합니다.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google 지도를 사용하여 위치를 선택하기 위한 대화형 UI입니다. 올바르게 표시하려면 Google Maps API 키와 추가 구성이 필요합니다.','Uses the native WordPress media picker to upload, or choose files.'=>'기본 워드프레스 미디어 선택기를 사용하여 파일을 업로드하거나 선택합니다.','A text input specifically designed for storing email addresses.'=>'이메일 주소를 저장하기 위해 특별히 설계된 텍스트 입력입니다.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'날짜와 시간을 선택하기 위한 대화형 UI입니다. 날짜 반환 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'날짜 선택을 위한 대화형 UI입니다. 날짜 반환 형식은 필드 설정을 사용하여 사용자 정의할 수 있습니다.','An interactive UI for selecting a color, or specifying a Hex value.'=>'색상을 선택하거나 16진수 값을 지정하기 위한 대화형 UI입니다.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'사용자가 지정한 하나 이상의 값을 선택할 수 있도록 하는 확인란 입력 그룹입니다.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'지정한 값이 있는 버튼 그룹으로, 사용자는 제공된 값에서 하나의 옵션을 선택할 수 있습니다.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'콘텐츠를 편집하는 동안 표시되는 접을 수 있는 패널로 사용자 정의 필드를 그룹화하고 구성할 수 있습니다. 큰 데이터 세트를 깔끔하게 유지하는 데 유용합니다.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'반복해서 반복할 수 있는 하위 필드 세트의 상위 역할을 하여 슬라이드, 팀 구성원 및 클릭 유도 문안 타일과 같은 반복 콘텐츠에 대한 솔루션을 제공합니다.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'이는 첨부 파일 모음을 관리하기 위한 대화형 인터페이스를 제공합니다. 대부분의 설정은 이미지 필드 유형과 유사합니다. 추가 설정을 통해 갤러리에서 새 첨부 파일이 추가되는 위치와 허용되는 첨부 파일의 최소/최대 수를 지정할 수 있습니다.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'간단하고 구조화된 레이아웃 기반 편집기를 제공합니다. 유연한 콘텐츠 필드를 사용하면 레이아웃과 하위 필드를 사용하여 사용 가능한 블록을 디자인함으로써 전체 제어로 콘텐츠를 정의, 생성 및 관리할 수 있습니다.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'이를 통해 기존 필드를 선택하고 표시할 수 있습니다. 데이터베이스의 어떤 필드도 복제하지 않지만 런타임에 선택한 필드를 로드하고 표시합니다. 복제 필드는 선택한 필드로 자신을 교체하거나 선택한 필드를 하위 필드 그룹으로 표시할 수 있습니다.','nounClone'=>'복제','PRO'=>'프로','Advanced'=>'고급','JSON (newer)'=>'JSON(최신)','Original'=>'원본','Invalid post ID.'=>'게시물 ID가 잘못되었습니다.','Invalid post type selected for review.'=>'검토를 위해 잘못된 게시물 유형을 선택했습니다.','More'=>'더 보기','Tutorial'=>'튜토리얼','Select Field'=>'필드 선택','Try a different search term or browse %s'=>'다른 검색어를 입력하거나 %s 찾아보기','Popular fields'=>'인기 분야','No search results for \'%s\''=>'\'%s\'에 대한 검색 결과가 없습니다.','Search fields...'=>'검색 필드...','Select Field Type'=>'필드 유형 선택','Popular'=>'인기','Add Taxonomy'=>'택소노미 추가','Create custom taxonomies to classify post type content'=>'게시물 유형 콘텐츠를 택소노미하기 위한 사용자 정의 택소노미 생성','Add Your First Taxonomy'=>'첫 번째 택소노미 추가','Hierarchical taxonomies can have descendants (like categories).'=>'계층적 택소노미는 범주와 같은 하위 항목을 가질 수 있습니다.','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'프런트엔드와 관리자 알림판에서 택소노미를 볼 수 있습니다.','One or many post types that can be classified with this taxonomy.'=>'이 택소노미로 택소노미할 수 있는 하나 이상의 게시물 유형입니다.','genre'=>'장르','Genre'=>'장르','Genres'=>'장르','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'`WP_REST_Terms_Controller` 대신 사용할 선택적 사용자 정의 컨트롤러.','Expose this post type in the REST API.'=>'REST API에서 이 게시물 유형을 노출합니다.','Customize the query variable name'=>'쿼리 변수 이름 사용자 지정','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'{query_var}={term_slug}와 같이 예쁘지 않은 퍼머링크를 사용하여 용어에 액세스할 수 있습니다.','Parent-child terms in URLs for hierarchical taxonomies.'=>'계층적 택소노미에 대한 URL의 상위-하위 용어.','Customize the slug used in the URL'=>'URL에 사용된 슬러그 사용자 정의','Permalinks for this taxonomy are disabled.'=>'이 택소노미에 대한 퍼머링크가 비활성화되었습니다.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'택소노미 키를 슬러그로 사용하여 URL을 다시 작성합니다. 귀하의 퍼머링크 구조는','Taxonomy Key'=>'택소노미 키','Select the type of permalink to use for this taxonomy.'=>'이 택소노미에 사용할 퍼머링크 유형을 선택하십시오.','Display a column for the taxonomy on post type listing screens.'=>'게시물 유형 목록 화면에 택소노미에 대한 열을 표시합니다.','Show Admin Column'=>'관리 열 표시','Show the taxonomy in the quick/bulk edit panel.'=>'빠른/일괄 편집 패널에 택소노미를 표시합니다.','Quick Edit'=>'빠른 편집','List the taxonomy in the Tag Cloud Widget controls.'=>'Tag Cloud Widget 컨트롤에 택소노미를 나열합니다.','Tag Cloud'=>'태그 클라우드','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'메타박스에서 저장된 택소노미 데이터를 정리하기 위해 호출할 PHP 함수 이름입니다.','Meta Box Sanitization Callback'=>'메타 박스 정리 콜백','Register Meta Box Callback'=>'메타박스 콜백 등록','No Meta Box'=>'메타박스 없음','Custom Meta Box'=>'커스텀 메타 박스','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'콘텐츠 에디터 화면의 메타박스를 제어합니다. 기본적으로 계층적 택소노미에는 범주 메타 상자가 표시되고 비계층적 택소노미에는 태그 메타 상자가 표시됩니다.','Meta Box'=>'메타박스','Categories Meta Box'=>'카테고리 메타박스','Tags Meta Box'=>'태그 메타박스','A link to a tag'=>'태그에 대한 링크','Describes a navigation link block variation used in the block editor.'=>'블록 편집기에서 사용되는 탐색 링크 블록 변형에 대해 설명합니다.','A link to a %s'=>'%s에 대한 링크','Tag Link'=>'태그 링크','Assigns a title for navigation link block variation used in the block editor.'=>'블록 편집기에서 사용되는 탐색 링크 블록 변형에 대한 제목을 지정합니다.','← Go to tags'=>'← 태그로 이동','Assigns the text used to link back to the main index after updating a term.'=>'용어를 업데이트한 후 기본 인덱스로 다시 연결하는 데 사용되는 텍스트를 할당합니다.','Back To Items'=>'항목으로 돌아가기','← Go to %s'=>'← %s로 이동','Tags list'=>'태그 목록','Assigns text to the table hidden heading.'=>'테이블의 숨겨진 제목에 텍스트를 할당합니다.','Tags list navigation'=>'태그 목록 탐색','Assigns text to the table pagination hidden heading.'=>'테이블 페이지 매김 숨겨진 제목에 텍스트를 할당합니다.','Filter by category'=>'카테고리별로 필터링','Assigns text to the filter button in the posts lists table.'=>'게시물 목록 테이블의 필터 버튼에 텍스트를 할당합니다.','Filter By Item'=>'항목별로 필터링','Filter by %s'=>'%s로 필터링','The description is not prominent by default; however, some themes may show it.'=>'설명은 기본적으로 눈에 띄지 않습니다. 그러나 일부 테마에서는 이를 표시할 수 있습니다.','Describes the Description field on the Edit Tags screen.'=>'태그 편집 화면의 설명 필드에 대해 설명합니다.','Description Field Description'=>'설명 필드 설명','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'계층 구조를 만들 상위 용어를 할당합니다. 예를 들어 재즈라는 용어는 Bebop과 Big Band의 부모입니다.','Describes the Parent field on the Edit Tags screen.'=>'태그 편집 화면의 상위 필드를 설명합니다.','Parent Field Description'=>'상위 필드 설명','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"slug"는 이름의 URL 친화적 버전입니다. 일반적으로 모두 소문자이며 문자, 숫자 및 하이픈만 포함합니다.','Describes the Slug field on the Edit Tags screen.'=>'태그 편집 화면의 Slug 필드에 대해 설명합니다.','Slug Field Description'=>'슬러그 필드 설명','The name is how it appears on your site'=>'이름은 사이트에 표시되는 방식입니다.','Describes the Name field on the Edit Tags screen.'=>'태그 편집 화면의 이름 필드를 설명합니다.','Name Field Description'=>'이름 필드 설명','No tags'=>'태그 없음','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'태그 또는 카테고리를 사용할 수 없을 때 게시물 및 미디어 목록 테이블에 표시되는 텍스트를 할당합니다.','No Terms'=>'용어 없음','No %s'=>'%s 없음','No tags found'=>'태그를 찾을 수 없습니다.','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'사용 가능한 태그가 없는 경우 택소노미 메타 상자에서 \'가장 많이 사용하는 항목에서 선택\' 텍스트를 클릭할 때 표시되는 텍스트를 지정하고, 택소노미 항목이 없는 경우 용어 목록 테이블에 사용되는 텍스트를 지정합니다.','Not Found'=>'찾을 수 없음','Assigns text to the Title field of the Most Used tab.'=>'자주 사용됨 탭의 제목 필드에 텍스트를 할당합니다.','Most Used'=>'가장 많이 사용','Choose from the most used tags'=>'가장 많이 사용되는 태그 중에서 선택','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'JavaScript가 비활성화된 경우 메타 상자에 사용되는 \'가장 많이 사용되는 항목에서 선택\' 텍스트를 지정합니다. 비계층적 택소노미에만 사용됩니다.','Choose From Most Used'=>'가장 많이 사용하는 것 중에서 선택','Choose from the most used %s'=>'가장 많이 사용된 %s에서 선택','Add or remove tags'=>'태그 추가 또는 제거','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'JavaScript가 비활성화된 경우 메타 상자에 사용되는 항목 추가 또는 제거 텍스트를 할당합니다. 비계층적 택소노미에만 사용됨','Add Or Remove Items'=>'항목 추가 또는 제거','Add or remove %s'=>'%s 추가 또는 제거','Separate tags with commas'=>'쉼표로 태그 구분','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'택소노미 메타 상자에 사용되는 쉼표 텍스트로 별도의 항목을 할당합니다. 비계층적 택소노미에만 사용됩니다.','Separate Items With Commas'=>'쉼표로 항목 구분','Separate %s with commas'=>'%s를 쉼표로 구분','Popular Tags'=>'인기 태그','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'인기 항목 텍스트를 할당합니다. 비계층적 택소노미에만 사용됩니다.','Popular Items'=>'인기 상품','Popular %s'=>'인기 있는 %s','Search Tags'=>'검색 태그','Assigns search items text.'=>'검색 항목 텍스트를 할당합니다.','Parent Category:'=>'상위 카테고리:','Assigns parent item text, but with a colon (:) added to the end.'=>'부모 항목 텍스트를 할당하지만 끝에 콜론(:)이 추가됩니다.','Parent Item With Colon'=>'콜론이 있는 상위 항목','Parent Category'=>'상위 카테고리','Assigns parent item text. Only used on hierarchical taxonomies.'=>'상위 항목 텍스트를 지정합니다. 계층적 택소노미에만 사용됩니다.','Parent Item'=>'상위 항목','Parent %s'=>'부모 %s','New Tag Name'=>'새 태그 이름','Assigns the new item name text.'=>'새 항목 이름 텍스트를 할당합니다.','New Item Name'=>'새 항목 이름','New %s Name'=>'새 %s 이름','Add New Tag'=>'새 태그 추가','Assigns the add new item text.'=>'새 항목 추가 텍스트를 할당합니다.','Update Tag'=>'태그 업데이트','Assigns the update item text.'=>'업데이트 항목 텍스트를 할당합니다.','Update Item'=>'항목 업데이트','Update %s'=>'업데이트 %s','View Tag'=>'태그 보기','In the admin bar to view term during editing.'=>'편집하는 동안 용어를 보려면 관리 표시줄에서.','Edit Tag'=>'태그 편집','At the top of the editor screen when editing a term.'=>'용어를 편집할 때 편집기 화면 상단에 있습니다.','All Tags'=>'모든 태그','Assigns the all items text.'=>'모든 항목 텍스트를 지정합니다.','Assigns the menu name text.'=>'메뉴 이름 텍스트를 할당합니다.','Menu Label'=>'메뉴 레이블','Active taxonomies are enabled and registered with WordPress.'=>'활성 택소노미가 활성화되고 워드프레스에 등록됩니다.','A descriptive summary of the taxonomy.'=>'택소노미에 대한 설명 요약입니다.','A descriptive summary of the term.'=>'용어에 대한 설명 요약입니다.','Term Description'=>'용어 설명','Single word, no spaces. Underscores and dashes allowed.'=>'한 단어, 공백 없음. 밑줄과 대시가 허용됩니다.','Term Slug'=>'용어 슬러그','The name of the default term.'=>'기본 용어의 이름입니다.','Term Name'=>'용어 이름','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'삭제할 수 없는 택소노미에 대한 용어를 만듭니다. 기본적으로 게시물에 대해 선택되지 않습니다.','Default Term'=>'기본 용어','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'이 택소노미의 용어를 `wp_set_object_terms()`에 제공된 순서대로 정렬해야 하는지 여부입니다.','Sort Terms'=>'용어 정렬','Add Post Type'=>'게시물 유형 추가','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'사용자 정의 게시물 유형을 사용하여 표준 게시물 및 페이지 이상으로 워드프레스의 기능을 확장합니다.','Add Your First Post Type'=>'첫 게시물 유형 추가','I know what I\'m doing, show me all the options.'=>'내가 무엇을 하는지 알고 모든 옵션을 보여주세요.','Advanced Configuration'=>'고급 구성','Hierarchical post types can have descendants (like pages).'=>'계층적 게시물 유형은 페이지처럼 하위 항목을 가질 수 있습니다.','Hierarchical'=>'계층형','Visible on the frontend and in the admin dashboard.'=>'프런트엔드와 관리 알림판에서 볼 수 있습니다.','Public'=>'공개','movie'=>'동영상','Lower case letters, underscores and dashes only, Max 20 characters.'=>'소문자, 밑줄 및 대시만 가능하며 최대 20자입니다.','Movie'=>'동영상','Singular Label'=>'단수 레이블','Movies'=>'동영상','Plural Label'=>'복수 레이블','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` 대신 사용할 선택적 사용자 정의 컨트롤러.','Controller Class'=>'컨트롤러 클래스','The namespace part of the REST API URL.'=>'REST API URL의 네임스페이스 부분입니다.','Namespace Route'=>'네임스페이스 경로','The base URL for the post type REST API URLs.'=>'게시물 유형 REST API URL의 기본 URL입니다.','Base URL'=>'기본 URL','Exposes this post type in the REST API. Required to use the block editor.'=>'REST API에서 이 게시물 유형을 노출합니다. 블록 편집기를 사용하는 데 필요합니다.','Show In REST API'=>'REST API에 표시','Customize the query variable name.'=>'쿼리 변수 이름을 사용자 지정합니다.','Query Variable'=>'쿼리 변수','No Query Variable Support'=>'쿼리 변수 지원 없음','Custom Query Variable'=>'맞춤 쿼리 변수','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'항목은 예를 들어 non-pretty permalink를 사용하여 액세스할 수 있습니다. {post_type}={post_slug}.','Query Variable Support'=>'쿼리 변수 지원','URLs for an item and items can be accessed with a query string.'=>'항목 및 항목에 대한 URL은 쿼리 문자열을 사용하여 액세스할 수 있습니다.','Publicly Queryable'=>'공개적으로 쿼리 가능','Custom slug for the Archive URL.'=>'아카이브 URL에 대한 사용자 지정 슬러그입니다.','Archive Slug'=>'아카이브 슬러그','Has an item archive that can be customized with an archive template file in your theme.'=>'테마의 아카이브 템플릿 파일로 사용자 정의할 수 있는 항목 아카이브가 있습니다.','Archive'=>'아카이브','Pagination support for the items URLs such as the archives.'=>'아카이브와 같은 항목 URL에 대한 페이지 매김 지원.','Pagination'=>'쪽수 매기기','RSS feed URL for the post type items.'=>'게시물 유형 항목에 대한 RSS 피드 URL입니다.','Feed URL'=>'피드 URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'URL에 `WP_Rewrite::$front` 접두사를 추가하도록 퍼머링크 구조를 변경합니다.','Front URL Prefix'=>'프런트 URL 프리픽스','Customize the slug used in the URL.'=>'URL에 사용된 슬러그를 사용자 지정합니다.','URL Slug'=>'URL 슬러그','Permalinks for this post type are disabled.'=>'이 게시물 유형에 대한 퍼머링크가 비활성화되었습니다.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'아래 입력에 정의된 사용자 지정 슬러그를 사용하여 URL을 다시 작성합니다. 귀하의 퍼머링크 구조는','No Permalink (prevent URL rewriting)'=>'퍼머링크 없음(URL 재작성 방지)','Custom Permalink'=>'맞춤 퍼머링크','Post Type Key'=>'게시물 유형 키','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'게시물 유형 키를 슬러그로 사용하여 URL을 다시 작성하십시오. 귀하의 퍼머링크 구조는','Permalink Rewrite'=>'퍼머링크 재작성','Delete items by a user when that user is deleted.'=>'해당 사용자가 삭제되면 해당 사용자가 항목을 삭제합니다.','Delete With User'=>'사용자와 함께 삭제','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'게시물 유형을 \'도구\' > \'내보내기\'에서 내보낼 수 있도록 허용합니다.','Can Export'=>'내보내기 가능','Optionally provide a plural to be used in capabilities.'=>'기능에 사용할 복수형을 선택적으로 제공합니다.','Plural Capability Name'=>'복수 기능 이름','Choose another post type to base the capabilities for this post type.'=>'이 게시물 유형의 기능을 기반으로 하려면 다른 게시물 유형을 선택하십시오.','Singular Capability Name'=>'단일 기능 이름','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'기본적으로 게시 유형의 기능은 \'게시\' 기능 이름을 상속합니다. edit_post, delete_posts. 예를 들어 게시물 유형별 기능을 사용하도록 설정합니다. edit_{singular}, delete_{plural}.','Rename Capabilities'=>'기능 이름 바꾸기','Exclude From Search'=>'검색에서 제외','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'\'모양\' > \'메뉴\' 화면에서 항목을 메뉴에 추가할 수 있도록 허용합니다. \'화면 옵션\'에서 켜야 합니다.','Appearance Menus Support'=>'모양 메뉴 지원','Appears as an item in the \'New\' menu in the admin bar.'=>'관리 표시줄의 \'새로 만들기\' 메뉴에 항목으로 나타납니다.','Show In Admin Bar'=>'관리 표시줄에 표시','Custom Meta Box Callback'=>'커스텀 메타 박스 콜백','Menu Icon'=>'메뉴 아이콘','The position in the sidebar menu in the admin dashboard.'=>'관리 알림판의 사이드바 메뉴에 있는 위치입니다.','Menu Position'=>'메뉴 위치','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'기본적으로 게시물 유형은 관리자 메뉴에서 새로운 최상위 항목을 가져옵니다. 여기에 기존 최상위 항목이 제공되면 게시물 유형이 그 아래 하위 메뉴 항목으로 추가됩니다.','Admin Menu Parent'=>'관리자 메뉴 부모','Admin editor navigation in the sidebar menu.'=>'사이드바 메뉴의 관리 편집기 탐색.','Show In Admin Menu'=>'관리자 메뉴에 표시','Items can be edited and managed in the admin dashboard.'=>'어드민 알림판에서 항목을 수정하고 관리할 수 있습니다.','Show In UI'=>'UI에 표시','A link to a post.'=>'게시물에 대한 링크입니다.','Description for a navigation link block variation.'=>'탐색 링크 블록 변형에 대한 설명입니다.','Item Link Description'=>'항목 링크 설명','A link to a %s.'=>'%s에 대한 링크입니다.','Post Link'=>'링크 게시','Title for a navigation link block variation.'=>'탐색 링크 블록 변형의 제목입니다.','Item Link'=>'항목 링크','%s Link'=>'%s 링크','Post updated.'=>'게시물이 업데이트되었습니다.','In the editor notice after an item is updated.'=>'항목이 업데이트된 후 편집기 알림에서.','Item Updated'=>'항목 업데이트됨','%s updated.'=>'%s 업데이트되었습니다.','Post scheduled.'=>'게시물 예정.','In the editor notice after scheduling an item.'=>'항목 예약 후 편집기 알림에서.','Item Scheduled'=>'예약된 항목','%s scheduled.'=>'%s 예약됨.','Post reverted to draft.'=>'게시물이 초안으로 돌아갔습니다.','In the editor notice after reverting an item to draft.'=>'항목을 임시글로 되돌린 후 편집기 알림에서.','Item Reverted To Draft'=>'초안으로 되돌린 항목','%s reverted to draft.'=>'%s이(가) 초안으로 되돌아갔습니다.','Post published privately.'=>'게시물이 비공개로 게시되었습니다.','In the editor notice after publishing a private item.'=>'비공개 항목 게시 후 편집기 알림에서.','Item Published Privately'=>'비공개로 게시된 항목','%s published privately.'=>'%s은(는) 비공개로 게시되었습니다.','Post published.'=>'게시물이 게시되었습니다.','In the editor notice after publishing an item.'=>'항목을 게시한 후 편집기 알림에서.','Item Published'=>'게시된 항목','%s published.'=>'%s이(가) 게시되었습니다.','Posts list'=>'게시물 목록','Used by screen readers for the items list on the post type list screen.'=>'게시물 유형 목록 화면의 항목 목록에 대한 화면 판독기에서 사용됩니다.','Items List'=>'항목 목록','%s list'=>'%s 목록','Posts list navigation'=>'게시물 목록 탐색','Used by screen readers for the filter list pagination on the post type list screen.'=>'게시물 유형 목록 화면에서 필터 목록 페이지 매김을 위해 스크린 리더에서 사용됩니다.','Items List Navigation'=>'항목 목록 탐색','%s list navigation'=>'%s 목록 탐색','Filter posts by date'=>'날짜별로 게시물 필터링','Used by screen readers for the filter by date heading on the post type list screen.'=>'게시물 유형 목록 화면에서 날짜 제목으로 필터링하기 위해 화면 판독기에서 사용됩니다.','Filter Items By Date'=>'날짜별로 항목 필터링','Filter %s by date'=>'날짜별로 %s 필터링','Filter posts list'=>'게시물 목록 필터링','Used by screen readers for the filter links heading on the post type list screen.'=>'게시물 유형 목록 화면의 필터 링크 제목에 대해 스크린 리더에서 사용됩니다.','Filter Items List'=>'항목 목록 필터링','Filter %s list'=>'%s 목록 필터링','In the media modal showing all media uploaded to this item.'=>'이 항목에 업로드된 모든 미디어를 표시하는 미디어 모달에서.','Uploaded To This Item'=>'이 항목에 업로드됨','Uploaded to this %s'=>'이 %s에 업로드됨','Insert into post'=>'게시물에 삽입','As the button label when adding media to content.'=>'콘텐츠에 미디어를 추가할 때 버튼 레이블로 사용합니다.','Insert Into Media Button'=>'미디어에 삽입 버튼','Insert into %s'=>'%s에 삽입','Use as featured image'=>'추천 이미지로 사용','As the button label for selecting to use an image as the featured image.'=>'이미지를 추천 이미지로 사용하도록 선택하기 위한 버튼 레이블로.','Use Featured Image'=>'추천 이미지 사용','Remove featured image'=>'추천 이미지 삭제','As the button label when removing the featured image.'=>'추천 이미지를 제거할 때 버튼 레이블로.','Remove Featured Image'=>'추천 이미지 제거','Set featured image'=>'추천 이미지 설정','As the button label when setting the featured image.'=>'추천 이미지를 설정할 때 버튼 레이블로.','Set Featured Image'=>'추천 이미지 설정','Featured image'=>'나타난 그림','In the editor used for the title of the featured image meta box.'=>'추천 이미지 메타 상자의 제목에 사용되는 편집기에서.','Featured Image Meta Box'=>'추천 이미지 메타 상자','Post Attributes'=>'게시물 속성','In the editor used for the title of the post attributes meta box.'=>'게시물 속성 메타 상자의 제목에 사용되는 편집기에서.','Attributes Meta Box'=>'속성 메타박스','%s Attributes'=>'%s 속성','Post Archives'=>'게시물 아카이브','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'아카이브가 활성화된 CPT의 기존 메뉴에 항목을 추가할 때 표시되는 게시물 목록에 이 레이블이 있는 \'게시물 유형 아카이브\' 항목을 추가합니다. \'실시간 미리보기\' 모드에서 메뉴를 편집하고 사용자 정의 아카이브 슬러그가 제공되었을 때만 나타납니다.','Archives Nav Menu'=>'아카이브 탐색 메뉴','%s Archives'=>'%s 아카이브','No posts found in Trash'=>'휴지통에 게시물이 없습니다.','At the top of the post type list screen when there are no posts in the trash.'=>'휴지통에 게시물이 없을 때 게시물 유형 목록 화면 상단에 표시됩니다.','No Items Found in Trash'=>'휴지통에 항목이 없습니다.','No %s found in Trash'=>'휴지통에서 %s을(를) 찾을 수 없습니다.','No posts found'=>'게시물이 없습니다.','At the top of the post type list screen when there are no posts to display.'=>'표시할 게시물이 없을 때 게시물 유형 목록 화면 상단에 표시됩니다.','No Items Found'=>'제품을 찾지 못했습니다','No %s found'=>'%s 없음','Search Posts'=>'게시물 검색','At the top of the items screen when searching for an item.'=>'항목 검색 시 항목 화면 상단','Search Items'=>'항목 검색','Search %s'=>'%s 검색','Parent Page:'=>'상위 페이지:','For hierarchical types in the post type list screen.'=>'게시물 유형 목록 화면의 계층적 유형의 경우.','Parent Item Prefix'=>'상위 품목 접두어','Parent %s:'=>'부모 %s:','New Post'=>'새로운 게시물','New Item'=>'새로운 물품','New %s'=>'신규 %s','Add New Post'=>'새 게시물 추가','At the top of the editor screen when adding a new item.'=>'새 항목을 추가할 때 편집기 화면 상단에 있습니다.','Add New Item'=>'새 항목 추가','Add New %s'=>'새 %s 추가','View Posts'=>'게시물 보기','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'게시물 유형이 아카이브를 지원하고 홈 페이지가 해당 게시물 유형의 아카이브가 아닌 경우 \'모든 게시물\' 보기의 관리 표시줄에 나타납니다.','View Items'=>'항목 보기','View Post'=>'게시물 보기','In the admin bar to view item when editing it.'=>'항목을 편집할 때 관리 표시줄에서 항목을 봅니다.','View Item'=>'항목 보기','View %s'=>'%s 보기','Edit Post'=>'게시물 수정','At the top of the editor screen when editing an item.'=>'항목을 편집할 때 편집기 화면 상단에 있습니다.','Edit Item'=>'항목 편집','Edit %s'=>'%s 편집','All Posts'=>'모든 게시물','In the post type submenu in the admin dashboard.'=>'관리 알림판의 게시물 유형 하위 메뉴에서.','All Items'=>'모든 항목','All %s'=>'모든 %s','Admin menu name for the post type.'=>'게시물 유형의 관리자 메뉴 이름입니다.','Menu Name'=>'메뉴명','Regenerate all labels using the Singular and Plural labels'=>'단수 및 복수 레이블을 사용하여 모든 레이블 다시 생성하기','Regenerate'=>'재생성','Active post types are enabled and registered with WordPress.'=>'활성 게시물 유형이 활성화되고 워드프레스에 등록됩니다.','A descriptive summary of the post type.'=>'게시물 유형에 대한 설명 요약입니다.','Add Custom'=>'맞춤 추가','Enable various features in the content editor.'=>'콘텐츠 편집기에서 다양한 기능을 활성화합니다.','Post Formats'=>'글 형식','Editor'=>'편집기','Trackbacks'=>'트랙백','Select existing taxonomies to classify items of the post type.'=>'게시물 유형의 항목을 택소노미하려면 기존 택소노미를 선택하십시오.','Browse Fields'=>'필드 찾아보기','Nothing to import'=>'가져올 항목 없음','. The Custom Post Type UI plugin can be deactivated.'=>'. Custom Post Type UI 플러그인을 비활성화할 수 있습니다.','Imported %d item from Custom Post Type UI -'=>'사용자 정의 게시물 유형 UI에서 %d개의 항목을 가져왔습니다. -','Failed to import taxonomies.'=>'택소노미를 가져오지 못했습니다.','Failed to import post types.'=>'게시물 유형을 가져오지 못했습니다.','Nothing from Custom Post Type UI plugin selected for import.'=>'가져오기 위해 선택된 사용자 지정 게시물 유형 UI 플러그인이 없습니다.','Imported 1 item'=>'가져온 %s개 항목','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'이미 존재하는 키와 동일한 키를 사용하여 게시물 유형 또는 택소노미를 가져오면 기존 게시물 유형 또는 택소노미에 대한 설정을 가져오기의 설정으로 덮어씁니다.','Import from Custom Post Type UI'=>'사용자 정의 게시물 유형 UI에서 가져오기','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'다음 코드는 선택한 항목의 로컬 버전을 등록하는 데 사용할 수 있습니다. 필드 그룹, 게시물 유형 또는 택소노미를 로컬에 저장하면 더 빠른 로드 시간, 버전 제어 및 동적 필드/설정과 같은 많은 이점을 제공할 수 있습니다. 다음 코드를 복사하여 테마의 functions.php 파일에 붙여넣거나 외부 파일에 포함시킨 다음 ACF 관리자에서 항목을 비활성화하거나 삭제하십시오.','Export - Generate PHP'=>'내보내기 - PHP 생성','Export'=>'내보내다','Select Taxonomies'=>'택소노미 선택','Select Post Types'=>'게시물 유형 선택','Exported 1 item.'=>'내보낸 %s개 항목','Category'=>'범주','Tag'=>'꼬리표','%s taxonomy created'=>'%s 택소노미 생성됨','%s taxonomy updated'=>'%s 택소노미 업데이트됨','Taxonomy draft updated.'=>'택소노미 초안이 업데이트되었습니다.','Taxonomy scheduled for.'=>'예정된 택소노미.','Taxonomy submitted.'=>'택소노미가 제출되었습니다.','Taxonomy saved.'=>'택소노미가 저장되었습니다.','Taxonomy deleted.'=>'택소노미가 삭제되었습니다.','Taxonomy updated.'=>'택소노미가 업데이트되었습니다.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'다른 플러그인 또는 테마에서 등록한 다른 택소노미에서 해당 키를 사용 중이므로 이 택소노미를 등록할 수 없습니다.','Taxonomy synchronized.'=>'%s개의 택소노미가 동기화되었습니다.','Taxonomy duplicated.'=>'%s개의 택소노미가 중복되었습니다.','Taxonomy deactivated.'=>'%s개의 택소노미가 비활성화되었습니다.','Taxonomy activated.'=>'%s개의 택소노미가 활성화되었습니다.','Terms'=>'용어','Post type synchronized.'=>'%s 게시물 유형이 동기화되었습니다.','Post type duplicated.'=>'%s 게시물 유형이 중복되었습니다.','Post type deactivated.'=>'%s 게시물 유형이 비활성화되었습니다.','Post type activated.'=>'%s 게시물 유형이 활성화되었습니다.','Post Types'=>'게시물 유형','Advanced Settings'=>'고급 설정','Basic Settings'=>'기본 설정','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'이 게시물 유형은 다른 플러그인 또는 테마에서 등록한 다른 게시물 유형에서 해당 키를 사용 중이므로 등록할 수 없습니다.','Pages'=>'페이지','Link Existing Field Groups'=>'기존 필드 그룹 연결','%s post type created'=>'%s 게시물 유형이 생성됨','Add fields to %s'=>'%s에 필드 추가','%s post type updated'=>'%s 게시물 유형 업데이트됨','Post type draft updated.'=>'게시물 유형 초안이 업데이트되었습니다.','Post type scheduled for.'=>'예정된 게시물 유형입니다.','Post type submitted.'=>'게시물 유형이 제출되었습니다.','Post type saved.'=>'게시물 유형이 저장되었습니다.','Post type updated.'=>'게시물 유형이 업데이트되었습니다.','Post type deleted.'=>'게시물 유형이 삭제되었습니다.','Type to search...'=>'검색하려면 입력하세요...','PRO Only'=>'프로 전용','Field groups linked successfully.'=>'필드 그룹이 성공적으로 연결되었습니다.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Custom Post Type UI에 등록된 Post Type과 Taxonomies를 가져와서 ACF로 관리합니다. 시작하기.','ACF'=>'ACF','taxonomy'=>'택소노미','post type'=>'게시물 유형','Done'=>'완료','Field Group(s)'=>'필드 그룹','Select one or many field groups...'=>'하나 이상의 필드 그룹 선택...','Please select the field groups to link.'=>'연결할 필드 그룹을 선택하십시오.','Field group linked successfully.'=>'필드 그룹이 성공적으로 연결되었습니다.','post statusRegistration Failed'=>'등록 실패','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'이 항목은 다른 플러그인 또는 테마에서 등록한 다른 항목에서 해당 키를 사용 중이므로 등록할 수 없습니다.','REST API'=>'REST API','Permissions'=>'권한','URLs'=>'URL','Visibility'=>'가시성','Labels'=>'레이블','Field Settings Tabs'=>'필드 설정 탭','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[미리보기에 사용할 수 없는 ACF 쇼트코드 값]','Close Modal'=>'모달 닫기','Field moved to other group'=>'필드가 다른 그룹으로 이동됨','Close modal'=>'모달 닫기','Start a new group of tabs at this tab.'=>'이 탭에서 새 탭 그룹을 시작합니다.','New Tab Group'=>'새 탭 그룹','Use a stylized checkbox using select2'=>'Select2를 사용하여 스타일이 적용된 체크박스 사용','Save Other Choice'=>'다른 선택 저장','Allow Other Choice'=>'다른 선택 허용','Add Toggle All'=>'모두 전환 추가','Save Custom Values'=>'사용자 지정 값 저장','Allow Custom Values'=>'사용자 지정 값 허용','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'체크박스 맞춤 값은 비워둘 수 없습니다. 비어 있는 값을 모두 선택 취소합니다.','Updates'=>'업데이트','Advanced Custom Fields logo'=>'Advanced Custom Fields 로고','Save Changes'=>'변경 사항 저장','Field Group Title'=>'필드 그룹 제목','Add title'=>'제목 추가','New to ACF? Take a look at our getting started guide.'=>'ACF가 처음이신가요? 시작 가이드를 살펴보세요.','Add Field Group'=>'필드 그룹 추가','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF는 필드 그룹을 사용하여 사용자 정의 필드를 함께 그룹화한 다음 해당 필드를 편집 화면에 첨부합니다.','Add Your First Field Group'=>'첫 번째 필드 그룹 추가','Options Pages'=>'옵션 페이지','ACF Blocks'=>'ACF 블록','Gallery Field'=>'갤러리 필드','Flexible Content Field'=>'유연한 콘텐츠 필드','Repeater Field'=>'리피터 필드','Unlock Extra Features with ACF PRO'=>'ACF 프로로 추가 기능 잠금 해제','Delete Field Group'=>'필드 그룹 삭제','Created on %1$s at %2$s'=>'%1$s에서 %2$s에 생성됨','Group Settings'=>'그룹 설정','Location Rules'=>'위치 규칙','Choose from over 30 field types. Learn more.'=>'30개 이상의 필드 유형 중에서 선택하십시오. 자세히 알아보세요.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'게시물, 페이지, 사용자 정의 게시물 유형 및 기타 워드프레스 콘텐츠에 대한 새로운 사용자 정의 필드 생성을 시작하십시오.','Add Your First Field'=>'첫 번째 필드 추가','#'=>'#','Add Field'=>'필드 추가','Presentation'=>'프레젠테이션','Validation'=>'확인','General'=>'일반','Import JSON'=>'JSON 가져오기','Export As JSON'=>'JSON으로 내보내기','Field group deactivated.'=>'%s 필드 그룹이 비활성화되었습니다.','Field group activated.'=>'%s 필드 그룹이 활성화되었습니다.','Deactivate'=>'비활성화','Deactivate this item'=>'이 항목 비활성화','Activate'=>'활성화','Activate this item'=>'이 항목 활성화','Move field group to trash?'=>'필드 그룹을 휴지통으로 이동하시겠습니까?','post statusInactive'=>'비활성','WP Engine'=>'WP 엔진','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields와 Advanced Custom Fields 프로는 동시에 활성화되어서는 안 됩니다. Advanced Custom Fields 프로를 자동으로 비활성화했습니다.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields와 Advanced Custom Fields 프로는 동시에 활성화되어서는 안 됩니다. Advanced Custom Fields를 자동으로 비활성화했습니다.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF가 초기화되기 전에 ACF 필드 값을 검색하는 호출이 하나 이상 감지되었습니다. 이는 지원되지 않으며 잘못된 형식의 데이터 또는 누락된 데이터가 발생할 수 있습니다. 이 문제를 해결하는 방법을 알아보세요.','%1$s must have a user with the %2$s role.'=>'%1$s에는 다음 역할 중 하나를 가진 사용자가 있어야 합니다. %2$s','%1$s must have a valid user ID.'=>'%1$s에는 유효한 사용자 ID가 있어야 합니다.','Invalid request.'=>'잘못된 요청.','%1$s is not one of %2$s'=>'%1$s은(는) %2$s 중 하나가 아닙니다.','%1$s must have term %2$s.'=>'%1$s에는 다음 용어 중 하나가 있어야 합니다. %2$s','%1$s must be of post type %2$s.'=>'%1$s은(는) 다음 게시물 유형 중 하나여야 합니다: %2$s','%1$s must have a valid post ID.'=>'%1$s에는 유효한 게시물 ID가 있어야 합니다.','%s requires a valid attachment ID.'=>'%s에는 유효한 첨부 파일 ID가 필요합니다.','Show in REST API'=>'REST API에 표시','Enable Transparency'=>'투명성 활성화','RGBA Array'=>'RGBA 배열','RGBA String'=>'RGBA 문자열','Hex String'=>'16진수 문자열','Upgrade to PRO'=>'프로로 업그레이드','post statusActive'=>'활성','\'%s\' is not a valid email address'=>'‘%s’은(는) 유효한 이매일 주소가 아닙니다','Color value'=>'색상 값','Select default color'=>'기본 색상 선택하기','Clear color'=>'선명한 색상','Blocks'=>'블록','Options'=>'옵션','Users'=>'사용자','Menu items'=>'메뉴 항목','Widgets'=>'위젯','Attachments'=>'첨부파일','Taxonomies'=>'택소노미','Posts'=>'게시물','Last updated: %s'=>'최근 업데이트: %s','Sorry, this post is unavailable for diff comparison.'=>'죄송합니다. 이 게시물은 diff 비교에 사용할 수 없습니다.','Invalid field group parameter(s).'=>'잘못된 필드 그룹 매개변수입니다.','Awaiting save'=>'저장 대기 중','Saved'=>'저장했어요','Import'=>'가져오기','Review changes'=>'변경사항 검토하기','Located in: %s'=>'위치: %s','Located in plugin: %s'=>'플러그인에 있음: %s','Located in theme: %s'=>'테마에 있음: %s','Various'=>'다양한','Sync changes'=>'변경사항 동기화하기','Loading diff'=>'로딩 차이','Review local JSON changes'=>'지역 JSON 변경 검토하기','Visit website'=>'웹 사이트 방문하기','View details'=>'세부 정보 보기','Version %s'=>'버전 %s','Information'=>'정보','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'헬프 데스크. 당사 헬프데스크의 지원 전문가가 보다 심도 있는 기술 문제를 지원할 것입니다.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'토론. ACF 세계의 \'방법\'을 파악하는 데 도움을 줄 수 있는 커뮤니티 포럼에 활발하고 친근한 커뮤니티가 있습니다.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'문서. 광범위한 문서에는 발생할 수 있는 대부분의 상황에 대한 참조 및 가이드가 포함되어 있습니다.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'우리는 지원에 열광하며 ACF를 통해 웹 사이트를 최대한 활용하기를 바랍니다. 어려움에 처한 경우 도움을 받을 수 있는 여러 곳이 있습니다.','Help & Support'=>'도움말 및 지원','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'도움이 필요한 경우 도움말 및 지원 탭을 사용하여 연락하십시오.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'첫 번째 필드 그룹을 만들기 전에 먼저 시작하기 가이드를 읽고 플러그인의 철학과 모범 사례를 숙지하는 것이 좋습니다.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields 플러그인은 추가 필드로 워드프레스 편집 화면을 사용자 정의할 수 있는 시각적 양식 빌더와 모든 테마 템플릿 파일에 사용자 정의 필드 값을 표시하는 직관적인 API를 제공합니다.','Overview'=>'개요','Location type "%s" is already registered.'=>'위치 유형 "%s"이(가) 이미 등록되어 있습니다.','Class "%s" does not exist.'=>'"%s" 클래스가 존재하지 않습니다.','Invalid nonce.'=>'논스가 잘못되었습니다.','Error loading field.'=>'필드를 로드하는 중 오류가 발생했습니다.','Error: %s'=>'오류: %s','Widget'=>'위젯','User Role'=>'사용자 역할','Comment'=>'댓글','Post Format'=>'글 형식','Menu Item'=>'메뉴 아이템','Post Status'=>'게시물 상태','Menus'=>'메뉴','Menu Locations'=>'메뉴 위치','Menu'=>'메뉴','Post Taxonomy'=>'게시물 택소노미','Child Page (has parent)'=>'자식 페이지 (부모가 있습니다)','Parent Page (has children)'=>'부모 페이지 (자식이 있습니다)','Top Level Page (no parent)'=>'최상위 페이지 (부모가 없습니다)','Posts Page'=>'글 페이지','Front Page'=>'프론트 페이지','Page Type'=>'페이지 유형','Viewing back end'=>'백엔드 보기','Viewing front end'=>'프런트 엔드 보기','Logged in'=>'로그인','Current User'=>'현재 사용자','Page Template'=>'페이지 템플릿','Register'=>'등록하기','Add / Edit'=>'추가하기 / 편집하기','User Form'=>'사용자 양식','Page Parent'=>'페이지 부모','Super Admin'=>'최고 관리자','Current User Role'=>'현재 사용자 역할','Default Template'=>'기본 템플릿','Post Template'=>'게시물 템플릿','Post Category'=>'게시물 카테고리','All %s formats'=>'모든 %s 형식','Attachment'=>'첨부','%s value is required'=>'%s 값이 필요합니다.','Show this field if'=>'다음과 같은 경우 이 필드를 표시합니다.','Conditional Logic'=>'조건부 논리','and'=>'그리고','Local JSON'=>'로컬 JSON','Clone Field'=>'클론 필드','Please also check all premium add-ons (%s) are updated to the latest version.'=>'또한 모든 프리미엄 애드온(%s)이 최신 버전으로 업데이트되었는지 확인하세요.','This version contains improvements to your database and requires an upgrade.'=>'이 버전은 데이터베이스 개선을 포함하고 있어 업그래이드가 필요합니다.','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$s로 업데이트해주셔서 감사합니다!','Database Upgrade Required'=>'데이터베이스 업그래이드가 필요합니다','Options Page'=>'옵션 페이지','Gallery'=>'갤러리','Flexible Content'=>'유연한 콘텐츠','Repeater'=>'리피터','Back to all tools'=>'모든 도구로 돌아가기','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)'=>'편집 화면에 여러 개의 필드 그룹이 나타나는 경우 첫 번째 필드 그룹의 옵션(순서 번호가 가장 낮은 옵션)이 사용됩니다.','Select items to hide them from the edit screen.'=>'항목을 선택하여 편집 화면에서 숨깁니다.','Hide on screen'=>'화면에 숨기기','Send Trackbacks'=>'트랙백 보내기','Tags'=>'태그','Categories'=>'카테고리','Page Attributes'=>'페이지 속성','Format'=>'형식','Author'=>'작성자','Slug'=>'슬러그','Revisions'=>'리비전','Comments'=>'댓글','Discussion'=>'논의','Excerpt'=>'요약글','Content Editor'=>'콘텐츠 편집기','Permalink'=>'퍼머링크','Shown in field group list'=>'필드 그룹 목록에 표시됨','Field groups with a lower order will appear first'=>'순서가 낮은 필드 그룹이 먼저 나타납니다.','Order No.'=>'주문번호','Below fields'=>'필드 아래','Below labels'=>'레이블 아래','Instruction Placement'=>'지침 배치','Label Placement'=>'레이블 배치','Side'=>'측면','Normal (after content)'=>'일반(내용 뒤)','High (after title)'=>'높음(제목 뒤)','Position'=>'위치','Seamless (no metabox)'=>'매끄럽게(메타박스 없음)','Standard (WP metabox)'=>'표준(WP 메타박스)','Style'=>'스타일','Type'=>'유형','Key'=>'키','Order'=>'정렬하기','Close Field'=>'필드 닫기','id'=>'id','class'=>'클래스','width'=>'너비','Wrapper Attributes'=>'래퍼 속성','Required'=>'필수','Instructions'=>'지침','Field Type'=>'필드 유형','Single word, no spaces. Underscores and dashes allowed'=>'한 단어, 공백 없음. 밑줄 및 대시 허용','Field Name'=>'필드 명','This is the name which will appear on the EDIT page'=>'이것은 편집하기 페이지에 보일 이름입니다.','Field Label'=>'필드 레이블','Delete'=>'지우기','Delete field'=>'필드 삭제','Move'=>'이동하기','Move field to another group'=>'다름 그룹으로 필드 이동하기','Duplicate field'=>'필드 복제하기','Edit field'=>'필드 편집하기','Drag to reorder'=>'드래그하여 재정렬','Show this field group if'=>'다음과 같은 경우 이 필드 그룹 표시','No updates available.'=>'사용 가능한 업데이트가 없습니다.','Database upgrade complete. See what\'s new'=>'데이터베이스 업그래이드를 완료했습니다. 새로운 기능 보기 ','Reading upgrade tasks...'=>'업그래이드 작업을 읽기 ...','Upgrade failed.'=>'업그래이드에 실패했습니다.','Upgrade complete.'=>'업그래이드를 완료했습니다.','Upgrading data to version %s'=>'버전 %s(으)로 자료를 업그래이드하기','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'계속하기 전에 데이터베이스를 백업하는 것이 좋습니다. 지금 업데이트 도구를 실행하기 원하는게 확실한가요?','Please select at least one site to upgrade.'=>'업그래이드 할 사이트를 하나 이상 선택하기 바랍니다.','Database Upgrade complete. Return to network dashboard'=>'데이터베이스 업그래이드를 완료했습니다. 네트워크 알림판으로 돌아 가기 ','Site is up to date'=>'사이트가 최신 상태입니다.','Site requires database upgrade from %1$s to %2$s'=>'사이트는 %1$s에서 %2$s(으)로 데이터베이스 업그레이드가 필요합니다.','Site'=>'사이트','Upgrade Sites'=>'사이트 업그래이드하기','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'다음 사이트는 DB 업그레이드가 필요합니다. 업데이트하려는 항목을 확인한 다음 %s를 클릭하십시오.','Add rule group'=>'그룹 규칙 추가하기','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'이러한 Advanced Custom Fields를 사용할 편집 화면을 결정하는 일련의 규칙을 만듭니다.','Rules'=>'규칙','Copied'=>'복사했습니다','Copy to clipboard'=>'클립보드에 복사하기','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'내보낼 항목을 선택한 다음 내보내기 방법을 선택합니다. JSON으로 내보내기 - .json 파일로 내보낸 다음 다른 ACF 설치로 가져올 수 있습니다. PHP를 생성하여 테마에 배치할 수 있는 PHP 코드로 내보냅니다.','Select Field Groups'=>'필드 그룹 선택하기','No field groups selected'=>'선택한 필드 그룹 없음','Generate PHP'=>'PHP 생성','Export Field Groups'=>'필드 그룹 내보내기','Import file empty'=>'가져오기 파일이 비어 있음','Incorrect file type'=>'잘못된 파일 형식','Error uploading file. Please try again'=>'파일을 업로드하는 중 오류가 발생했습니다. 다시 시도해 주세요','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'가져오려는 Advanced Custom Fields JSON 파일을 선택합니다. 아래 가져오기 버튼을 클릭하면 ACF가 해당 파일의 항목을 가져옵니다.','Import Field Groups'=>'필드 그룹 가져오기','Sync'=>'동기화하기','Select %s'=>'%s 선택하기','Duplicate'=>'복제하기','Duplicate this item'=>'이 항목 복제하기','Supports'=>'지원','Documentation'=>'문서화','Description'=>'설명','Sync available'=>'동기화 가능','Field group synchronized.'=>'%s개의 필드 그룹을 동기화했습니다.','Field group duplicated.'=>'%s 필드 그룹이 복사되었습니다.','Active (%s)'=>'활성 (%s)','Review sites & upgrade'=>'사이트 검토하기 & 업그래이드하기','Upgrade Database'=>'데이터베이스 업그래이드하기','Custom Fields'=>'사용자 정의 필드','Move Field'=>'필드 이동하기','Please select the destination for this field'=>'이 필드의 대상을 선택하십시오','The %1$s field can now be found in the %2$s field group'=>'%1$s 필드는 이제 %2$s 필드 그룹에서 찾을 수 있습니다.','Move Complete.'=>'이동완료.','Active'=>'활성화','Field Keys'=>'필드 키','Settings'=>'설정','Location'=>'위치','Null'=>'빈값','copy'=>'복사하기','(this field)'=>'(이 필드)','Checked'=>'체크','Move Custom Field'=>'사용자 필드 이동하기','No toggle fields available'=>'사용 가능한 토글 필드 없음','Field group title is required'=>'필드 그룹 제목이 필요합니다.','This field cannot be moved until its changes have been saved'=>'변경 사항이 저장될 때까지 이 필드를 이동할 수 없습니다.','The string "field_" may not be used at the start of a field name'=>'문자열 "field_"는 필드 이름의 시작 부분에 사용할 수 없습니다.','Field group draft updated.'=>'필드 그룹 초안을 업데이트했습니다.','Field group scheduled for.'=>'필드 그룹이 예정되어 있습니다.','Field group submitted.'=>'필드 그룹이 제출되었습니다.','Field group saved.'=>'필드 그룹이 저장되었습니다.','Field group published.'=>'필드 그룹이 게시되었습니다.','Field group deleted.'=>'필드 그룹이 삭제되었습니다.','Field group updated.'=>'필드 그룹을 업데이트했습니다.','Tools'=>'도구','is not equal to'=>'같지 않음','is equal to'=>'같음','Forms'=>'양식','Page'=>'페이지','Post'=>'게시물','Relational'=>'관계형','Choice'=>'선택하기','Basic'=>'기초','Unknown'=>'알려지지 않은','Field type does not exist'=>'필드 유형이 존재하지 않습니다','Spam Detected'=>'스팸 감지됨','Post updated'=>'글을 업데이트했습니다','Update'=>'업데이트','Validate Email'=>'이매일 확인하기','Content'=>'콘텐츠','Title'=>'제목','Edit field group'=>'필드 그룹 편집하기','Selection is less than'=>'선택이 미만','Selection is greater than'=>'선택이 다음보다 큼','Value is less than'=>'값이 다음보다 작음','Value is greater than'=>'값이 다음보다 큼','Value contains'=>'값은 다음을 포함합니다.','Value matches pattern'=>'값이 패턴과 일치','Value is not equal to'=>'값이 같지 않음','Value is equal to'=>'값은 다음과 같습니다.','Has no value'=>'값이 없음','Has any value'=>'값이 있음','Cancel'=>'취소하기','Are you sure?'=>'확실합니까?','%d fields require attention'=>'%d개의 필드에 주의가 필요합니다.','1 field requires attention'=>'주의가 필요한 필드 1개','Validation failed'=>'검증에 실패했습니다','Validation successful'=>'유효성 검사 성공','Restricted'=>'제한했습니다','Collapse Details'=>'세부 정보 접기','Expand Details'=>'세부정보 확장하기','Uploaded to this post'=>'이 게시물에 업로드됨','verbUpdate'=>'업데이트','verbEdit'=>'편집하기','The changes you made will be lost if you navigate away from this page'=>'페이지를 벗어나면 변경 한 내용이 손실 됩니다','File type must be %s.'=>'파일 유형은 %s여야 합니다.','or'=>'또는','File size must not exceed %s.'=>'파일 크기는 %s를 초과할 수 없습니다.','File size must be at least %s.'=>'파일 크기는 %s 이상이어야 합니다.','Image height must not exceed %dpx.'=>'이미지 높이는 %dpx를 초과할 수 없습니다.','Image height must be at least %dpx.'=>'이미지 높이는 %dpx 이상이어야 합니다.','Image width must not exceed %dpx.'=>'이미지 너비는 %dpx를 초과할 수 없습니다.','Image width must be at least %dpx.'=>'이미지 너비는 %dpx 이상이어야 합니다.','(no title)'=>'(제목 없음)','Full Size'=>'전체 크기','Large'=>'크기가 큰','Medium'=>'중간','Thumbnail'=>'썸네일','(no label)'=>'(레이블 없음)','Sets the textarea height'=>'문자 영역의 높이를 설정하기','Rows'=>'행','Text Area'=>'텍스트 영역','Prepend an extra checkbox to toggle all choices'=>'모든 선택 항목을 토글하려면 추가 확인란을 앞에 추가하십시오.','Save \'custom\' values to the field\'s choices'=>'선택한 필드에 ‘사용자 정의’값 저장하기','Allow \'custom\' values to be added'=>'추가한 ‘사용자 정의’ 값 허용하기','Add new choice'=>'새로운 선택 추가하기','Toggle All'=>'모두 토글하기','Allow Archives URLs'=>'보관소 URLs 허용하기','Archives'=>'아카이브','Page Link'=>'페이지 링크','Add'=>'추가하기','Name'=>'이름','%s added'=>'%s 추가됨','%s already exists'=>'%s이(가) 이미 존재합니다.','User unable to add new %s'=>'사용자가 새 %s을(를) 추가할 수 없습니다.','Term ID'=>'용어 ID','Term Object'=>'용어 객체','Load value from posts terms'=>'글 용어에서 값 로드하기','Load Terms'=>'용어 로드하기','Connect selected terms to the post'=>'글에 선택한 조건을 연결하기','Save Terms'=>'조건 저장하기','Allow new terms to be created whilst editing'=>'편집하는 동안 생성할 새로운 조건을 허용하기','Create Terms'=>'용어 만들기','Radio Buttons'=>'라디오 버튼','Single Value'=>'단일 값','Multi Select'=>'다중 선택','Checkbox'=>'체크박스','Multiple Values'=>'여러 값','Select the appearance of this field'=>'이 필드의 모양 선택하기','Appearance'=>'모양','Select the taxonomy to be displayed'=>'보일 할 분류를 선택하기','No TermsNo %s'=>'%s 없음','Value must be equal to or lower than %d'=>'값은 %d보다 작거나 같아야 합니다.','Value must be equal to or higher than %d'=>'값은 %d 이상이어야 합니다.','Value must be a number'=>'값은 숫자여야 합니다.','Number'=>'숫자','Save \'other\' values to the field\'s choices'=>'선택한 필드에 ‘다른’ 값 저장하기','Add \'other\' choice to allow for custom values'=>'사용자 정의 값을 허용하는 ‘기타’ 선택 사항 추가하기','Other'=>'기타','Radio Button'=>'라디오 버튼','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'중지할 이전 아코디언의 끝점을 정의합니다. 이 아코디언은 보이지 않습니다.','Allow this accordion to open without closing others.'=>'다른 아코디언을 닫지 않고 이 아코디언이 열리도록 허용합니다.','Multi-Expand'=>'다중 확장','Display this accordion as open on page load.'=>'이 아코디언은 페이지 로드시 열린 것으로 보입니다.','Open'=>'열기','Accordion'=>'아코디언','Restrict which files can be uploaded'=>'업로드 할 수 있는 파일 제한하기','File ID'=>'파일 ID','File URL'=>'파일 URL','File Array'=>'파일 어레이','Add File'=>'파일 추가하기','No file selected'=>'파일이 선택되지 않았습니다','File name'=>'파일 이름','Update File'=>'파일 업데이트','Edit File'=>'파일 편집하기','Select File'=>'파일 선택하기','File'=>'파일','Password'=>'비밀번호','Specify the value returned'=>'반환할 값 지정하기','Use AJAX to lazy load choices?'=>'지연 로드 선택에 AJAX를 사용하시겠습니까?','Enter each default value on a new line'=>'새로운 줄에 기본 값 입력하기','verbSelect'=>'선택하기','Select2 JS load_failLoading failed'=>'로딩 실패','Select2 JS searchingSearching…'=>'검색하기…','Select2 JS load_moreLoading more results…'=>'더 많은 결과 로드 중…','Select2 JS selection_too_long_nYou can only select %d items'=>'%d 항목만 선택할 수 있어요','Select2 JS selection_too_long_1You can only select 1 item'=>'항목은 1개만 선택할 수 있습니다','Select2 JS input_too_long_nPlease delete %d characters'=>'%d글자를 지우기 바래요','Select2 JS input_too_long_1Please delete 1 character'=>'글자 1개를 지워주세요','Select2 JS input_too_short_nPlease enter %d or more characters'=>'%d 또는 이상의 글자를 입력하시기 바래요','Select2 JS input_too_short_1Please enter 1 or more characters'=>'글자를 1개 이상 입력하세요','Select2 JS matches_0No matches found'=>'일치하는 항목이 없습니다','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d개의 결과가 사용가능하니, 위와 아래 방향키를 이용해 탐색하세요.','Select2 JS matches_1One result is available, press enter to select it.'=>'1개 결과를 사용할 수 있습니다. 선택하려면 Enter 키를 누르세요.','nounSelect'=>'선택하기','User ID'=>'사용자 아이디','User Object'=>'사용자 객체','User Array'=>'사용자 배열','All user roles'=>'모든 사용자 역할','Filter by Role'=>'역할로 필터하기','User'=>'사용자','Separator'=>'분리 기호','Select Color'=>'색상 선택하기','Default'=>'기본','Clear'=>'정리','Color Picker'=>'색상 선택기','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'오후','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'오전','Date Time Picker JS selectTextSelect'=>'선택하기','Date Time Picker JS closeTextDone'=>'완료','Date Time Picker JS currentTextNow'=>'현재','Date Time Picker JS timezoneTextTime Zone'=>'시간대','Date Time Picker JS microsecTextMicrosecond'=>'마이크로초','Date Time Picker JS millisecTextMillisecond'=>'밀리초','Date Time Picker JS secondTextSecond'=>'초','Date Time Picker JS minuteTextMinute'=>'분','Date Time Picker JS hourTextHour'=>'시간','Date Time Picker JS timeTextTime'=>'시간','Date Time Picker JS timeOnlyTitleChoose Time'=>'시간 선택하기','Date Time Picker'=>'날짜 시간 선택기','Endpoint'=>'끝점','Left aligned'=>'왼쪽 정렬','Top aligned'=>'상단 정렬','Placement'=>'놓기','Tab'=>'탭','Value must be a valid URL'=>'값은 유효한 URL이어야 합니다.','Link URL'=>'링크 URL','Link Array'=>'링크 어레이','Opens in a new window/tab'=>'새 창/탭에서 열기','Select Link'=>'링크 선택하기','Link'=>'링크','Email'=>'이메일','Step Size'=>'단계 크기','Maximum Value'=>'최대값','Minimum Value'=>'최소값','Range'=>'범위','Both (Array)'=>'모두(배열)','Label'=>'레이블','Value'=>'값','Vertical'=>'수직','Horizontal'=>'수평','red : Red'=>'빨강 : 빨강','For more control, you may specify both a value and label like this:'=>'더 많은 제어를 위해 다음과 같이 값과 레이블을 모두 지정할 수 있습니다.','Enter each choice on a new line.'=>'새 줄에 각 선택 항목을 입력합니다.','Choices'=>'선택하기','Button Group'=>'버튼 그룹','Allow Null'=>'Null 값 허용','Parent'=>'부모','TinyMCE will not be initialized until field is clicked'=>'TinyMCE는 필드를 클릭할 때까지 초기화되지 않습니다.','Delay Initialization'=>'초기화 지연','Show Media Upload Buttons'=>'미디어 업로드 버튼 표시','Toolbar'=>'툴바','Text Only'=>'텍스트만','Visual Only'=>'비주얼 전용','Visual & Text'=>'비주얼 및 텍스트','Tabs'=>'탭','Click to initialize TinyMCE'=>'TinyMCE를 초기화하려면 클릭하십시오.','Name for the Text editor tab (formerly HTML)Text'=>'텍스트','Visual'=>'비주얼','Value must not exceed %d characters'=>'값은 %d자를 초과할 수 없습니다.','Leave blank for no limit'=>'제한 없이 비워두세요','Character Limit'=>'글자 수 제한','Appears after the input'=>'입력란 뒤에 표시됩니다','Append'=>'뒤에 추가','Appears before the input'=>'입력란 앞에 표시됩니다','Prepend'=>'앞에 추가','Appears within the input'=>'입력란 안에 표시됩니다','Placeholder Text'=>'플레이스홀더 텍스트','Appears when creating a new post'=>'새 게시물을 작성할 때 나타납니다.','Text'=>'텍스트','%1$s requires at least %2$s selection'=>'%1$s에는 %2$s개 이상의 선택 항목이 필요합니다.','Post ID'=>'게시물 ID','Post Object'=>'글 개체','Maximum Posts'=>'최대 게시물','Minimum Posts'=>'최소 게시물','Featured Image'=>'특성 이미지','Selected elements will be displayed in each result'=>'선택한 요소가 각 결과에 표시됩니다.','Elements'=>'엘리먼트','Taxonomy'=>'택소노미','Post Type'=>'게시물 유형','Filters'=>'필터','All taxonomies'=>'모든 분류','Filter by Taxonomy'=>'분류로 필터하기','All post types'=>'모든 게시물 유형','Filter by Post Type'=>'글 유형으로 필터하기','Search...'=>'검색하기...','Select taxonomy'=>'분류 선택하기','Select post type'=>'글 유형 선택하기','No matches found'=>'검색 결과가 없습니다','Loading'=>'로딩중','Maximum values reached ( {max} values )'=>'최대 값에 도달함( {max} values )','Relationship'=>'관계','Comma separated list. Leave blank for all types'=>'쉼표로 구분된 목록입니다. 모든 유형에 대해 비워 두십시오.','Allowed File Types'=>'허용된 파일 형식','Maximum'=>'최고','File size'=>'파일 크기','Restrict which images can be uploaded'=>'업로드 할 수 있는 이미지 제한하기','Minimum'=>'최저','Uploaded to post'=>'게시물에 업로드됨','All'=>'모두','Limit the media library choice'=>'미디어 라이브러리 선택 제한하기','Library'=>'라이브러리','Preview Size'=>'미리보기 크기','Image ID'=>'이미지 ID','Image URL'=>'이미지 URL','Image Array'=>'이미지 배열','Specify the returned value on front end'=>'프론트 엔드에 반환 값 지정하기','Return Value'=>'값 반환하기','Add Image'=>'이미지 추가하기','No image selected'=>'선택한 이미지 없음','Remove'=>'제거하기','Edit'=>'편집하기','All images'=>'모든 이미지','Update Image'=>'이미지 업데이트','Edit Image'=>'이미지 편집하기','Select Image'=>'이미지 선택하기','Image'=>'이미지','Allow HTML markup to display as visible text instead of rendering'=>'렌더링 대신 보이는 텍스트로 HTML 마크 업을 허용하기','Escape HTML'=>'HTML 이탈하기','No Formatting'=>'서식 없음','Automatically add <br>'=>'<br> 자동 추가하기','Automatically add paragraphs'=>'단락 자동 추가하기','Controls how new lines are rendered'=>'새 줄이 렌더링되는 방식을 제어합니다.','New Lines'=>'새로운 라인','Week Starts On'=>'주간 시작 날짜','The format used when saving a value'=>'값을 저장할 때 사용되는 형식','Save Format'=>'형식 저장하기','Date Picker JS weekHeaderWk'=>'주','Date Picker JS prevTextPrev'=>'이전','Date Picker JS nextTextNext'=>'다음','Date Picker JS currentTextToday'=>'오늘','Date Picker JS closeTextDone'=>'완료','Date Picker'=>'날짜 선택기','Width'=>'너비','Embed Size'=>'임베드 크기','Enter URL'=>'URL 입력','oEmbed'=>'포함','Text shown when inactive'=>'비활성 상태일 때 표시되는 텍스트','Off Text'=>'오프 텍스트','Text shown when active'=>'활성 상태일 때 표시되는 텍스트','On Text'=>'텍스트에','Stylized UI'=>'스타일화된 UI','Default Value'=>'기본값','Displays text alongside the checkbox'=>'확인란 옆에 텍스트를 표시합니다.','Message'=>'메시지','No'=>'아니요','Yes'=>'예','True / False'=>'참 / 거짓','Row'=>'열','Table'=>'태이블','Block'=>'블록','Specify the style used to render the selected fields'=>'선택한 필드를 렌더링하는 데 사용하는 스타일 지정하기','Layout'=>'레이아웃','Sub Fields'=>'하위 필드','Group'=>'그룹','Customize the map height'=>'지도 높이 맞춤설정','Height'=>'키','Set the initial zoom level'=>'초기화 줌 레벨 설정하기','Zoom'=>'줌','Center the initial map'=>'초기 맵 중앙에 배치','Center'=>'중앙','Search for address...'=>'주소를 검색하기...','Find current location'=>'현재 위치 찾기','Clear location'=>'위치 지우기','Search'=>'검색하기','Sorry, this browser does not support geolocation'=>'죄송합니다. 이 브라우저는 지리적 위치를 지원하지 않습니다.','Google Map'=>'구글지도','The format returned via template functions'=>'템플릿 함수를 통해 반환되는 형식','Return Format'=>'반환 형식','Custom:'=>'사용자화:','The format displayed when editing a post'=>'게시물을 편집할 때 표시되는 형식','Display Format'=>'표시 형식','Time Picker'=>'시간 선택기','Inactive (%s)'=>'비활성 (%s)','No Fields found in Trash'=>'휴지통에서 필드를 찾을 수 없습니다.','No Fields found'=>'필드를 찾을 수 없음','Search Fields'=>'필드 검색하기','View Field'=>'필드보기','New Field'=>'새 필드','Edit Field'=>'필드 편집하기','Add New Field'=>'새로운 필드 추가하기','Field'=>'필드','Fields'=>'필드','No Field Groups found in Trash'=>'휴지통에서 필드 그룹을 찾을 수 없습니다.','No Field Groups found'=>'필드 그룹을 찾을 수 없음','Search Field Groups'=>'필드 그룹 검색하기','View Field Group'=>'필드 그룹 보기','New Field Group'=>'새 필드 그룹','Edit Field Group'=>'필드 그룹 편집하기','Add New Field Group'=>'새 필드 그룹 추가하기','Add New'=>'새로 추가하기','Field Group'=>'필드 그룹','Field Groups'=>'필드 그룹','Customize WordPress with powerful, professional and intuitive fields.'=>'강력하고 전문적이며 직관적인 필드로 워드프레스를 사용자 정의하십시오.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'ko_KR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ko_KR.mo b/lang/acf-ko_KR.mo
index c7613a5..89d4723 100644
Binary files a/lang/acf-ko_KR.mo and b/lang/acf-ko_KR.mo differ
diff --git a/lang/acf-ko_KR.po b/lang/acf-ko_KR.po
index 8430261..15c2f29 100644
--- a/lang/acf-ko_KR.po
+++ b/lang/acf-ko_KR.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ko_KR\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "출처 업데이트"
@@ -63,12 +85,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr "잘못된 보안 논스가 제공되어 ACF가 유효성 검사를 수행할 수 없습니다."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "에디터 UI에서 값에 대한 액세스 허용"
@@ -2050,21 +2066,21 @@ msgstr "필드 추가"
msgid "This Field"
msgstr "이 필드"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "피드백"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "지원"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "에 의해 개발 및 유지 관리됩니다."
@@ -4541,7 +4557,7 @@ msgstr ""
"Custom Post Type UI에 등록된 Post Type과 Taxonomies를 가져와서 ACF로 관리합니"
"다. 시작하기."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4870,7 +4886,7 @@ msgstr "이 항목 활성화"
msgid "Move field group to trash?"
msgstr "필드 그룹을 휴지통으로 이동하시겠습니까?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4883,7 +4899,7 @@ msgstr "비활성"
msgid "WP Engine"
msgstr "WP 엔진"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4891,7 +4907,7 @@ msgstr ""
"Advanced Custom Fields와 Advanced Custom Fields 프로는 동시에 활성화되어서는 "
"안 됩니다. Advanced Custom Fields 프로를 자동으로 비활성화했습니다."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5331,7 +5347,7 @@ msgstr "모든 %s 형식"
msgid "Attachment"
msgstr "첨부"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s 값이 필요합니다."
@@ -5818,7 +5834,7 @@ msgstr "이 항목 복제하기"
msgid "Supports"
msgstr "지원"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "문서화"
@@ -6112,8 +6128,8 @@ msgstr "%d개의 필드에 주의가 필요합니다."
msgid "1 field requires attention"
msgstr "주의가 필요한 필드 1개"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "검증에 실패했습니다"
@@ -7486,89 +7502,89 @@ msgid "Time Picker"
msgstr "시간 선택기"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "비활성 (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "휴지통에서 필드를 찾을 수 없습니다."
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "필드를 찾을 수 없음"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "필드 검색하기"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "필드보기"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "새 필드"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "필드 편집하기"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "새로운 필드 추가하기"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "필드"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "필드"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "휴지통에서 필드 그룹을 찾을 수 없습니다."
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "필드 그룹을 찾을 수 없음"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "필드 그룹 검색하기"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "필드 그룹 보기"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "새 필드 그룹"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "필드 그룹 편집하기"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "새 필드 그룹 추가하기"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "새로 추가하기"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "필드 그룹"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-nb_NO.l10n.php b/lang/acf-nb_NO.l10n.php
index 8d5098e..cd9ed67 100644
--- a/lang/acf-nb_NO.l10n.php
+++ b/lang/acf-nb_NO.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'nb_NO','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Oppdater kilde','By default only admin users can edit this setting.'=>'Som standard kan bare administratorer redigere denne innstillingen.','By default only super admin users can edit this setting.'=>'Som standard kan bare superadministratorer redigere denne innstillingen.','Close and Add Field'=>'Lukk og legg til felt','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF klarte ikke å utføre validering på grunn av en ugyldig sikkerhetsnonce oppgitt.','Learn more.'=>'Lær mer.','Businessman Icon'=>'Ikon for businessmann','Forums Icon'=>'Ikon for forum','YouTube Icon'=>'Ikon for YouTube','Yes (alt) Icon'=>'Ikon for ja (alternativ)','Xing Icon'=>'Ikon for Xing','WordPress (alt) Icon'=>'Ikon for WordPress (alternativ)','WhatsApp Icon'=>'Ikon for WhatsApp','Write Blog Icon'=>'Ikon for skriv blogg','Widgets Menus Icon'=>'Ikon for widgetmenyer','View Site Icon'=>'Ikon for vis side','Learn More Icon'=>'Ikon for lær mer','Add Page Icon'=>'Ikon for legg til side','Video (alt3) Icon'=>'Ikon for video (alternativ 3)','Video (alt2) Icon'=>'Ikon for video (alternativ 2)','Video (alt) Icon'=>'Ikon for video (alternativ)','Update (alt) Icon'=>'Ikon for oppdater (alternativ)','Universal Access (alt) Icon'=>'Ikon for universell tilgang (alternativ)','Twitter (alt) Icon'=>'Ikon for Twitter (alt)','Twitch Icon'=>'Ikon for Twitch','Tide Icon'=>'Ikon for Tide','Tickets (alt) Icon'=>'Ikon for billetter (alternativ)','Text Page Icon'=>'Ikon for tekstside','Table Row Delete Icon'=>'Ikon for slett tabellrad','Table Row Before Icon'=>'Ikon for tabellrad før','Table Row After Icon'=>'Ikon for tabellrad etter','Table Col Delete Icon'=>'Ikon for slett tabellkolonne','Table Col Before Icon'=>'Ikon for tabellkolonne før','Table Col After Icon'=>'Ikon for tabellkolonne etter','Superhero (alt) Icon'=>'Ikon for superhelt (alternativ)','Superhero Icon'=>'Ikon for superhelt','Spotify Icon'=>'Ikon for Spotify','Shortcode Icon'=>'Ikon for kortkode','Shield (alt) Icon'=>'Ikon for skjold (alternativ)','Share (alt2) Icon'=>'Ikon for del (alternativ 2)','Share (alt) Icon'=>'Ikon for del (alternativ)','Saved Icon'=>'Ikon for lagret','RSS Icon'=>'Ikon for RSS','REST API Icon'=>'Ikon for REST API','Remove Icon'=>'Ikon for fjern','Reddit Icon'=>'Ikon for Reddit','Privacy Icon'=>'Ikon for personvern','Printer Icon'=>'Ikon for skriver','Podio Icon'=>'Ikon for Podio','Plus (alt2) Icon'=>'Ikon for pluss (alternativ 2)','Plus (alt) Icon'=>'Ikon for pluss (alternativ)','Plugins Checked Icon'=>'Ikon for avmerkede utvidelser','Pinterest Icon'=>'Ikon for Pinterest','Pets Icon'=>'Ikon for kjæledyr','PDF Icon'=>'Ikon for PDF','Palm Tree Icon'=>'Ikon for palmetre','Open Folder Icon'=>'Ikon for åpne mappe','No (alt) Icon'=>'Ikon for nei (alternativ)','Money (alt) Icon'=>'Ikon for penger (alternativ)','Menu (alt3) Icon'=>'Ikon for meny (alternativ 3)','Menu (alt2) Icon'=>'Ikon for meny (alternativ 2)','Menu (alt) Icon'=>'Ikon for meny (alternativ)','Spreadsheet Icon'=>'Ikon for regneark','Interactive Icon'=>'Ikon for interaktiv','Document Icon'=>'Ikon for dokument','Default Icon'=>'Standardikon','Location (alt) Icon'=>'Ikon for lokasjon (alternativ)','LinkedIn Icon'=>'Ikon for LinkedIn','Instagram Icon'=>'Ikon for Instagram','Insert Before Icon'=>'Ikon for sett inn før','Insert After Icon'=>'Ikon for sett inn etter','Insert Icon'=>'Ikon for sett inn','Info Outline Icon'=>'Omrissikon for info','Images (alt2) Icon'=>'Ikon for bilder (alternativ 2)','Images (alt) Icon'=>'Ikon for bilder (alternativ)','Rotate Right Icon'=>'Ikon for roter høyre','Rotate Left Icon'=>'Ikon for roter venstre','Rotate Icon'=>'Ikon for roter','Flip Vertical Icon'=>'Ikon for vend vertikalt','Flip Horizontal Icon'=>'Ikon for vend horisontalt','Crop Icon'=>'Ikon for beskjær','ID (alt) Icon'=>'Ikon for ID (alternativ)','HTML Icon'=>'Ikon for HTML','Hourglass Icon'=>'Ikon for timeglass','Heading Icon'=>'Ikon for overskrift','Google Icon'=>'Ikon for Google','Games Icon'=>'Ikon for spill','Fullscreen Exit (alt) Icon'=>'Ikon for lukk fullskjerm (alternativ)','Fullscreen (alt) Icon'=>'Ikon for fullskjerm (alternativ)','Status Icon'=>'Ikon for status','Image Icon'=>'Ikon for bilde','Gallery Icon'=>'Ikon for galleri','Chat Icon'=>'Ikon for chat','Audio Icon'=>'Ikon for lyd','Aside Icon'=>'Ikon for notis','Food Icon'=>'Ikon for mat','Exit Icon'=>'Ikon for avslutt','Excerpt View Icon'=>'Ikon for vis utdrag','Embed Video Icon'=>'Ikon for bygg inn video','Embed Post Icon'=>'Ikon for bygg inn innlegg','Embed Photo Icon'=>'Ikon for bygg inn bilde','Embed Generic Icon'=>'Ikon for bygg inn','Embed Audio Icon'=>'Ikon for bygg inn lyd','Email (alt2) Icon'=>'Ikon for e-post (alternativ 2)','Ellipsis Icon'=>'Ikon for ellipse','Unordered List Icon'=>'Ikon for usortert liste','RTL Icon'=>'Ikon for høyre til venstre','Ordered List RTL Icon'=>'Ikon for sortert liste høyre til venstre','Ordered List Icon'=>'Ikon for sortert liste','LTR Icon'=>'Ikon for venstre til høyre','Custom Character Icon'=>'Ikon for tilpasset karakter','Edit Page Icon'=>'Ikon for rediger side','Edit Large Icon'=>'Stort ikon for rediger','Drumstick Icon'=>'Ikon for trommestikker','Database View Icon'=>'Ikon for vis database','Database Remove Icon'=>'Ikon for fjern database','Database Import Icon'=>'Ikon for importer database','Database Export Icon'=>'Ikon for eksporter database','Database Add Icon'=>'Ikon for legg til database','Database Icon'=>'Ikon for database','Cover Image Icon'=>'Ikon for omslagsbilde','Volume On Icon'=>'Ikon for volum på','Volume Off Icon'=>'Ikon for volum av','Skip Forward Icon'=>'Ikon for hopp fremover','Skip Back Icon'=>'Ikon for hopp tilbake','Repeat Icon'=>'Ikon for gjenta','Play Icon'=>'Ikon for spill av','Pause Icon'=>'Ikon for pause','Forward Icon'=>'Ikon for fremover','Back Icon'=>'Ikon for bakover','Columns Icon'=>'Ikon for kolonner','Color Picker Icon'=>'Ikon for fargevelger','Coffee Icon'=>'Ikon for kaffe','Code Standards Icon'=>'Ikon for kodestandarder','Cloud Upload Icon'=>'Ikon for skyopplasting','Cloud Saved Icon'=>'Ikon for skylagret','Car Icon'=>'Ikon for bil','Camera (alt) Icon'=>'Ikon for kamera (alternativ)','Calculator Icon'=>'Ikon for kalkulator','Button Icon'=>'Ikon for knapp','Businessperson Icon'=>'Ikon for businessperson','Tracking Icon'=>'Ikon for sporing','Topics Icon'=>'Ikon for emner','Replies Icon'=>'Ikon for svar','PM Icon'=>'Ikon for privat melding','Friends Icon'=>'Ikon for venner','Community Icon'=>'Ikon for samfunn','BuddyPress Icon'=>'Ikon for BuddyPress','bbPress Icon'=>'Ikon for bbPress','Activity Icon'=>'Ikon for aktivitet','Book (alt) Icon'=>'Ikon for bok (alternativ)','Block Default Icon'=>'Ikon for standardblokk','Bell Icon'=>'Ikon for bjelle','Beer Icon'=>'Ikon for øl','Bank Icon'=>'Ikon for bank','Arrow Up (alt2) Icon'=>'Ikon for pil opp (alternativ 2)','Arrow Up (alt) Icon'=>'Ikon for pil opp (alternativ)','Arrow Right (alt2) Icon'=>'Ikon for pil høyre (alternativ 2)','Arrow Right (alt) Icon'=>'Ikon for pil høyre (alternativ)','Arrow Left (alt2) Icon'=>'Ikon for pil venstre (alternativ 2)','Arrow Left (alt) Icon'=>'Ikon for venstre pil (alternativ)','Arrow Down (alt2) Icon'=>'Ikon for pil ned (alternativ 2)','Arrow Down (alt) Icon'=>'Ikon for pil ned (alternativ)','Amazon Icon'=>'Ikon for Amazon','Align Wide Icon'=>'Ikon for bred justering','Align Pull Right Icon'=>'Ikon for trekk høyre','Align Pull Left Icon'=>'Ikon for trekk venstre','Align Full Width Icon'=>'Ikon for justering til full bredde','Airplane Icon'=>'Ikon for fly','Site (alt3) Icon'=>'Ikon for side (alternativ 3)','Site (alt2) Icon'=>'Ikon for side (alternativ 2)','Site (alt) Icon'=>'Ikon for side (alternativ)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Oppgrader til ACF PRO for å opprette innstillinger-sider med bare noen få klikk.','Invalid request args.'=>'Ugyldige argumenter for forespørsel.','Sorry, you do not have permission to do that.'=>'Beklager, du har ikke rettigheter til å gjøre det.','ACF PRO logo'=>'Logo for ACF PRO','Yes Icon'=>'Ikon for ja','WordPress Icon'=>'Ikon for WordPress','Warning Icon'=>'Ikon for advarsel','Visibility Icon'=>'Ikon for synlighet','Vault Icon'=>'Ikon for hvelv','Upload Icon'=>'Ikon for opplasting','Update Icon'=>'Ikon for oppdatering','Unlock Icon'=>'Ikon for opplåsing','Universal Access Icon'=>'Ikon for universell tilgang','Undo Icon'=>'Ikon for angre','Twitter Icon'=>'Ikon for Twitter','Trash Icon'=>'Ikon for papirkurv','Translation Icon'=>'Ikon for oversettelse','Tickets Icon'=>'Ikon for billetter','Thumbs Up Icon'=>'Ikon for tommel opp','Thumbs Down Icon'=>'Ikon for tommel ned','Text Icon'=>'Ikon for tekst','Testimonial Icon'=>'Ikon for anmeldelse','Tagcloud Icon'=>'Ikon for stikkordsky','Tag Icon'=>'Ikon for stikkord','Tablet Icon'=>'Ikon for nettbrett','Store Icon'=>'Ikon for butikk','Sticky Icon'=>'Ikon for klistret','Star Half Icon'=>'Ikon for halv stjerne','Star Filled Icon'=>'Ikon for hel stjerne','Star Empty Icon'=>'Ikon for tom stjerne','Sos Icon'=>'Ikon for SOS','Sort Icon'=>'Ikon for sortering','Smiley Icon'=>'Ikon for smilefjes','Smartphone Icon'=>'Ikon for smarttelefon','Slides Icon'=>'Ikon for lysbilder','Shield Icon'=>'Ikon for skjold','Share Icon'=>'Ikon for deling','Search Icon'=>'Ikon for søk','Screen Options Icon'=>'Ikon for Visningsinnstillinger','Schedule Icon'=>'Ikon for planlegg','Redo Icon'=>'Ikon for omgjør','Randomize Icon'=>'Ikon for tilfeldig','Products Icon'=>'Ikon for produkter','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-felter','Title Placeholder'=>'Plassholder for tittel','Duplicate post type'=>'Dupliser innleggstype','Create post type'=>'Opprett innleggstype','Add fields'=>'Legg til felter','This Field'=>'Dette feltet','No post types'=>'Ingen innholdstyper','No posts'=>'Ingen innlegg','No taxonomies'=>'Ingen taksonomier','No field groups'=>'Ingen feltgrupper','No fields'=>'Ingen felter','No description'=>'Ingen beskrivelse','No Post Types found in Trash'=>'Fant ingen innleggstyper i papirkurven','No Post Types found'=>'Fant ingen innleggstyper','Search Post Types'=>'Søk innleggstyper','View Post Type'=>'Vis innleggstype','New Post Type'=>'Ny innleggstype','Edit Post Type'=>'Rediger innleggstype','Add New Post Type'=>'Legg til ny innleggstype','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Nøkken til denne innleggstypen eller allerede i bruk av en annen innleggstype registrert utenfor ACF og kan ikke brukes.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Nøkkelen til denne innleggstypen er allerede i bruk av en annen innleggstype i ACF og kan ikke brukes.','nounClone'=>'Klone','Add Post Type'=>'Legg til innleggstype','Add Your First Post Type'=>'Legg til din første innleggstype','I know what I\'m doing, show me all the options.'=>'Jeg vet hva jeg gjør, vis meg alle valg.','Advanced Configuration'=>'Avansert konfigurasjon','Public'=>'Offentlig','movie'=>'film','Movie'=>'Film','Singular Label'=>'Merkelapp for entall','Movies'=>'Filmer','Plural Label'=>'Merkelapp for flertall','Pagination'=>'Sideinndeling','Custom Permalink'=>'Tilpasset permalenke','Delete items by a user when that user is deleted.'=>'Sletter elementer av en bruker når denne brukeren slettes.','Delete With User'=>'Slett med bruker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Gjør det mulig å eksportere innleggstypen fra Verktøy > Eksporter.','Can Export'=>'Kan eksporteres','Exclude From Search'=>'Utelat fra søk','Menu Icon'=>'Menyikon','The position in the sidebar menu in the admin dashboard.'=>'Plassering i sidemenyen i kontrollpanelet.','Menu Position'=>'Menyplassering','New Post'=>'Nytt innlegg','New Item'=>'Nytt element','New %s'=>'Ny %s','Add New Post'=>'Legg til nytt innlegg','Add New Item'=>'Legg til nytt element','Add New %s'=>'Legg til ny %s','View Posts'=>'Vis innlegg','View Items'=>'Vis elementer','View Post'=>'Se innlegg','View Item'=>'Vis element','View %s'=>'Vis %s','Edit Post'=>'Rediger innlegg','All Posts'=>'Alle innlegg','Export'=>'Eksporter','Advanced Settings'=>'Avanserte innstillinger','Basic Settings'=>'Grunnleggende Innstillinger','Pages'=>'Sider','Type to search...'=>'Skriv for å søke...','PRO Only'=>'Bare i PRO','ACF'=>'ACF','taxonomy'=>'taksonomi','post type'=>'innleggstype','Done'=>'Ferdig','Field Group(s)'=>'Feltgruppe(r)','post statusRegistration Failed'=>'Kunne ikke registrere','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dette elementet kunne ikke registrered fordi nøkkelen er allerede i bruk av et annet element registrert av en annen utvidelse eller tema.','REST API'=>'REST API','Permissions'=>'Rettigheter','URLs'=>'Adresser','Visibility'=>'Synlighet','Labels'=>'Etiketter','Field Settings Tabs'=>'Faner for feltinnstillinger','[ACF shortcode value disabled for preview]'=>'[Verdien for ACF-kortkoden vises ikke i forhåndsvisning]','Close Modal'=>'Lukk modal','Field moved to other group'=>'Felt flyttet til annen gruppe','Close modal'=>'Lukk modal','Start a new group of tabs at this tab.'=>'Begynn en ny grupe faner ved denne fanen.','New Tab Group'=>'Ny fanegruppe','Save Other Choice'=>'Lagre annet valg','Allow Other Choice'=>'Tillat andre valg','Add Toggle All'=>'Legg til veksle alle','Save Custom Values'=>'Lagee tilpassede verdier','Allow Custom Values'=>'Tilllat tilpassede verdier','Updates'=>'Oppdateringer','Advanced Custom Fields logo'=>'Logo for Avanserte egendefinerte felter','Save Changes'=>'Lagre endringer','Field Group Title'=>'Tittel for feltgruppe','Add title'=>'Legg til tittel','New to ACF? Take a look at our getting started guide.'=>'Er du ny med ACF? Ta en kikk på vår hurtigstart','Add Field Group'=>'Legg til feltgruppe','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF bruker feltgrupper for å gruppere egendefinerte felter sammen og så kobler sammen de feltene på redigeringsbildene.','Add Your First Field Group'=>'Legg til din første feltgruppe','Options Pages'=>'Sider for innstillinger','ACF Blocks'=>'ACF-blokker','Gallery Field'=>'Gallerifelt','Flexible Content Field'=>'Felksibelt innholdsfelt','Repeater Field'=>'Gjentakende felt','Delete Field Group'=>'Slett feltgruppe','Created on %1$s at %2$s'=>'Opprettet %1$s kl %2$s','Group Settings'=>'Gruppeinnstillinger','Location Rules'=>'Lokasjonsregler','Choose from over 30 field types. Learn more.'=>'Velg blant over 30 felttyper. Lær mer.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Kom i gang med å opprette nye egendefinerte felter for dine innlegg, sider, egne innleggstyper og annet WordPress-innhold.','Add Your First Field'=>'Legg til ditt første felt','#'=>'#','Add Field'=>'Legg til felt','Presentation'=>'Presentasjon','Validation'=>'Validering','General'=>'Generelt','Import JSON'=>'Importer JSON','Export As JSON'=>'Eksporter som JSON','Field group deactivated.'=>'Feltgruppe deaktivert.' . "\0" . '%s feltgrupper deaktivert.','Field group activated.'=>'Feltgruppe aktivert' . "\0" . '%s feltgrupper aktivert.','Deactivate'=>'Deaktiver','Deactivate this item'=>'Deaktiver dette elementet','Activate'=>'Aktiver','Activate this item'=>'Aktiver dette elementet','Move field group to trash?'=>'Flytte feltgruppe til papirkurven?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields og Advanced Custom Fields PRO bør ikke være aktiverte samtidig. Vi har automatisk deaktivert Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields og Advanced Custom Fields PRO bør ikke være aktiverte samtidig. Vi har automatisk deaktivert Advanced Custom Fields.','%1$s must have a user with the %2$s role.'=>'%1$s må ha en bruker med rollen %2$s.' . "\0" . '%1$s må ha en bruker med en av følgende roller: %2$s','%1$s must have a valid user ID.'=>'%1$s må ha en gyldig bruker-ID.','Invalid request.'=>'Ugyldig forespørsel.','%1$s is not one of %2$s'=>'%1$s er ikke en av %2$s','%1$s must have term %2$s.'=>'%1$s må ha termen %2$s.' . "\0" . '%1$s må ha én av følgende termer: %2$s','%1$s must be of post type %2$s.'=>'%1$s må være av innleggstypen %2$s.' . "\0" . '%1$s må være en av følgende innleggstyper: %2$s','%1$s must have a valid post ID.'=>'%1$s må ha en gyldig innlegg-ID.','%s requires a valid attachment ID.'=>'%s må ha en gyldig vedlegg-ID.','Show in REST API'=>'Vise i REST API','Enable Transparency'=>'Aktiver gjennomsiktighet','RGBA Array'=>'RGBA-array','RGBA String'=>'RGBA-streng','Hex String'=>'Hex-streng','Upgrade to PRO'=>'Oppgrader til Pro','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'\'%s\' er ikke en gyldig e-postadresse.','Color value'=>'Fargeverdi','Select default color'=>'Velg standardfarge','Clear color'=>'Fjern farge','Blocks'=>'Blokker','Options'=>'Alternativer','Users'=>'Brukere','Menu items'=>'Menyelementer','Widgets'=>'Widgeter','Attachments'=>'Vedlegg','Taxonomies'=>'Taksonomier','Posts'=>'Innlegg','Last updated: %s'=>'Sist oppdatert: %s','Sorry, this post is unavailable for diff comparison.'=>'Beklager, dette innlegget kan ikke sjekkes for forskjeller.','Invalid field group parameter(s).'=>'Ugyldige parametere for feltgruppe.','Awaiting save'=>'Venter på lagring','Saved'=>'Lagret','Import'=>'Importer','Review changes'=>'Gjennomgå endringer','Located in: %s'=>'Plassert i: %s','Located in plugin: %s'=>'Plassert i utvidelse: %s','Located in theme: %s'=>'Plassert i tema: %s','Various'=>'Forskjellig','Sync changes'=>'Synkroniseringsendringer','Loading diff'=>'Laster diff','Review local JSON changes'=>'Se over lokale endinger for JSON','Visit website'=>'Besøk nettsted','View details'=>'Vis detaljer','Version %s'=>'Versjon %s','Information'=>'Informasjon','Help & Support'=>'Hjelp og brukerstøtte','Overview'=>'Oversikt','Location type "%s" is already registered.'=>'Lokasjonstypen "%s" er allerede registrert.','Class "%s" does not exist.'=>'Klassen "%s" finnes ikke.','Invalid nonce.'=>'Ugyldig engangskode.','Error loading field.'=>'Feil ved lasting av felt.','Error: %s'=>'Feil: %s','Widget'=>'Widget','User Role'=>'Brukerrolle','Comment'=>'Kommentar','Post Format'=>'Innleggsformat','Menu Item'=>'Menypunkt','Post Status'=>'Innleggsstatus','Menus'=>'Menyer','Menu Locations'=>'Menylokasjoner','Menu'=>'Meny','Post Taxonomy'=>'Innleggs Taksanomi','Child Page (has parent)'=>'Underside (har forelder)','Parent Page (has children)'=>'Forelderside (har undersider)','Top Level Page (no parent)'=>'Toppnivåside (ingen forelder)','Posts Page'=>'Innleggsside','Front Page'=>'Forside','Page Type'=>'Sidetype','Viewing back end'=>'Viser baksiden','Viewing front end'=>'Viser fremsiden','Logged in'=>'Innlogget','Current User'=>'Nåværende Bruker','Page Template'=>'Sidemal','Register'=>'Registrer','Add / Edit'=>'Legg til / Endre','User Form'=>'Brukerskjema','Page Parent'=>'Sideforelder','Super Admin'=>'Superadmin','Current User Role'=>'Nåværende Brukerrolle','Default Template'=>'Standardmal','Post Template'=>'Innleggsmal','Post Category'=>'Innleggskategori','All %s formats'=>'Alle %s-formater','Attachment'=>'Vedlegg','%s value is required'=>'%s verdi er påkrevd','Show this field if'=>'Vis dette feltet hvis','Conditional Logic'=>'Betinget logikk','and'=>'og','Local JSON'=>'Lokal JSON','Clone Field'=>'Klonefelt','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Vennligst sjekk at alle premium-tillegg (%s) er oppdatert til siste versjon.','This version contains improvements to your database and requires an upgrade.'=>'Denne versjonen inneholder forbedringer til din database, og krever en oppgradering.','Thank you for updating to %1$s v%2$s!'=>'Takk for at du oppgraderer til %1$s v%2$s!','Database Upgrade Required'=>'Oppdatering av database er påkrevd','Options Page'=>'Side for alternativer','Gallery'=>'Galleri','Flexible Content'=>'Fleksibelt Innhold','Repeater'=>'Gjentaker','Back to all tools'=>'Tilbake til alle verktøy','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)'=>'Om flere feltgrupper kommer på samme redigeringsskjerm, vil den første gruppens innstillinger bli brukt (den med laveste rekkefølgenummer)','Select items to hide them from the edit screen.'=>'Velg elementer for å skjule dem på redigeringsskjermen.','Hide on screen'=>'Skjul på skjerm','Send Trackbacks'=>'Send tilbakesporinger','Tags'=>'Stikkord','Categories'=>'Kategorier','Page Attributes'=>'Sideattributter','Format'=>'Format','Author'=>'Forfatter','Slug'=>'Identifikator','Revisions'=>'Revisjoner','Comments'=>'Kommentarer','Discussion'=>'Diskusjon','Excerpt'=>'Utdrag','Content Editor'=>'Redigeringverktøy for innhold','Permalink'=>'Permalenke','Shown in field group list'=>'Vist i feltgruppeliste','Field groups with a lower order will appear first'=>'Feltgrupper med en lavere rekkefølge vil vises først','Order No.'=>'Rekkefølgenr','Below fields'=>'Under felter','Below labels'=>'Under etiketter','Instruction Placement'=>'Instruksjonsplassering','Label Placement'=>'Etikettplassering','Side'=>'Sideordnet','Normal (after content)'=>'Normal (etter innhold)','High (after title)'=>'Høy (etter tittel)','Position'=>'Posisjon','Seamless (no metabox)'=>'Sømløs (ingen metaboks)','Standard (WP metabox)'=>'Standard (WP metaboks)','Style'=>'Stil','Type'=>'Type','Key'=>'Nøkkel','Order'=>'Rekkefølge','Close Field'=>'Stengt felt','id'=>'id','class'=>'klasse','width'=>'bredde','Wrapper Attributes'=>'Attributter for innpakning','Required'=>'Obligatorisk','Instructions'=>'Instruksjoner','Field Type'=>'Felttype','Single word, no spaces. Underscores and dashes allowed'=>'Enkelt ord, ingen mellomrom. Understrekning og bindestreker tillatt','Field Name'=>'Feltnavn','This is the name which will appear on the EDIT page'=>'Dette er navnet som vil vises på redigeringssiden','Field Label'=>'Feltetikett','Delete'=>'Slett','Delete field'=>'Slett felt','Move'=>'Flytt','Move field to another group'=>'Flytt felt til annen gruppe','Duplicate field'=>'Dupliser felt','Edit field'=>'Rediger felt','Drag to reorder'=>'Dra for å endre rekkefølge','Show this field group if'=>'Vis denne feltgruppen hvis','No updates available.'=>'Ingen oppdateringer tilgjengelig.','Database upgrade complete. See what\'s new'=>'Oppgradering av database fullført. Se hva som er nytt','Reading upgrade tasks...'=>'Leser oppgraderingsoppgaver...','Upgrade failed.'=>'Oppgradering milsyktes.','Upgrade complete.'=>'Oppgradering fullført.','Upgrading data to version %s'=>'Oppgraderer data til versjon %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det er sterkt anbefalt at du sikkerhetskopierer databasen før du fortsetter. Er du sikker på at du vil kjøre oppdateringen nå?','Please select at least one site to upgrade.'=>'Vennligst velg minst ett nettsted å oppgradere.','Database Upgrade complete. Return to network dashboard'=>'Databaseoppgradering fullført. Tilbake til kontrollpanelet for nettverket','Site is up to date'=>'Nettstedet er oppdatert','Site requires database upgrade from %1$s to %2$s'=>'Nettstedet krever databaseoppgradering fra %1$s til %2$s','Site'=>'Nettsted','Upgrade Sites'=>'Oppgrader nettsteder','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Følgende nettsteder krever en DB-oppgradering. Kryss av for de du ønsker å oppgradere og klikk så %s.','Add rule group'=>'Legg til regelgruppe','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Lag et sett regler for å bestemme hvilke skjermer som skal bruke disse avanserte egendefinerte feltene','Rules'=>'Regler','Copied'=>'Kopiert','Copy to clipboard'=>'Kopier til utklippstavle','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Velg de feltgruppene du ønsker å eksportere og velgs så din eksportmetode. Eksporter som JSON til en json-fil som du senere kan importere til en annen ACF-installasjon. Bruk Generer PHP-knappen til å eksportere til PHP-kode som du kan sette inn i ditt tema.','Select Field Groups'=>'Velg feltgrupper','No field groups selected'=>'Ingen feltgrupper valgt','Generate PHP'=>'Generer PHP','Export Field Groups'=>'Eksporter feltgrupper','Import file empty'=>'Importfil tom','Incorrect file type'=>'Feil filtype','Error uploading file. Please try again'=>'Filopplastingsfeil. Vennligst forsøk på nytt','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Velg den ACF JSON-fil du ønsker å importere. Når du klikker på import-knappen nedenfor vil ACF importere elementene i den filen.','Import Field Groups'=>'Importer feltgrupper','Sync'=>'Synk','Select %s'=>'Velg %s','Duplicate'=>'Dupliser','Duplicate this item'=>'Dupliser dette elementet','Supports'=>'Brukerstøtte','Documentation'=>'Dokumentasjon','Description'=>'Beskrivelse','Sync available'=>'Synk tilgjengelig','Field group synchronized.'=>'Feltgruppe synkronisert.' . "\0" . '%s feltgrupper synkronisert.','Field group duplicated.'=>'Feltgruppe duplisert' . "\0" . '%s feltgrupper duplisert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktive(%s)','Review sites & upgrade'=>'Gjennomgå nettsteder og oppgrader','Upgrade Database'=>'Oppgrader database','Custom Fields'=>'Egendefinerte felt','Move Field'=>'Flytt felt','Please select the destination for this field'=>'Vennligst velg destinasjon for dette feltet','The %1$s field can now be found in the %2$s field group'=>'%1$s feltet kan nå bli funnet i feltgruppen %2$s','Move Complete.'=>'Flytting fullført.','Active'=>'Aktiv','Field Keys'=>'Feltnøkler','Settings'=>'Innstillinger','Location'=>'Plassering','Null'=>'Null','copy'=>'kopi','(this field)'=>'(dette feltet)','Checked'=>'Avkrysset','Move Custom Field'=>'Flytt egendefinert felt','No toggle fields available'=>'Ingen vekslefelt er tilgjengelige','Field group title is required'=>'Feltgruppetittel er obligatorisk','This field cannot be moved until its changes have been saved'=>'Dette feltet kan ikke flyttes før endringene har blitt lagret','The string "field_" may not be used at the start of a field name'=>'Strengen "field_" kan ikke brukes i starten på et feltnavn','Field group draft updated.'=>'Kladd for feltgruppe oppdatert.','Field group scheduled for.'=>'Feltgruppe planlagt til.','Field group submitted.'=>'Feltgruppe innsendt.','Field group saved.'=>'Feltgruppe lagret','Field group published.'=>'Feltgruppe publisert.','Field group deleted.'=>'Feltgruppe slettet.','Field group updated.'=>'Feltgruppe oppdatert.','Tools'=>'Verktøy','is not equal to'=>'er ikke lik til','is equal to'=>'er lik','Forms'=>'Skjema','Page'=>'Side','Post'=>'Innlegg','Relational'=>'Relasjonell','Choice'=>'Valg','Basic'=>'Grunnleggende','Unknown'=>'Ukjent','Field type does not exist'=>'Felttype eksisterer ikke','Spam Detected'=>'Spam oppdaget','Post updated'=>'Innlegg oppdatert','Update'=>'Oppdater','Validate Email'=>'Valider e-post','Content'=>'Innhold','Title'=>'Tittel','Edit field group'=>'Rediger feltgruppe','Selection is less than'=>'Valget er mindre enn','Selection is greater than'=>'Valget er større enn','Value is less than'=>'Verdi er mindre enn','Value is greater than'=>'Verdi er større enn','Value contains'=>'Verdi inneholder','Value matches pattern'=>'Verdi passer til mønster','Value is not equal to'=>'Verdi er ikke lik ','Value is equal to'=>'Verdi er lik','Has no value'=>'Har ingen verdi','Has any value'=>'Har en verdi','Cancel'=>'Avbryt','Are you sure?'=>'Er du sikker?','%d fields require attention'=>'%d felt krever oppmerksomhet','1 field requires attention'=>'1 felt krever oppmerksomhet','Validation failed'=>'Validering feilet','Validation successful'=>'Validering vellykket','Restricted'=>'Begrenset','Collapse Details'=>'Trekk sammen detaljer','Expand Details'=>'Utvid detaljer','Uploaded to this post'=>'Lastet opp til dette innlegget','verbUpdate'=>'Oppdater','verbEdit'=>'Rediger','The changes you made will be lost if you navigate away from this page'=>'Endringene du har gjort vil gå tapt om du navigerer bort fra denne siden.','File type must be %s.'=>'Filtype må være %s.','or'=>'eller','File size must not exceed %s.'=>'Filstørrelsen må ikke overstige %s.','File size must be at least %s.'=>'Filstørrelse må minst være %s.','Image height must not exceed %dpx.'=>'Bildehøyde må ikke overstige %dpx.','Image height must be at least %dpx.'=>'Bildehøyde må være minst %dpx.','Image width must not exceed %dpx.'=>'Bildebredde må ikke overstige %dpx.','Image width must be at least %dpx.'=>'Bildebredde må være minst %dpx.','(no title)'=>'(ingen tittel)','Full Size'=>'Full størrelse','Large'=>'Stor','Medium'=>'Middels','Thumbnail'=>'Miniatyrbilde','(no label)'=>'(ingen etikett)','Sets the textarea height'=>'Setter høyde på tekstområde','Rows'=>'Rader','Text Area'=>'Tekstområde','Prepend an extra checkbox to toggle all choices'=>'Legg en ekstra avkryssningsboks foran for å veksle alle valg ','Save \'custom\' values to the field\'s choices'=>'Lagre "egendefinerte" verdier til feltvalg','Allow \'custom\' values to be added'=>'Tillat \'egendefinerte\' verdier til å bli lagt til','Add new choice'=>'Legg til nytt valg','Toggle All'=>'Veksle alle','Allow Archives URLs'=>'Tillat arkiv-URLer','Archives'=>'Arkiv','Page Link'=>'Sidelenke','Add'=>'Legg til ','Name'=>'Navn','%s added'=>'%s lagt til','%s already exists'=>'%s finnes allerede','User unable to add new %s'=>'Bruker kan ikke legge til ny %s','Term ID'=>'Term-ID','Term Object'=>'Term-objekt','Load value from posts terms'=>'Last verdi fra innleggstermer','Load Terms'=>'Last termer','Connect selected terms to the post'=>'Koble valgte termer til innlegget','Save Terms'=>'Lagre termer','Allow new terms to be created whilst editing'=>'Tillat at nye termer legges til ved redigering','Create Terms'=>'Lag termer','Radio Buttons'=>'Radioknapper','Single Value'=>'Enkeltverdi','Multi Select'=>'Flervalg','Checkbox'=>'Avkrysningsboks','Multiple Values'=>'Flere verdier','Select the appearance of this field'=>'Velg visning av dette feltet','Appearance'=>'Utseende','Select the taxonomy to be displayed'=>'Velg taksonomi som skal vises','No TermsNo %s'=>'Ingen %s','Value must be equal to or lower than %d'=>'Verdi må være lik eller lavere enn %d','Value must be equal to or higher than %d'=>'Verdi må være lik eller høyere enn %d','Value must be a number'=>'Verdi må være et tall','Number'=>'Tall','Save \'other\' values to the field\'s choices'=>'Lagre "andre" verdier til feltets valg','Add \'other\' choice to allow for custom values'=>'Legg "andre"-valget for å tillate egendefinerte verdier','Other'=>'Andre','Radio Button'=>'Radioknapp','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definer et endepunkt å stanse for det forrige trekkspillet. Dette trekkspillet vil ikke være synlig.','Allow this accordion to open without closing others.'=>'Tillat dette trekkspillet å åpne uten å lukke andre.','Multi-Expand'=>'Fler-utvid','Display this accordion as open on page load.'=>'Vis dette trekkspillet som åpent ved sidelastingen.','Open'=>'Åpne','Accordion'=>'Trekkspill','Restrict which files can be uploaded'=>'Begrens hvilke filer som kan lastes opp','File ID'=>'Fil-ID','File URL'=>'URL til fil','File Array'=>'Filrekke','Add File'=>'Legg til fil','No file selected'=>'Ingen fil valgt','File name'=>'Filnavn','Update File'=>'Oppdater fil','Edit File'=>'Rediger fil','Select File'=>'Velg fil','File'=>'Fil','Password'=>'Passord','Specify the value returned'=>'Angi returnert verdi','Use AJAX to lazy load choices?'=>'Bruk ajax for lat lastingsvalg?','Enter each default value on a new line'=>'Angi hver standardverdi på en ny linje','verbSelect'=>'Velg','Select2 JS load_failLoading failed'=>'Innlasting feilet','Select2 JS searchingSearching…'=>'Søker…','Select2 JS load_moreLoading more results…'=>'Laster flere resultat…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan kun velge %d elementer','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan kun velge 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Vennligst slett %d tegn','Select2 JS input_too_long_1Please delete 1 character'=>'Vennligst slett 1 tegn','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Vennligst angi %d eller flere tegn','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Vennligst angi 1 eller flere tegn','Select2 JS matches_0No matches found'=>'Ingen treff funnet','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultater er tilgjengelige, bruk opp- og nedpiltaster for å navigere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ett resultat er tilgjengelig, trykk enter for å velge det.','nounSelect'=>'Velg','User ID'=>'Bruker-ID','User Object'=>'Bruker-objekt','User Array'=>'Bruker-rekke','All user roles'=>'Alle brukerroller','Filter by Role'=>'Filtrer etter rolle','User'=>'Bruker','Separator'=>'Skille','Select Color'=>'Velg farge','Default'=>'Standard','Clear'=>'Fjern','Color Picker'=>'Fargevelger','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Velg','Date Time Picker JS closeTextDone'=>'Utført','Date Time Picker JS currentTextNow'=>'Nå','Date Time Picker JS timezoneTextTime Zone'=>'Tidssone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minutt','Date Time Picker JS hourTextHour'=>'Time','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Velg tid','Date Time Picker'=>'Datovelger','Endpoint'=>'Endepunkt','Left aligned'=>'Venstrejustert','Top aligned'=>'Toppjustert','Placement'=>'Plassering','Tab'=>'Fane','Value must be a valid URL'=>'Verdien må være en gyldig URL','Link URL'=>'Lenke-URL','Link Array'=>'Lenkerekke','Opens in a new window/tab'=>'Åpnes i en ny fane','Select Link'=>'Velg lenke','Link'=>'Lenke','Email'=>'E-post','Step Size'=>'Trinnstørrelse','Maximum Value'=>'Maksimumsverdi','Minimum Value'=>'Minimumsverdi','Range'=>'Område','Both (Array)'=>'Begge (rekke)','Label'=>'Etikett','Value'=>'Verdi','Vertical'=>'Vertikal','Horizontal'=>'Horisontal','red : Red'=>'rød : Rød','For more control, you may specify both a value and label like this:'=>'For mer kontroll, kan du spesifisere både en verdi og en etikett som dette:','Enter each choice on a new line.'=>'Tast inn hvert valg på en ny linje.','Choices'=>'Valg','Button Group'=>'Knappegruppe','Allow Null'=>'Tillat null?','Parent'=>'Forelder','TinyMCE will not be initialized until field is clicked'=>'TinyMCE vil ikke bli initialisert før dette feltet er klikket','Delay Initialization'=>'Forsinke initialisering','Show Media Upload Buttons'=>'Vis opplastingsknapper for mediefiler','Toolbar'=>'Verktøylinje','Text Only'=>'Kun tekst','Visual Only'=>'Kun visuell','Visual & Text'=>'Visuell og tekst','Tabs'=>'Faner','Click to initialize TinyMCE'=>'Klikk for å initialisere TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visuell','Value must not exceed %d characters'=>'Verdi må ikke overstige %d tegn','Leave blank for no limit'=>'La være tom for ingen begrensning','Character Limit'=>'Tegnbegrensing','Appears after the input'=>'Vises etter input','Append'=>'Tilføy','Appears before the input'=>'Vises før input','Prepend'=>'Legg til foran','Appears within the input'=>'Vises innenfor input','Placeholder Text'=>'Plassholder-tekst','Appears when creating a new post'=>'Vises når nytt innlegg lages','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s krever minst %2$s valgt' . "\0" . '%1$s krever minst %2$s valgte','Post ID'=>'Innleggs-ID','Post Object'=>'Innleggsobjekt','Maximum Posts'=>'Maksimum antall innlegg','Minimum Posts'=>'Minimum antall innlegg','Featured Image'=>'Fremhevet bilde','Selected elements will be displayed in each result'=>'Valgte elementer vil bli vist for hvert resultat','Elements'=>'Elementer','Taxonomy'=>'Taksonomi','Post Type'=>'Innholdstype','Filters'=>'Filtre','All taxonomies'=>'Alle taksonomier','Filter by Taxonomy'=>'Filtrer etter taksonomi','All post types'=>'Alle innholdstyper','Filter by Post Type'=>'Filtrer etter innholdstype','Search...'=>'Søk...','Select taxonomy'=>'Velg taksonomi','Select post type'=>'Velg innholdstype','No matches found'=>'Ingen treff funnet','Loading'=>'Laster','Maximum values reached ( {max} values )'=>'Maksimal verdi nådd ( {max} verdier )','Relationship'=>'Forhold','Comma separated list. Leave blank for all types'=>'Kommaseparert liste. La være tom for alle typer','Allowed File Types'=>'Tillatte filtyper','Maximum'=>'Maksimum','File size'=>'Filstørrelse','Restrict which images can be uploaded'=>'Begrens hvilke bilder som kan lastes opp','Minimum'=>'Minimum','Uploaded to post'=>'Lastet opp til innlegget','All'=>'Alle','Limit the media library choice'=>'Begrens mediabibilotekutvalget','Library'=>'Bibliotek','Preview Size'=>'Forhåndsvis størrelse','Image ID'=>'Bilde-ID','Image URL'=>'Bilde-URL','Image Array'=>'Bilderekke','Specify the returned value on front end'=>'Angi den returnerte verdien på fremsiden','Return Value'=>'Returverdi','Add Image'=>'Legg til bilde','No image selected'=>'Intet bilde valgt','Remove'=>'Fjern','Edit'=>'Rediger','All images'=>'Alle bilder','Update Image'=>'Oppdater bilde','Edit Image'=>'Rediger bilde','Select Image'=>'Velg bilde','Image'=>'Bilde','Allow HTML markup to display as visible text instead of rendering'=>'Tillat HTML-markering vises som synlig tekst i stedet for gjengivelse','Escape HTML'=>'Unnslipp HTML','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Legg automatisk til <br>','Automatically add paragraphs'=>'Legg til avsnitt automatisk','Controls how new lines are rendered'=>'Kontrollerer hvordan nye linjer er gjengitt','New Lines'=>'Nye linjer','Week Starts On'=>'Uken starter på','The format used when saving a value'=>'Formatet som er brukt ved lagring av verdi','Save Format'=>'Lagringsformat','Date Picker JS weekHeaderWk'=>'Uke','Date Picker JS prevTextPrev'=>'Forrige','Date Picker JS nextTextNext'=>'Neste','Date Picker JS currentTextToday'=>'I dag','Date Picker JS closeTextDone'=>'Ferdig','Date Picker'=>'Datovelger','Width'=>'Bredde','Embed Size'=>'Innbyggingsstørrelse','Enter URL'=>'Angi URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst vist når inaktiv','Off Text'=>'Tekst for av','Text shown when active'=>'Tekst vist når aktiv','On Text'=>'Tekst for på','Stylized UI'=>'Stilisert UI','Default Value'=>'Standardverdi','Displays text alongside the checkbox'=>'Viser tekst ved siden av avkrysingsboksen','Message'=>'Melding','No'=>'Nei','Yes'=>'Ja','True / False'=>'Sann / usann','Row'=>'Rad','Table'=>'Tabell','Block'=>'Blokk','Specify the style used to render the selected fields'=>'Spesifiser stil brukt til å gjengi valgte felt','Layout'=>'Oppsett','Sub Fields'=>'Underfelt','Group'=>'Gruppe','Customize the map height'=>'Egendefinerte karthøyde','Height'=>'Høyde','Set the initial zoom level'=>'Velg første zoomnivå','Zoom'=>'Forstørr','Center the initial map'=>'Sentrer det opprinnelige kartet','Center'=>'Midtstill','Search for address...'=>'Søk etter adresse...','Find current location'=>'Finn gjeldende plassering','Clear location'=>'Fjern plassering','Search'=>'Søk','Sorry, this browser does not support geolocation'=>'Beklager, denne nettleseren støtter ikke geolokalisering','Google Map'=>'Google Maps','The format returned via template functions'=>'Formatet returnert via malfunksjoner','Return Format'=>'Returformat','Custom:'=>'Egendefinert:','The format displayed when editing a post'=>'Format som vises når innlegg redigeres','Display Format'=>'Vist format','Time Picker'=>'Tidsvelger','Inactive (%s)'=>'Inaktiv (%s)' . "\0" . 'Inaktive (%s)','No Fields found in Trash'=>'Ingen felt funnet i papirkurven','No Fields found'=>'Ingen felter funnet','Search Fields'=>'Søk felt','View Field'=>'Vis felt','New Field'=>'Nytt felt','Edit Field'=>'Rediger felt','Add New Field'=>'Legg til nytt felt','Field'=>'Felt','Fields'=>'Felter','No Field Groups found in Trash'=>'Ingen feltgrupper funnet i papirkurven','No Field Groups found'=>'Ingen feltgrupper funnet','Search Field Groups'=>'Søk feltgrupper','View Field Group'=>'Vis feltgruppe','New Field Group'=>'Ny feltgruppe','Edit Field Group'=>'Rediger feltgruppe','Add New Field Group'=>'Legg til ny feltgruppe','Add New'=>'Legg til ny','Field Group'=>'Feltgruppe','Field Groups'=>'Feltgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Tilpass WordPress med kraftfulle, profesjonelle og intuitive felt','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Avanserte egendefinerte felt','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Options Updated'=>'Alternativer er oppdatert','Check Again'=>'Sjekk igjen','Publish'=>'Publiser','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Ingen egendefinerte feltgrupper funnet for denne valg-siden. Opprette en egendefinert feltgruppe','Error. Could not connect to update server'=>'Feil. Kan ikke koble til oppdateringsserveren','Select one or more fields you wish to clone'=>'Velg ett eller flere felt du ønsker å klone','Display'=>'Vis','Specify the style used to render the clone field'=>'Angi stil som brukes til å gjengi klone-feltet','Group (displays selected fields in a group within this field)'=>'Gruppe (viser valgt felt i en gruppe innenfor dette feltet)','Seamless (replaces this field with selected fields)'=>'Sømløs (erstatter dette feltet med utvalgte felter)','Labels will be displayed as %s'=>'Etiketter vises som %s','Prefix Field Labels'=>'Prefiks feltetiketter','Values will be saved as %s'=>'Verdier vil bli lagret som %s','Prefix Field Names'=>'Prefiks feltnavn','Unknown field'=>'Ukjent felt','Unknown field group'=>'Ukjent feltgruppe','All fields from %s field group'=>'Alle felt fra %s feltgruppe','Add Row'=>'Legg til rad','layout'=>'oppsett' . "\0" . 'oppsett','layouts'=>'oppsett','This field requires at least {min} {label} {identifier}'=>'Dette feltet krever minst {min} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tilgjengelig (maks {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} kreves (min {min})','Flexible Content requires at least 1 layout'=>'Fleksibelt innholdsfelt krever minst en layout','Click the "%s" button below to start creating your layout'=>'Klikk "%s"-knappen nedenfor for å begynne å lage oppsettet','Add layout'=>'Legg til oppsett','Remove layout'=>'Fjern oppsett','Click to toggle'=>'Klikk for å veksle','Delete Layout'=>'Slett oppsett','Duplicate Layout'=>'Dupliser oppsett','Add New Layout'=>'Legg til nytt oppsett','Add Layout'=>'Legg til oppsett','Min'=>'Minimum','Max'=>'Maksimum','Minimum Layouts'=>'Minimum oppsett','Maximum Layouts'=>'Maksimum oppsett','Button Label'=>'Knappetikett','Add Image to Gallery'=>'Legg bildet til galleri','Maximum selection reached'=>'Maksimalt utvalg nådd','Length'=>'Lengde','Caption'=>'Bildetekst','Alt Text'=>'Alternativ tekst','Add to gallery'=>'Legg til galleri','Bulk actions'=>'Massehandlinger','Sort by date uploaded'=>'Sorter etter dato lastet opp','Sort by date modified'=>'Sorter etter dato endret','Sort by title'=>'Sorter etter tittel','Reverse current order'=>'Snu gjeldende rekkefølge','Close'=>'Lukk','Minimum Selection'=>'Minimum antall valg','Maximum Selection'=>'Maksimum antall valg','Allowed file types'=>'Tillatte filtyper','Insert'=>'Sett inn','Specify where new attachments are added'=>'Angi hvor nye vedlegg er lagt','Append to the end'=>'Tilføy til slutten','Prepend to the beginning'=>'Sett inn foran','Minimum rows not reached ({min} rows)'=>'Minimum antall rader nådd ({min} rader)','Maximum rows reached ({max} rows)'=>'Maksimum antall rader nådd ({max} rader)','Minimum Rows'=>'Minimum antall rader','Maximum Rows'=>'Maksimum antall rader','Collapsed'=>'Sammenfoldet','Select a sub field to show when row is collapsed'=>'Velg et underfelt å vise når raden er skjult','Click to reorder'=>'Dra for å endre rekkefølge','Add row'=>'Legg til rad','Remove row'=>'Fjern rad','First Page'=>'Forside','Previous Page'=>'Innleggsside','Next Page'=>'Forside','Last Page'=>'Innleggsside','No options pages exist'=>'Ingen side for alternativer eksisterer','Deactivate License'=>'Deaktiver lisens','Activate License'=>'Aktiver lisens','License Information'=>'Lisensinformasjon','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'For å låse opp oppdateringer må lisensnøkkelen skrives inn under. Se detaljer og priser dersom du ikke har lisensnøkkel.','License Key'=>'Lisensnøkkel','Update Information'=>'Oppdateringsinformasjon','Current Version'=>'Gjeldende versjon','Latest Version'=>'Siste versjon','Update Available'=>'Oppdatering tilgjengelig','Upgrade Notice'=>'Oppgraderingsvarsel','Enter your license key to unlock updates'=>'Oppgi lisensnøkkelen ovenfor for låse opp oppdateringer','Update Plugin'=>'Oppdater plugin']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Finn ut mer','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF klarte ikke fullføre validering fordi den oppgitte noncen feilet verifiseringen.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF klarte ikke utføre validering fordi ingen nonce ble gitt av serveren.','are developed and maintained by'=>'er utviklet og vedlikeholdt av','Update Source'=>'Oppdater kilde','By default only admin users can edit this setting.'=>'Som standard kan bare administratorer redigere denne innstillingen.','By default only super admin users can edit this setting.'=>'Som standard kan bare superadministratorer redigere denne innstillingen.','Close and Add Field'=>'Lukk og legg til felt','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Lær mer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACFs kortkode kan ikke vise felter fra innlegg som ikke er offentlige]','[The ACF shortcode is disabled on this site]'=>'[ACFs kortkode er deaktivert på denne siden]','Businessman Icon'=>'Ikon for businessmann','Forums Icon'=>'Ikon for forum','YouTube Icon'=>'Ikon for YouTube','Yes (alt) Icon'=>'Ikon for ja (alternativ)','Xing Icon'=>'Ikon for Xing','WordPress (alt) Icon'=>'Ikon for WordPress (alternativ)','WhatsApp Icon'=>'Ikon for WhatsApp','Write Blog Icon'=>'Ikon for skriv blogg','Widgets Menus Icon'=>'Ikon for widgetmenyer','View Site Icon'=>'Ikon for vis side','Learn More Icon'=>'Ikon for lær mer','Add Page Icon'=>'Ikon for legg til side','Video (alt3) Icon'=>'Ikon for video (alternativ 3)','Video (alt2) Icon'=>'Ikon for video (alternativ 2)','Video (alt) Icon'=>'Ikon for video (alternativ)','Update (alt) Icon'=>'Ikon for oppdater (alternativ)','Universal Access (alt) Icon'=>'Ikon for universell tilgang (alternativ)','Twitter (alt) Icon'=>'Ikon for Twitter (alt)','Twitch Icon'=>'Ikon for Twitch','Tide Icon'=>'Ikon for Tide','Tickets (alt) Icon'=>'Ikon for billetter (alternativ)','Text Page Icon'=>'Ikon for tekstside','Table Row Delete Icon'=>'Ikon for slett tabellrad','Table Row Before Icon'=>'Ikon for tabellrad før','Table Row After Icon'=>'Ikon for tabellrad etter','Table Col Delete Icon'=>'Ikon for slett tabellkolonne','Table Col Before Icon'=>'Ikon for tabellkolonne før','Table Col After Icon'=>'Ikon for tabellkolonne etter','Superhero (alt) Icon'=>'Ikon for superhelt (alternativ)','Superhero Icon'=>'Ikon for superhelt','Spotify Icon'=>'Ikon for Spotify','Shortcode Icon'=>'Ikon for kortkode','Shield (alt) Icon'=>'Ikon for skjold (alternativ)','Share (alt2) Icon'=>'Ikon for del (alternativ 2)','Share (alt) Icon'=>'Ikon for del (alternativ)','Saved Icon'=>'Ikon for lagret','RSS Icon'=>'Ikon for RSS','REST API Icon'=>'Ikon for REST API','Remove Icon'=>'Ikon for fjern','Reddit Icon'=>'Ikon for Reddit','Privacy Icon'=>'Ikon for personvern','Printer Icon'=>'Ikon for skriver','Podio Icon'=>'Ikon for Podio','Plus (alt2) Icon'=>'Ikon for pluss (alternativ 2)','Plus (alt) Icon'=>'Ikon for pluss (alternativ)','Plugins Checked Icon'=>'Ikon for avmerkede utvidelser','Pinterest Icon'=>'Ikon for Pinterest','Pets Icon'=>'Ikon for kjæledyr','PDF Icon'=>'Ikon for PDF','Palm Tree Icon'=>'Ikon for palmetre','Open Folder Icon'=>'Ikon for åpne mappe','No (alt) Icon'=>'Ikon for nei (alternativ)','Money (alt) Icon'=>'Ikon for penger (alternativ)','Menu (alt3) Icon'=>'Ikon for meny (alternativ 3)','Menu (alt2) Icon'=>'Ikon for meny (alternativ 2)','Menu (alt) Icon'=>'Ikon for meny (alternativ)','Spreadsheet Icon'=>'Ikon for regneark','Interactive Icon'=>'Ikon for interaktiv','Document Icon'=>'Ikon for dokument','Default Icon'=>'Standardikon','Location (alt) Icon'=>'Ikon for lokasjon (alternativ)','LinkedIn Icon'=>'Ikon for LinkedIn','Instagram Icon'=>'Ikon for Instagram','Insert Before Icon'=>'Ikon for sett inn før','Insert After Icon'=>'Ikon for sett inn etter','Insert Icon'=>'Ikon for sett inn','Info Outline Icon'=>'Omrissikon for info','Images (alt2) Icon'=>'Ikon for bilder (alternativ 2)','Images (alt) Icon'=>'Ikon for bilder (alternativ)','Rotate Right Icon'=>'Ikon for roter høyre','Rotate Left Icon'=>'Ikon for roter venstre','Rotate Icon'=>'Ikon for roter','Flip Vertical Icon'=>'Ikon for vend vertikalt','Flip Horizontal Icon'=>'Ikon for vend horisontalt','Crop Icon'=>'Ikon for beskjær','ID (alt) Icon'=>'Ikon for ID (alternativ)','HTML Icon'=>'Ikon for HTML','Hourglass Icon'=>'Ikon for timeglass','Heading Icon'=>'Ikon for overskrift','Google Icon'=>'Ikon for Google','Games Icon'=>'Ikon for spill','Fullscreen Exit (alt) Icon'=>'Ikon for lukk fullskjerm (alternativ)','Fullscreen (alt) Icon'=>'Ikon for fullskjerm (alternativ)','Status Icon'=>'Ikon for status','Image Icon'=>'Ikon for bilde','Gallery Icon'=>'Ikon for galleri','Chat Icon'=>'Ikon for chat','Audio Icon'=>'Ikon for lyd','Aside Icon'=>'Ikon for notis','Food Icon'=>'Ikon for mat','Exit Icon'=>'Ikon for avslutt','Excerpt View Icon'=>'Ikon for vis utdrag','Embed Video Icon'=>'Ikon for bygg inn video','Embed Post Icon'=>'Ikon for bygg inn innlegg','Embed Photo Icon'=>'Ikon for bygg inn bilde','Embed Generic Icon'=>'Ikon for bygg inn','Embed Audio Icon'=>'Ikon for bygg inn lyd','Email (alt2) Icon'=>'Ikon for e-post (alternativ 2)','Ellipsis Icon'=>'Ikon for ellipse','Unordered List Icon'=>'Ikon for usortert liste','RTL Icon'=>'Ikon for høyre til venstre','Ordered List RTL Icon'=>'Ikon for sortert liste høyre til venstre','Ordered List Icon'=>'Ikon for sortert liste','LTR Icon'=>'Ikon for venstre til høyre','Custom Character Icon'=>'Ikon for tilpasset karakter','Edit Page Icon'=>'Ikon for rediger side','Edit Large Icon'=>'Stort ikon for rediger','Drumstick Icon'=>'Ikon for trommestikker','Database View Icon'=>'Ikon for vis database','Database Remove Icon'=>'Ikon for fjern database','Database Import Icon'=>'Ikon for importer database','Database Export Icon'=>'Ikon for eksporter database','Database Add Icon'=>'Ikon for legg til database','Database Icon'=>'Ikon for database','Cover Image Icon'=>'Ikon for omslagsbilde','Volume On Icon'=>'Ikon for volum på','Volume Off Icon'=>'Ikon for volum av','Skip Forward Icon'=>'Ikon for hopp fremover','Skip Back Icon'=>'Ikon for hopp tilbake','Repeat Icon'=>'Ikon for gjenta','Play Icon'=>'Ikon for spill av','Pause Icon'=>'Ikon for pause','Forward Icon'=>'Ikon for fremover','Back Icon'=>'Ikon for bakover','Columns Icon'=>'Ikon for kolonner','Color Picker Icon'=>'Ikon for fargevelger','Coffee Icon'=>'Ikon for kaffe','Code Standards Icon'=>'Ikon for kodestandarder','Cloud Upload Icon'=>'Ikon for skyopplasting','Cloud Saved Icon'=>'Ikon for skylagret','Car Icon'=>'Ikon for bil','Camera (alt) Icon'=>'Ikon for kamera (alternativ)','Calculator Icon'=>'Ikon for kalkulator','Button Icon'=>'Ikon for knapp','Businessperson Icon'=>'Ikon for businessperson','Tracking Icon'=>'Ikon for sporing','Topics Icon'=>'Ikon for emner','Replies Icon'=>'Ikon for svar','PM Icon'=>'Ikon for privat melding','Friends Icon'=>'Ikon for venner','Community Icon'=>'Ikon for samfunn','BuddyPress Icon'=>'Ikon for BuddyPress','bbPress Icon'=>'Ikon for bbPress','Activity Icon'=>'Ikon for aktivitet','Book (alt) Icon'=>'Ikon for bok (alternativ)','Block Default Icon'=>'Ikon for standardblokk','Bell Icon'=>'Ikon for bjelle','Beer Icon'=>'Ikon for øl','Bank Icon'=>'Ikon for bank','Arrow Up (alt2) Icon'=>'Ikon for pil opp (alternativ 2)','Arrow Up (alt) Icon'=>'Ikon for pil opp (alternativ)','Arrow Right (alt2) Icon'=>'Ikon for pil høyre (alternativ 2)','Arrow Right (alt) Icon'=>'Ikon for pil høyre (alternativ)','Arrow Left (alt2) Icon'=>'Ikon for pil venstre (alternativ 2)','Arrow Left (alt) Icon'=>'Ikon for venstre pil (alternativ)','Arrow Down (alt2) Icon'=>'Ikon for pil ned (alternativ 2)','Arrow Down (alt) Icon'=>'Ikon for pil ned (alternativ)','Amazon Icon'=>'Ikon for Amazon','Align Wide Icon'=>'Ikon for bred justering','Align Pull Right Icon'=>'Ikon for trekk høyre','Align Pull Left Icon'=>'Ikon for trekk venstre','Align Full Width Icon'=>'Ikon for justering til full bredde','Airplane Icon'=>'Ikon for fly','Site (alt3) Icon'=>'Ikon for side (alternativ 3)','Site (alt2) Icon'=>'Ikon for side (alternativ 2)','Site (alt) Icon'=>'Ikon for side (alternativ)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Oppgrader til ACF PRO for å opprette innstillinger-sider med bare noen få klikk.','Invalid request args.'=>'Ugyldige argumenter for forespørsel.','Sorry, you do not have permission to do that.'=>'Beklager, du har ikke rettigheter til å gjøre det.','Blocks Using Post Meta'=>'','ACF PRO logo'=>'Logo for ACF PRO','ACF PRO Logo'=>'Logo for ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'Ikon for ja','WordPress Icon'=>'Ikon for WordPress','Warning Icon'=>'Ikon for advarsel','Visibility Icon'=>'Ikon for synlighet','Vault Icon'=>'Ikon for hvelv','Upload Icon'=>'Ikon for opplasting','Update Icon'=>'Ikon for oppdatering','Unlock Icon'=>'Ikon for opplåsing','Universal Access Icon'=>'Ikon for universell tilgang','Undo Icon'=>'Ikon for angre','Twitter Icon'=>'Ikon for Twitter','Trash Icon'=>'Ikon for papirkurv','Translation Icon'=>'Ikon for oversettelse','Tickets Icon'=>'Ikon for billetter','Thumbs Up Icon'=>'Ikon for tommel opp','Thumbs Down Icon'=>'Ikon for tommel ned','Text Icon'=>'Ikon for tekst','Testimonial Icon'=>'Ikon for anmeldelse','Tagcloud Icon'=>'Ikon for stikkordsky','Tag Icon'=>'Ikon for stikkord','Tablet Icon'=>'Ikon for nettbrett','Store Icon'=>'Ikon for butikk','Sticky Icon'=>'Ikon for klistret','Star Half Icon'=>'Ikon for halv stjerne','Star Filled Icon'=>'Ikon for hel stjerne','Star Empty Icon'=>'Ikon for tom stjerne','Sos Icon'=>'Ikon for SOS','Sort Icon'=>'Ikon for sortering','Smiley Icon'=>'Ikon for smilefjes','Smartphone Icon'=>'Ikon for smarttelefon','Slides Icon'=>'Ikon for lysbilder','Shield Icon'=>'Ikon for skjold','Share Icon'=>'Ikon for deling','Search Icon'=>'Ikon for søk','Screen Options Icon'=>'Ikon for Visningsinnstillinger','Schedule Icon'=>'Ikon for planlegg','Redo Icon'=>'Ikon for omgjør','Randomize Icon'=>'Ikon for tilfeldig','Products Icon'=>'Ikon for produkter','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-felter','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'Plassholder for tittel','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'Dupliser innleggstype','Create post type'=>'Opprett innleggstype','Link field groups'=>'','Add fields'=>'Legg til felter','This Field'=>'Dette feltet','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'Ingen innholdstyper','No posts'=>'Ingen innlegg','No taxonomies'=>'Ingen taksonomier','No field groups'=>'Ingen feltgrupper','No fields'=>'Ingen felter','No description'=>'Ingen beskrivelse','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'Fant ingen innleggstyper i papirkurven','No Post Types found'=>'Fant ingen innleggstyper','Search Post Types'=>'Søk innleggstyper','View Post Type'=>'Vis innleggstype','New Post Type'=>'Ny innleggstype','Edit Post Type'=>'Rediger innleggstype','Add New Post Type'=>'Legg til ny innleggstype','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Nøkken til denne innleggstypen eller allerede i bruk av en annen innleggstype registrert utenfor ACF og kan ikke brukes.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Nøkkelen til denne innleggstypen er allerede i bruk av en annen innleggstype i ACF og kan ikke brukes.','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Klone','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'Legg til innleggstype','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'Legg til din første innleggstype','I know what I\'m doing, show me all the options.'=>'Jeg vet hva jeg gjør, vis meg alle valg.','Advanced Configuration'=>'Avansert konfigurasjon','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'Offentlig','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'Film','Singular Label'=>'Merkelapp for entall','Movies'=>'Filmer','Plural Label'=>'Merkelapp for flertall','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'Sideinndeling','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'Tilpasset permalenke','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'Sletter elementer av en bruker når denne brukeren slettes.','Delete With User'=>'Slett med bruker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Gjør det mulig å eksportere innleggstypen fra Verktøy > Eksporter.','Can Export'=>'Kan eksporteres','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'Utelat fra søk','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'Menyikon','The position in the sidebar menu in the admin dashboard.'=>'Plassering i sidemenyen i kontrollpanelet.','Menu Position'=>'Menyplassering','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'Nytt innlegg','New Item'=>'Nytt element','New %s'=>'Ny %s','Add New Post'=>'Legg til nytt innlegg','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'Legg til nytt element','Add New %s'=>'Legg til ny %s','View Posts'=>'Vis innlegg','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Vis elementer','View Post'=>'Se innlegg','In the admin bar to view item when editing it.'=>'','View Item'=>'Vis element','View %s'=>'Vis %s','Edit Post'=>'Rediger innlegg','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'Alle innlegg','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'Eksporter','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'Avanserte innstillinger','Basic Settings'=>'Grunnleggende Innstillinger','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'Sider','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'Innleggstype lagret.','Post type updated.'=>'Innleggstype oppdatert.','Post type deleted.'=>'Innleggstype slettet.','Type to search...'=>'Skriv for å søke...','PRO Only'=>'Bare i PRO','Field groups linked successfully.'=>'Feltgrupper ble koblet sammen.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'taksonomi','post type'=>'innleggstype','Done'=>'Ferdig','Field Group(s)'=>'Feltgruppe(r)','Select one or many field groups...'=>'Velg en eller flere feltgrupper...','Please select the field groups to link.'=>'Velg feltgrupper du vil koble sammen.','Field group linked successfully.'=>'Feltgruppe koblet sammen.' . "\0" . 'Feltgrupper koblet sammen.','post statusRegistration Failed'=>'Kunne ikke registrere','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dette elementet kunne ikke registrered fordi nøkkelen er allerede i bruk av et annet element registrert av en annen utvidelse eller tema.','REST API'=>'REST API','Permissions'=>'Rettigheter','URLs'=>'Adresser','Visibility'=>'Synlighet','Labels'=>'Etiketter','Field Settings Tabs'=>'Faner for feltinnstillinger','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Verdien for ACF-kortkoden vises ikke i forhåndsvisning]','Close Modal'=>'Lukk modal','Field moved to other group'=>'Felt flyttet til annen gruppe','Close modal'=>'Lukk modal','Start a new group of tabs at this tab.'=>'Begynn en ny grupe faner ved denne fanen.','New Tab Group'=>'Ny fanegruppe','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'Lagre annet valg','Allow Other Choice'=>'Tillat andre valg','Add Toggle All'=>'Legg til veksle alle','Save Custom Values'=>'Lagee tilpassede verdier','Allow Custom Values'=>'Tilllat tilpassede verdier','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Oppdateringer','Advanced Custom Fields logo'=>'Logo for Avanserte egendefinerte felter','Save Changes'=>'Lagre endringer','Field Group Title'=>'Tittel for feltgruppe','Add title'=>'Legg til tittel','New to ACF? Take a look at our getting started guide.'=>'Er du ny med ACF? Ta en kikk på vår hurtigstart','Add Field Group'=>'Legg til feltgruppe','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF bruker feltgrupper for å gruppere egendefinerte felter sammen og så kobler sammen de feltene på redigeringsbildene.','Add Your First Field Group'=>'Legg til din første feltgruppe','Options Pages'=>'Sider for innstillinger','ACF Blocks'=>'ACF-blokker','Gallery Field'=>'Gallerifelt','Flexible Content Field'=>'Felksibelt innholdsfelt','Repeater Field'=>'Gjentakende felt','Unlock Extra Features with ACF PRO'=>'Lås opp ekstra funksjoner med ACF PRO','Delete Field Group'=>'Slett feltgruppe','Created on %1$s at %2$s'=>'Opprettet %1$s kl %2$s','Group Settings'=>'Gruppeinnstillinger','Location Rules'=>'Lokasjonsregler','Choose from over 30 field types. Learn more.'=>'Velg blant over 30 felttyper. Lær mer.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Kom i gang med å opprette nye egendefinerte felter for dine innlegg, sider, egne innleggstyper og annet WordPress-innhold.','Add Your First Field'=>'Legg til ditt første felt','#'=>'#','Add Field'=>'Legg til felt','Presentation'=>'Presentasjon','Validation'=>'Validering','General'=>'Generelt','Import JSON'=>'Importer JSON','Export As JSON'=>'Eksporter som JSON','Field group deactivated.'=>'Feltgruppe deaktivert.' . "\0" . '%s feltgrupper deaktivert.','Field group activated.'=>'Feltgruppe aktivert' . "\0" . '%s feltgrupper aktivert.','Deactivate'=>'Deaktiver','Deactivate this item'=>'Deaktiver dette elementet','Activate'=>'Aktiver','Activate this item'=>'Aktiver dette elementet','Move field group to trash?'=>'Flytte feltgruppe til papirkurven?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields og Advanced Custom Fields PRO bør ikke være aktiverte samtidig. Vi har automatisk deaktivert Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields og Advanced Custom Fields PRO bør ikke være aktiverte samtidig. Vi har automatisk deaktivert Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'%1$s må ha en bruker med rollen %2$s.' . "\0" . '%1$s må ha en bruker med en av følgende roller: %2$s','%1$s must have a valid user ID.'=>'%1$s må ha en gyldig bruker-ID.','Invalid request.'=>'Ugyldig forespørsel.','%1$s is not one of %2$s'=>'%1$s er ikke en av %2$s','%1$s must have term %2$s.'=>'%1$s må ha termen %2$s.' . "\0" . '%1$s må ha én av følgende termer: %2$s','%1$s must be of post type %2$s.'=>'%1$s må være av innleggstypen %2$s.' . "\0" . '%1$s må være en av følgende innleggstyper: %2$s','%1$s must have a valid post ID.'=>'%1$s må ha en gyldig innlegg-ID.','%s requires a valid attachment ID.'=>'%s må ha en gyldig vedlegg-ID.','Show in REST API'=>'Vise i REST API','Enable Transparency'=>'Aktiver gjennomsiktighet','RGBA Array'=>'RGBA-array','RGBA String'=>'RGBA-streng','Hex String'=>'Hex-streng','Upgrade to PRO'=>'Oppgrader til Pro','post statusActive'=>'Aktiv','\'%s\' is not a valid email address'=>'\'%s\' er ikke en gyldig e-postadresse.','Color value'=>'Fargeverdi','Select default color'=>'Velg standardfarge','Clear color'=>'Fjern farge','Blocks'=>'Blokker','Options'=>'Alternativer','Users'=>'Brukere','Menu items'=>'Menyelementer','Widgets'=>'Widgeter','Attachments'=>'Vedlegg','Taxonomies'=>'Taksonomier','Posts'=>'Innlegg','Last updated: %s'=>'Sist oppdatert: %s','Sorry, this post is unavailable for diff comparison.'=>'Beklager, dette innlegget kan ikke sjekkes for forskjeller.','Invalid field group parameter(s).'=>'Ugyldige parametere for feltgruppe.','Awaiting save'=>'Venter på lagring','Saved'=>'Lagret','Import'=>'Importer','Review changes'=>'Gjennomgå endringer','Located in: %s'=>'Plassert i: %s','Located in plugin: %s'=>'Plassert i utvidelse: %s','Located in theme: %s'=>'Plassert i tema: %s','Various'=>'Forskjellig','Sync changes'=>'Synkroniseringsendringer','Loading diff'=>'Laster diff','Review local JSON changes'=>'Se over lokale endinger for JSON','Visit website'=>'Besøk nettsted','View details'=>'Vis detaljer','Version %s'=>'Versjon %s','Information'=>'Informasjon','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'Hjelp og brukerstøtte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'Oversikt','Location type "%s" is already registered.'=>'Lokasjonstypen "%s" er allerede registrert.','Class "%s" does not exist.'=>'Klassen "%s" finnes ikke.','Invalid nonce.'=>'Ugyldig engangskode.','Error loading field.'=>'Feil ved lasting av felt.','Error: %s'=>'Feil: %s','Widget'=>'Widget','User Role'=>'Brukerrolle','Comment'=>'Kommentar','Post Format'=>'Innleggsformat','Menu Item'=>'Menypunkt','Post Status'=>'Innleggsstatus','Menus'=>'Menyer','Menu Locations'=>'Menylokasjoner','Menu'=>'Meny','Post Taxonomy'=>'Innleggs Taksanomi','Child Page (has parent)'=>'Underside (har forelder)','Parent Page (has children)'=>'Forelderside (har undersider)','Top Level Page (no parent)'=>'Toppnivåside (ingen forelder)','Posts Page'=>'Innleggsside','Front Page'=>'Forside','Page Type'=>'Sidetype','Viewing back end'=>'Viser baksiden','Viewing front end'=>'Viser fremsiden','Logged in'=>'Innlogget','Current User'=>'Nåværende Bruker','Page Template'=>'Sidemal','Register'=>'Registrer','Add / Edit'=>'Legg til / Endre','User Form'=>'Brukerskjema','Page Parent'=>'Sideforelder','Super Admin'=>'Superadmin','Current User Role'=>'Nåværende Brukerrolle','Default Template'=>'Standardmal','Post Template'=>'Innleggsmal','Post Category'=>'Innleggskategori','All %s formats'=>'Alle %s-formater','Attachment'=>'Vedlegg','%s value is required'=>'%s verdi er påkrevd','Show this field if'=>'Vis dette feltet hvis','Conditional Logic'=>'Betinget logikk','and'=>'og','Local JSON'=>'Lokal JSON','Clone Field'=>'Klonefelt','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Vennligst sjekk at alle premium-tillegg (%s) er oppdatert til siste versjon.','This version contains improvements to your database and requires an upgrade.'=>'Denne versjonen inneholder forbedringer til din database, og krever en oppgradering.','Thank you for updating to %1$s v%2$s!'=>'Takk for at du oppgraderer til %1$s v%2$s!','Database Upgrade Required'=>'Oppdatering av database er påkrevd','Options Page'=>'Side for alternativer','Gallery'=>'Galleri','Flexible Content'=>'Fleksibelt Innhold','Repeater'=>'Gjentaker','Back to all tools'=>'Tilbake til alle verktøy','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)'=>'Om flere feltgrupper kommer på samme redigeringsskjerm, vil den første gruppens innstillinger bli brukt (den med laveste rekkefølgenummer)','Select items to hide them from the edit screen.'=>'Velg elementer for å skjule dem på redigeringsskjermen.','Hide on screen'=>'Skjul på skjerm','Send Trackbacks'=>'Send tilbakesporinger','Tags'=>'Stikkord','Categories'=>'Kategorier','Page Attributes'=>'Sideattributter','Format'=>'Format','Author'=>'Forfatter','Slug'=>'Identifikator','Revisions'=>'Revisjoner','Comments'=>'Kommentarer','Discussion'=>'Diskusjon','Excerpt'=>'Utdrag','Content Editor'=>'Redigeringverktøy for innhold','Permalink'=>'Permalenke','Shown in field group list'=>'Vist i feltgruppeliste','Field groups with a lower order will appear first'=>'Feltgrupper med en lavere rekkefølge vil vises først','Order No.'=>'Rekkefølgenr','Below fields'=>'Under felter','Below labels'=>'Under etiketter','Instruction Placement'=>'Instruksjonsplassering','Label Placement'=>'Etikettplassering','Side'=>'Sideordnet','Normal (after content)'=>'Normal (etter innhold)','High (after title)'=>'Høy (etter tittel)','Position'=>'Posisjon','Seamless (no metabox)'=>'Sømløs (ingen metaboks)','Standard (WP metabox)'=>'Standard (WP metaboks)','Style'=>'Stil','Type'=>'Type','Key'=>'Nøkkel','Order'=>'Rekkefølge','Close Field'=>'Stengt felt','id'=>'id','class'=>'klasse','width'=>'bredde','Wrapper Attributes'=>'Attributter for innpakning','Required'=>'Obligatorisk','Instructions'=>'Instruksjoner','Field Type'=>'Felttype','Single word, no spaces. Underscores and dashes allowed'=>'Enkelt ord, ingen mellomrom. Understrekning og bindestreker tillatt','Field Name'=>'Feltnavn','This is the name which will appear on the EDIT page'=>'Dette er navnet som vil vises på redigeringssiden','Field Label'=>'Feltetikett','Delete'=>'Slett','Delete field'=>'Slett felt','Move'=>'Flytt','Move field to another group'=>'Flytt felt til annen gruppe','Duplicate field'=>'Dupliser felt','Edit field'=>'Rediger felt','Drag to reorder'=>'Dra for å endre rekkefølge','Show this field group if'=>'Vis denne feltgruppen hvis','No updates available.'=>'Ingen oppdateringer tilgjengelig.','Database upgrade complete. See what\'s new'=>'Oppgradering av database fullført. Se hva som er nytt','Reading upgrade tasks...'=>'Leser oppgraderingsoppgaver...','Upgrade failed.'=>'Oppgradering milsyktes.','Upgrade complete.'=>'Oppgradering fullført.','Upgrading data to version %s'=>'Oppgraderer data til versjon %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det er sterkt anbefalt at du sikkerhetskopierer databasen før du fortsetter. Er du sikker på at du vil kjøre oppdateringen nå?','Please select at least one site to upgrade.'=>'Vennligst velg minst ett nettsted å oppgradere.','Database Upgrade complete. Return to network dashboard'=>'Databaseoppgradering fullført. Tilbake til kontrollpanelet for nettverket','Site is up to date'=>'Nettstedet er oppdatert','Site requires database upgrade from %1$s to %2$s'=>'Nettstedet krever databaseoppgradering fra %1$s til %2$s','Site'=>'Nettsted','Upgrade Sites'=>'Oppgrader nettsteder','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Følgende nettsteder krever en DB-oppgradering. Kryss av for de du ønsker å oppgradere og klikk så %s.','Add rule group'=>'Legg til regelgruppe','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Lag et sett regler for å bestemme hvilke skjermer som skal bruke disse avanserte egendefinerte feltene','Rules'=>'Regler','Copied'=>'Kopiert','Copy to clipboard'=>'Kopier til utklippstavle','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Velg de feltgruppene du ønsker å eksportere og velgs så din eksportmetode. Eksporter som JSON til en json-fil som du senere kan importere til en annen ACF-installasjon. Bruk Generer PHP-knappen til å eksportere til PHP-kode som du kan sette inn i ditt tema.','Select Field Groups'=>'Velg feltgrupper','No field groups selected'=>'Ingen feltgrupper valgt','Generate PHP'=>'Generer PHP','Export Field Groups'=>'Eksporter feltgrupper','Import file empty'=>'Importfil tom','Incorrect file type'=>'Feil filtype','Error uploading file. Please try again'=>'Filopplastingsfeil. Vennligst forsøk på nytt','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Velg den ACF JSON-fil du ønsker å importere. Når du klikker på import-knappen nedenfor vil ACF importere elementene i den filen.','Import Field Groups'=>'Importer feltgrupper','Sync'=>'Synk','Select %s'=>'Velg %s','Duplicate'=>'Dupliser','Duplicate this item'=>'Dupliser dette elementet','Supports'=>'Brukerstøtte','Documentation'=>'Dokumentasjon','Description'=>'Beskrivelse','Sync available'=>'Synk tilgjengelig','Field group synchronized.'=>'Feltgruppe synkronisert.' . "\0" . '%s feltgrupper synkronisert.','Field group duplicated.'=>'Feltgruppe duplisert' . "\0" . '%s feltgrupper duplisert.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktive(%s)','Review sites & upgrade'=>'Gjennomgå nettsteder og oppgrader','Upgrade Database'=>'Oppgrader database','Custom Fields'=>'Egendefinerte felt','Move Field'=>'Flytt felt','Please select the destination for this field'=>'Vennligst velg destinasjon for dette feltet','The %1$s field can now be found in the %2$s field group'=>'%1$s feltet kan nå bli funnet i feltgruppen %2$s','Move Complete.'=>'Flytting fullført.','Active'=>'Aktiv','Field Keys'=>'Feltnøkler','Settings'=>'Innstillinger','Location'=>'Plassering','Null'=>'Null','copy'=>'kopi','(this field)'=>'(dette feltet)','Checked'=>'Avkrysset','Move Custom Field'=>'Flytt egendefinert felt','No toggle fields available'=>'Ingen vekslefelt er tilgjengelige','Field group title is required'=>'Feltgruppetittel er obligatorisk','This field cannot be moved until its changes have been saved'=>'Dette feltet kan ikke flyttes før endringene har blitt lagret','The string "field_" may not be used at the start of a field name'=>'Strengen "field_" kan ikke brukes i starten på et feltnavn','Field group draft updated.'=>'Kladd for feltgruppe oppdatert.','Field group scheduled for.'=>'Feltgruppe planlagt til.','Field group submitted.'=>'Feltgruppe innsendt.','Field group saved.'=>'Feltgruppe lagret','Field group published.'=>'Feltgruppe publisert.','Field group deleted.'=>'Feltgruppe slettet.','Field group updated.'=>'Feltgruppe oppdatert.','Tools'=>'Verktøy','is not equal to'=>'er ikke lik til','is equal to'=>'er lik','Forms'=>'Skjema','Page'=>'Side','Post'=>'Innlegg','Relational'=>'Relasjonell','Choice'=>'Valg','Basic'=>'Grunnleggende','Unknown'=>'Ukjent','Field type does not exist'=>'Felttype eksisterer ikke','Spam Detected'=>'Spam oppdaget','Post updated'=>'Innlegg oppdatert','Update'=>'Oppdater','Validate Email'=>'Valider e-post','Content'=>'Innhold','Title'=>'Tittel','Edit field group'=>'Rediger feltgruppe','Selection is less than'=>'Valget er mindre enn','Selection is greater than'=>'Valget er større enn','Value is less than'=>'Verdi er mindre enn','Value is greater than'=>'Verdi er større enn','Value contains'=>'Verdi inneholder','Value matches pattern'=>'Verdi passer til mønster','Value is not equal to'=>'Verdi er ikke lik ','Value is equal to'=>'Verdi er lik','Has no value'=>'Har ingen verdi','Has any value'=>'Har en verdi','Cancel'=>'Avbryt','Are you sure?'=>'Er du sikker?','%d fields require attention'=>'%d felt krever oppmerksomhet','1 field requires attention'=>'1 felt krever oppmerksomhet','Validation failed'=>'Validering feilet','Validation successful'=>'Validering vellykket','Restricted'=>'Begrenset','Collapse Details'=>'Trekk sammen detaljer','Expand Details'=>'Utvid detaljer','Uploaded to this post'=>'Lastet opp til dette innlegget','verbUpdate'=>'Oppdater','verbEdit'=>'Rediger','The changes you made will be lost if you navigate away from this page'=>'Endringene du har gjort vil gå tapt om du navigerer bort fra denne siden.','File type must be %s.'=>'Filtype må være %s.','or'=>'eller','File size must not exceed %s.'=>'Filstørrelsen må ikke overstige %s.','File size must be at least %s.'=>'Filstørrelse må minst være %s.','Image height must not exceed %dpx.'=>'Bildehøyde må ikke overstige %dpx.','Image height must be at least %dpx.'=>'Bildehøyde må være minst %dpx.','Image width must not exceed %dpx.'=>'Bildebredde må ikke overstige %dpx.','Image width must be at least %dpx.'=>'Bildebredde må være minst %dpx.','(no title)'=>'(ingen tittel)','Full Size'=>'Full størrelse','Large'=>'Stor','Medium'=>'Middels','Thumbnail'=>'Miniatyrbilde','(no label)'=>'(ingen etikett)','Sets the textarea height'=>'Setter høyde på tekstområde','Rows'=>'Rader','Text Area'=>'Tekstområde','Prepend an extra checkbox to toggle all choices'=>'Legg en ekstra avkryssningsboks foran for å veksle alle valg ','Save \'custom\' values to the field\'s choices'=>'Lagre "egendefinerte" verdier til feltvalg','Allow \'custom\' values to be added'=>'Tillat \'egendefinerte\' verdier til å bli lagt til','Add new choice'=>'Legg til nytt valg','Toggle All'=>'Veksle alle','Allow Archives URLs'=>'Tillat arkiv-URLer','Archives'=>'Arkiv','Page Link'=>'Sidelenke','Add'=>'Legg til ','Name'=>'Navn','%s added'=>'%s lagt til','%s already exists'=>'%s finnes allerede','User unable to add new %s'=>'Bruker kan ikke legge til ny %s','Term ID'=>'Term-ID','Term Object'=>'Term-objekt','Load value from posts terms'=>'Last verdi fra innleggstermer','Load Terms'=>'Last termer','Connect selected terms to the post'=>'Koble valgte termer til innlegget','Save Terms'=>'Lagre termer','Allow new terms to be created whilst editing'=>'Tillat at nye termer legges til ved redigering','Create Terms'=>'Lag termer','Radio Buttons'=>'Radioknapper','Single Value'=>'Enkeltverdi','Multi Select'=>'Flervalg','Checkbox'=>'Avkrysningsboks','Multiple Values'=>'Flere verdier','Select the appearance of this field'=>'Velg visning av dette feltet','Appearance'=>'Utseende','Select the taxonomy to be displayed'=>'Velg taksonomi som skal vises','No TermsNo %s'=>'Ingen %s','Value must be equal to or lower than %d'=>'Verdi må være lik eller lavere enn %d','Value must be equal to or higher than %d'=>'Verdi må være lik eller høyere enn %d','Value must be a number'=>'Verdi må være et tall','Number'=>'Tall','Save \'other\' values to the field\'s choices'=>'Lagre "andre" verdier til feltets valg','Add \'other\' choice to allow for custom values'=>'Legg "andre"-valget for å tillate egendefinerte verdier','Other'=>'Andre','Radio Button'=>'Radioknapp','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definer et endepunkt å stanse for det forrige trekkspillet. Dette trekkspillet vil ikke være synlig.','Allow this accordion to open without closing others.'=>'Tillat dette trekkspillet å åpne uten å lukke andre.','Multi-Expand'=>'Fler-utvid','Display this accordion as open on page load.'=>'Vis dette trekkspillet som åpent ved sidelastingen.','Open'=>'Åpne','Accordion'=>'Trekkspill','Restrict which files can be uploaded'=>'Begrens hvilke filer som kan lastes opp','File ID'=>'Fil-ID','File URL'=>'URL til fil','File Array'=>'Filrekke','Add File'=>'Legg til fil','No file selected'=>'Ingen fil valgt','File name'=>'Filnavn','Update File'=>'Oppdater fil','Edit File'=>'Rediger fil','Select File'=>'Velg fil','File'=>'Fil','Password'=>'Passord','Specify the value returned'=>'Angi returnert verdi','Use AJAX to lazy load choices?'=>'Bruk ajax for lat lastingsvalg?','Enter each default value on a new line'=>'Angi hver standardverdi på en ny linje','verbSelect'=>'Velg','Select2 JS load_failLoading failed'=>'Innlasting feilet','Select2 JS searchingSearching…'=>'Søker…','Select2 JS load_moreLoading more results…'=>'Laster flere resultat…','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan kun velge %d elementer','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan kun velge 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Vennligst slett %d tegn','Select2 JS input_too_long_1Please delete 1 character'=>'Vennligst slett 1 tegn','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Vennligst angi %d eller flere tegn','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Vennligst angi 1 eller flere tegn','Select2 JS matches_0No matches found'=>'Ingen treff funnet','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultater er tilgjengelige, bruk opp- og nedpiltaster for å navigere.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ett resultat er tilgjengelig, trykk enter for å velge det.','nounSelect'=>'Velg','User ID'=>'Bruker-ID','User Object'=>'Bruker-objekt','User Array'=>'Bruker-rekke','All user roles'=>'Alle brukerroller','Filter by Role'=>'Filtrer etter rolle','User'=>'Bruker','Separator'=>'Skille','Select Color'=>'Velg farge','Default'=>'Standard','Clear'=>'Fjern','Color Picker'=>'Fargevelger','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Velg','Date Time Picker JS closeTextDone'=>'Utført','Date Time Picker JS currentTextNow'=>'Nå','Date Time Picker JS timezoneTextTime Zone'=>'Tidssone','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minutt','Date Time Picker JS hourTextHour'=>'Time','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Velg tid','Date Time Picker'=>'Datovelger','Endpoint'=>'Endepunkt','Left aligned'=>'Venstrejustert','Top aligned'=>'Toppjustert','Placement'=>'Plassering','Tab'=>'Fane','Value must be a valid URL'=>'Verdien må være en gyldig URL','Link URL'=>'Lenke-URL','Link Array'=>'Lenkerekke','Opens in a new window/tab'=>'Åpnes i en ny fane','Select Link'=>'Velg lenke','Link'=>'Lenke','Email'=>'E-post','Step Size'=>'Trinnstørrelse','Maximum Value'=>'Maksimumsverdi','Minimum Value'=>'Minimumsverdi','Range'=>'Område','Both (Array)'=>'Begge (rekke)','Label'=>'Etikett','Value'=>'Verdi','Vertical'=>'Vertikal','Horizontal'=>'Horisontal','red : Red'=>'rød : Rød','For more control, you may specify both a value and label like this:'=>'For mer kontroll, kan du spesifisere både en verdi og en etikett som dette:','Enter each choice on a new line.'=>'Tast inn hvert valg på en ny linje.','Choices'=>'Valg','Button Group'=>'Knappegruppe','Allow Null'=>'Tillat null?','Parent'=>'Forelder','TinyMCE will not be initialized until field is clicked'=>'TinyMCE vil ikke bli initialisert før dette feltet er klikket','Delay Initialization'=>'Forsinke initialisering','Show Media Upload Buttons'=>'Vis opplastingsknapper for mediefiler','Toolbar'=>'Verktøylinje','Text Only'=>'Kun tekst','Visual Only'=>'Kun visuell','Visual & Text'=>'Visuell og tekst','Tabs'=>'Faner','Click to initialize TinyMCE'=>'Klikk for å initialisere TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visuell','Value must not exceed %d characters'=>'Verdi må ikke overstige %d tegn','Leave blank for no limit'=>'La være tom for ingen begrensning','Character Limit'=>'Tegnbegrensing','Appears after the input'=>'Vises etter input','Append'=>'Tilføy','Appears before the input'=>'Vises før input','Prepend'=>'Legg til foran','Appears within the input'=>'Vises innenfor input','Placeholder Text'=>'Plassholder-tekst','Appears when creating a new post'=>'Vises når nytt innlegg lages','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s krever minst %2$s valgt' . "\0" . '%1$s krever minst %2$s valgte','Post ID'=>'Innleggs-ID','Post Object'=>'Innleggsobjekt','Maximum Posts'=>'Maksimum antall innlegg','Minimum Posts'=>'Minimum antall innlegg','Featured Image'=>'Fremhevet bilde','Selected elements will be displayed in each result'=>'Valgte elementer vil bli vist for hvert resultat','Elements'=>'Elementer','Taxonomy'=>'Taksonomi','Post Type'=>'Innholdstype','Filters'=>'Filtre','All taxonomies'=>'Alle taksonomier','Filter by Taxonomy'=>'Filtrer etter taksonomi','All post types'=>'Alle innholdstyper','Filter by Post Type'=>'Filtrer etter innholdstype','Search...'=>'Søk...','Select taxonomy'=>'Velg taksonomi','Select post type'=>'Velg innholdstype','No matches found'=>'Ingen treff funnet','Loading'=>'Laster','Maximum values reached ( {max} values )'=>'Maksimal verdi nådd ( {max} verdier )','Relationship'=>'Forhold','Comma separated list. Leave blank for all types'=>'Kommaseparert liste. La være tom for alle typer','Allowed File Types'=>'Tillatte filtyper','Maximum'=>'Maksimum','File size'=>'Filstørrelse','Restrict which images can be uploaded'=>'Begrens hvilke bilder som kan lastes opp','Minimum'=>'Minimum','Uploaded to post'=>'Lastet opp til innlegget','All'=>'Alle','Limit the media library choice'=>'Begrens mediabibilotekutvalget','Library'=>'Bibliotek','Preview Size'=>'Forhåndsvis størrelse','Image ID'=>'Bilde-ID','Image URL'=>'Bilde-URL','Image Array'=>'Bilderekke','Specify the returned value on front end'=>'Angi den returnerte verdien på fremsiden','Return Value'=>'Returverdi','Add Image'=>'Legg til bilde','No image selected'=>'Intet bilde valgt','Remove'=>'Fjern','Edit'=>'Rediger','All images'=>'Alle bilder','Update Image'=>'Oppdater bilde','Edit Image'=>'Rediger bilde','Select Image'=>'Velg bilde','Image'=>'Bilde','Allow HTML markup to display as visible text instead of rendering'=>'Tillat HTML-markering vises som synlig tekst i stedet for gjengivelse','Escape HTML'=>'Unnslipp HTML','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Legg automatisk til <br>','Automatically add paragraphs'=>'Legg til avsnitt automatisk','Controls how new lines are rendered'=>'Kontrollerer hvordan nye linjer er gjengitt','New Lines'=>'Nye linjer','Week Starts On'=>'Uken starter på','The format used when saving a value'=>'Formatet som er brukt ved lagring av verdi','Save Format'=>'Lagringsformat','Date Picker JS weekHeaderWk'=>'Uke','Date Picker JS prevTextPrev'=>'Forrige','Date Picker JS nextTextNext'=>'Neste','Date Picker JS currentTextToday'=>'I dag','Date Picker JS closeTextDone'=>'Ferdig','Date Picker'=>'Datovelger','Width'=>'Bredde','Embed Size'=>'Innbyggingsstørrelse','Enter URL'=>'Angi URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst vist når inaktiv','Off Text'=>'Tekst for av','Text shown when active'=>'Tekst vist når aktiv','On Text'=>'Tekst for på','Stylized UI'=>'Stilisert UI','Default Value'=>'Standardverdi','Displays text alongside the checkbox'=>'Viser tekst ved siden av avkrysingsboksen','Message'=>'Melding','No'=>'Nei','Yes'=>'Ja','True / False'=>'Sann / usann','Row'=>'Rad','Table'=>'Tabell','Block'=>'Blokk','Specify the style used to render the selected fields'=>'Spesifiser stil brukt til å gjengi valgte felt','Layout'=>'Oppsett','Sub Fields'=>'Underfelt','Group'=>'Gruppe','Customize the map height'=>'Egendefinerte karthøyde','Height'=>'Høyde','Set the initial zoom level'=>'Velg første zoomnivå','Zoom'=>'Forstørr','Center the initial map'=>'Sentrer det opprinnelige kartet','Center'=>'Midtstill','Search for address...'=>'Søk etter adresse...','Find current location'=>'Finn gjeldende plassering','Clear location'=>'Fjern plassering','Search'=>'Søk','Sorry, this browser does not support geolocation'=>'Beklager, denne nettleseren støtter ikke geolokalisering','Google Map'=>'Google Maps','The format returned via template functions'=>'Formatet returnert via malfunksjoner','Return Format'=>'Returformat','Custom:'=>'Egendefinert:','The format displayed when editing a post'=>'Format som vises når innlegg redigeres','Display Format'=>'Vist format','Time Picker'=>'Tidsvelger','Inactive (%s)'=>'Inaktiv (%s)' . "\0" . 'Inaktive (%s)','No Fields found in Trash'=>'Ingen felt funnet i papirkurven','No Fields found'=>'Ingen felter funnet','Search Fields'=>'Søk felt','View Field'=>'Vis felt','New Field'=>'Nytt felt','Edit Field'=>'Rediger felt','Add New Field'=>'Legg til nytt felt','Field'=>'Felt','Fields'=>'Felter','No Field Groups found in Trash'=>'Ingen feltgrupper funnet i papirkurven','No Field Groups found'=>'Ingen feltgrupper funnet','Search Field Groups'=>'Søk feltgrupper','View Field Group'=>'Vis feltgruppe','New Field Group'=>'Ny feltgruppe','Edit Field Group'=>'Rediger feltgruppe','Add New Field Group'=>'Legg til ny feltgruppe','Add New'=>'Legg til ny','Field Group'=>'Feltgruppe','Field Groups'=>'Feltgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Tilpass WordPress med kraftfulle, profesjonelle og intuitive felt','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Avanserte egendefinerte felt','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Alternativer er oppdatert','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'Sjekk igjen','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'Publiser','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Ingen egendefinerte feltgrupper funnet for denne valg-siden. Opprette en egendefinert feltgruppe','Error. Could not connect to update server'=>'Feil. Kan ikke koble til oppdateringsserveren','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Velg ett eller flere felt du ønsker å klone','Display'=>'Vis','Specify the style used to render the clone field'=>'Angi stil som brukes til å gjengi klone-feltet','Group (displays selected fields in a group within this field)'=>'Gruppe (viser valgt felt i en gruppe innenfor dette feltet)','Seamless (replaces this field with selected fields)'=>'Sømløs (erstatter dette feltet med utvalgte felter)','Labels will be displayed as %s'=>'Etiketter vises som %s','Prefix Field Labels'=>'Prefiks feltetiketter','Values will be saved as %s'=>'Verdier vil bli lagret som %s','Prefix Field Names'=>'Prefiks feltnavn','Unknown field'=>'Ukjent felt','Unknown field group'=>'Ukjent feltgruppe','All fields from %s field group'=>'Alle felt fra %s feltgruppe','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Legg til rad','layout'=>'oppsett' . "\0" . 'oppsett','layouts'=>'oppsett','This field requires at least {min} {label} {identifier}'=>'Dette feltet krever minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tilgjengelig (maks {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} kreves (min {min})','Flexible Content requires at least 1 layout'=>'Fleksibelt innholdsfelt krever minst en layout','Click the "%s" button below to start creating your layout'=>'Klikk "%s"-knappen nedenfor for å begynne å lage oppsettet','Add layout'=>'Legg til oppsett','Duplicate layout'=>'','Remove layout'=>'Fjern oppsett','Click to toggle'=>'Klikk for å veksle','Delete Layout'=>'Slett oppsett','Duplicate Layout'=>'Dupliser oppsett','Add New Layout'=>'Legg til nytt oppsett','Add Layout'=>'Legg til oppsett','Min'=>'Minimum','Max'=>'Maksimum','Minimum Layouts'=>'Minimum oppsett','Maximum Layouts'=>'Maksimum oppsett','Button Label'=>'Knappetikett','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Legg bildet til galleri','Maximum selection reached'=>'Maksimalt utvalg nådd','Length'=>'Lengde','Caption'=>'Bildetekst','Alt Text'=>'Alternativ tekst','Add to gallery'=>'Legg til galleri','Bulk actions'=>'Massehandlinger','Sort by date uploaded'=>'Sorter etter dato lastet opp','Sort by date modified'=>'Sorter etter dato endret','Sort by title'=>'Sorter etter tittel','Reverse current order'=>'Snu gjeldende rekkefølge','Close'=>'Lukk','Minimum Selection'=>'Minimum antall valg','Maximum Selection'=>'Maksimum antall valg','Allowed file types'=>'Tillatte filtyper','Insert'=>'Sett inn','Specify where new attachments are added'=>'Angi hvor nye vedlegg er lagt','Append to the end'=>'Tilføy til slutten','Prepend to the beginning'=>'Sett inn foran','Minimum rows not reached ({min} rows)'=>'Minimum antall rader nådd ({min} rader)','Maximum rows reached ({max} rows)'=>'Maksimum antall rader nådd ({max} rader)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Minimum antall rader','Maximum Rows'=>'Maksimum antall rader','Collapsed'=>'Sammenfoldet','Select a sub field to show when row is collapsed'=>'Velg et underfelt å vise når raden er skjult','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Dra for å endre rekkefølge','Add row'=>'Legg til rad','Duplicate row'=>'','Remove row'=>'Fjern rad','Current Page'=>'','First Page'=>'Forside','Previous Page'=>'Innleggsside','paging%1$s of %2$s'=>'','Next Page'=>'Forside','Last Page'=>'Innleggsside','No block types exist'=>'','No options pages exist'=>'Ingen side for alternativer eksisterer','Deactivate License'=>'Deaktiver lisens','Activate License'=>'Aktiver lisens','License Information'=>'Lisensinformasjon','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'For å låse opp oppdateringer må lisensnøkkelen skrives inn under. Se detaljer og priser dersom du ikke har lisensnøkkel.','License Key'=>'Lisensnøkkel','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'Oppdateringsinformasjon','Current Version'=>'Gjeldende versjon','Latest Version'=>'Siste versjon','Update Available'=>'Oppdatering tilgjengelig','Upgrade Notice'=>'Oppgraderingsvarsel','Check For Updates'=>'','Enter your license key to unlock updates'=>'Oppgi lisensnøkkelen ovenfor for låse opp oppdateringer','Update Plugin'=>'Oppdater plugin','Please reactivate your license to unlock updates'=>''],'language'=>'nb_NO','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-nb_NO.mo b/lang/acf-nb_NO.mo
index 7f71f35..fd0ccae 100644
Binary files a/lang/acf-nb_NO.mo and b/lang/acf-nb_NO.mo differ
diff --git a/lang/acf-nb_NO.po b/lang/acf-nb_NO.po
index 470e20d..e37e112 100644
--- a/lang/acf-nb_NO.po
+++ b/lang/acf-nb_NO.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: nb_NO\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,31 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Finn ut mer"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF klarte ikke fullføre validering fordi den oppgitte noncen feilet "
+"verifiseringen."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"ACF klarte ikke utføre validering fordi ingen nonce ble gitt av serveren."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "er utviklet og vedlikeholdt av"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Oppdater kilde"
@@ -58,14 +83,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF klarte ikke å utføre validering på grunn av en ugyldig sikkerhetsnonce "
-"oppgitt."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -103,10 +120,11 @@ msgstr ""
#: includes/api/api-template.php:1054
msgid "[The ACF shortcode cannot display fields from non-public posts]"
msgstr ""
+"[ACFs kortkode kan ikke vise felter fra innlegg som ikke er offentlige]"
#: includes/api/api-template.php:1011
msgid "[The ACF shortcode is disabled on this site]"
-msgstr ""
+msgstr "[ACFs kortkode er deaktivert på denne siden]"
#: includes/fields/class-acf-field-icon_picker.php:451
msgid "Businessman Icon"
@@ -803,7 +821,7 @@ msgstr "Logo for ACF PRO"
#: includes/admin/views/acf-field-group/field.php:37
msgid "ACF PRO Logo"
-msgstr ""
+msgstr "Logo for ACF PRO"
#. translators: %s - field/param name
#: includes/fields/class-acf-field-icon_picker.php:788
@@ -2023,21 +2041,21 @@ msgstr "Legg til felter"
msgid "This Field"
msgstr "Dette feltet"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4344,15 +4362,15 @@ msgstr ""
#: includes/admin/post-types/admin-post-type.php:53
msgid "Post type saved."
-msgstr ""
+msgstr "Innleggstype lagret."
#: includes/admin/post-types/admin-post-type.php:50
msgid "Post type updated."
-msgstr ""
+msgstr "Innleggstype oppdatert."
#: includes/admin/post-types/admin-post-type.php:49
msgid "Post type deleted."
-msgstr ""
+msgstr "Innleggstype slettet."
#: includes/admin/post-types/admin-field-group.php:146
msgid "Type to search..."
@@ -4364,7 +4382,7 @@ msgstr "Bare i PRO"
#: includes/admin/post-types/admin-field-group.php:93
msgid "Field groups linked successfully."
-msgstr ""
+msgstr "Feltgrupper ble koblet sammen."
#. translators: %s - URL to ACF tools page.
#: includes/admin/admin.php:199
@@ -4373,7 +4391,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4396,17 +4414,17 @@ msgstr "Feltgruppe(r)"
#: includes/admin/admin-internal-post-type.php:323
msgid "Select one or many field groups..."
-msgstr ""
+msgstr "Velg en eller flere feltgrupper..."
#: includes/admin/admin-internal-post-type.php:322
msgid "Please select the field groups to link."
-msgstr ""
+msgstr "Velg feltgrupper du vil koble sammen."
#: includes/admin/admin-internal-post-type.php:280
msgid "Field group linked successfully."
msgid_plural "Field groups linked successfully."
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "Feltgruppe koblet sammen."
+msgstr[1] "Feltgrupper koblet sammen."
#: includes/admin/admin-internal-post-type-list.php:277
#: includes/admin/post-types/admin-post-types.php:346
@@ -4461,6 +4479,8 @@ msgid ""
"https://wpengine.com/?"
"utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields"
msgstr ""
+"https://wpengine.com/?"
+"utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields"
#: includes/api/api-template.php:1027
msgid "[ACF shortcode value disabled for preview]"
@@ -4593,7 +4613,7 @@ msgstr "Gjentakende felt"
#: includes/admin/views/global/navigation.php:215
msgid "Unlock Extra Features with ACF PRO"
-msgstr ""
+msgstr "Lås opp ekstra funksjoner med ACF PRO"
#: includes/admin/views/acf-field-group/options.php:267
msgid "Delete Field Group"
@@ -4702,7 +4722,7 @@ msgstr "Aktiver dette elementet"
msgid "Move field group to trash?"
msgstr "Flytte feltgruppe til papirkurven?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4715,7 +4735,7 @@ msgstr "Inaktiv"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4723,7 +4743,7 @@ msgstr ""
"Advanced Custom Fields og Advanced Custom Fields PRO bør ikke være aktiverte "
"samtidig. Vi har automatisk deaktivert Advanced Custom Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5149,7 +5169,7 @@ msgstr "Alle %s-formater"
msgid "Attachment"
msgstr "Vedlegg"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s verdi er påkrevd"
@@ -5639,7 +5659,7 @@ msgstr "Dupliser dette elementet"
msgid "Supports"
msgstr "Brukerstøtte"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentasjon"
@@ -5936,8 +5956,8 @@ msgstr "%d felt krever oppmerksomhet"
msgid "1 field requires attention"
msgstr "1 felt krever oppmerksomhet"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validering feilet"
@@ -7315,90 +7335,90 @@ msgid "Time Picker"
msgstr "Tidsvelger"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inaktiv (%s)"
msgstr[1] "Inaktive (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Ingen felt funnet i papirkurven"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Ingen felter funnet"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Søk felt"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Vis felt"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nytt felt"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Rediger felt"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Legg til nytt felt"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Felt"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Felter"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Ingen feltgrupper funnet i papirkurven"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Ingen feltgrupper funnet"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Søk feltgrupper"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Vis feltgruppe"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Ny feltgruppe"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Rediger feltgruppe"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Legg til ny feltgruppe"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Legg til ny"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Feltgruppe"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-nl_BE.l10n.php b/lang/acf-nl_BE.l10n.php
index 942bd39..edadde6 100644
--- a/lang/acf-nl_BE.l10n.php
+++ b/lang/acf-nl_BE.l10n.php
@@ -1,3 +1,3 @@
NULL,'plural-forms'=>NULL,'language'=>'nl_BE','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Bron bijwerken','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een metabox op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de beveiliging was verstrekt.','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en tonen in de editor UI met behulp van blok bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze website]','Businessman Icon'=>'Zakeman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Website bekijken icoon','Learn More Icon'=>'Leer meer icoon','Add Page Icon'=>'Pagina toevoegen icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Bijwerken (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekst pagina icoon','Table Row Delete Icon'=>'Tabel rij verwijderen icoon','Table Row Before Icon'=>'Tabel rij voor icoon','Table Row After Icon'=>'Tabel rij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superheld (alt) icoon','Superhero Icon'=>'Superheld icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Delen (alt2) icoon','Share (alt) Icon'=>'Delen (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST-API icoon','Remove Icon'=>'Icoon verwijderen','Reddit Icon'=>'Rediit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Nee (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactief icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Invoegen voor icoon','Insert After Icon'=>'Invoegen na icoon','Insert Icon'=>'Invoeg icoon','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteer rechts icoon','Rotate Left Icon'=>'Roteer links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Horizontaal verticaal icoon','Flip Horizontal Icon'=>'Horizontaal spiegelen icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm verlaten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voeding icoon','Exit Icon'=>'Verlaten icoon','Excerpt View Icon'=>'Samenvatting bekijken icoon','Embed Video Icon'=>'Video insluiten icoon','Embed Post Icon'=>'Berichten insluiten icoon','Embed Photo Icon'=>'Foto insluiten icoon','Embed Generic Icon'=>'Algemeen insluiten icoon','Embed Audio Icon'=>'Audio insluiten icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellips icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Pagina bewerken icoon','Edit Large Icon'=>'Groot bewerken icoon','Drumstick Icon'=>'Trommelstok icoon','Database View Icon'=>'Database bekijken icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database importeren icoon','Database Export Icon'=>'Database exporteren icoon','Database Add Icon'=>'Database toevoegen icoon','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruit springen icoon','Skip Back Icon'=>'Terug overslaan icoon','Repeat Icon'=>'Herhalen icoon','Play Icon'=>'Afspeel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleur kiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Wagen icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk persoon icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Gemeenschap icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'BBpress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Website (alt3) icoon','Site (alt2) Icon'=>'Website (alt2) icoon','Site (alt) Icon'=>'Website (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF PRO om optiepagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt daar geen toestemming voor.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Bijwerken icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linksrechts icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Tools icoon','Site Icon'=>'Website icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn bijgewerkt in de icoon kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retourformaat voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Zoek iconen...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de media bibliotheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST-API formaat','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypes (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypes (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST-API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF blok op deze pagina vereist aandacht voordat je kan opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Termen bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook true is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch onveilige HTML wanneer deze wordt weergegeven door the_field of de ACF shortcode. We hebben gedetecteerd dat de uitvoer van sommige van je velden is gewijzigd door deze verandering, maar dit is mogelijk geen doorbrekende verandering. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je websitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - getoond via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kan meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Overgenomen van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dupliceer taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kan je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt bijgewerkt toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt bijgewerkt op te slaan. Je kan dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt getoond. Als dit veld bijvoorbeeld wordt getoond in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Een veld bijwerken met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer tools van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere websites met functies als ACF blokken en optie pagina\'s, en geavanceerde veldtypes als herhaler, flexibele inhoud, klonen en galerij.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypes','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypes gevonden in prullenmand','No Post Types found'=>'Geen berichttypes gevonden','Search Post Types'=>'Berichttypes
- zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijdnotatie kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van paragrafen tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kan je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepast berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden getoond.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. Het datum retour formaat en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het formaat van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kan je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call to Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kan je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kan je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kan je bestaande velden selecteren en tonen. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden tonen als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om de berichttype inhoud te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST-API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een metabox te zuiveren.','Meta Box Sanitization Callback'=>'Metabox sanitatie callback','Register Meta Box Callback'=>'Metabox callback registreren','No Meta Box'=>'Geen metabox','Custom Meta Box'=>'Aangepaste metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het metabox op het inhoud editor scherm. Standaard wordt het categorie metabox getoond voor hiërarchische taxonomieën, en het tags metabox voor niet hiërarchische taxonomieën.','Meta Box'=>'Metabox','Categories Meta Box'=>'Categorieën metabox','Tags Meta Box'=>'Tags metabox','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het bijwerken van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de tabel verborgen koptekst.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de tabel paginering verborgen koptekst.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de berichten lijsten tabel.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Beschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je website staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het tags bewerken scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in de taxonomie metabox wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in de metabox wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in de metabox wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'Toevoegen of verwijderen %s','Separate tags with commas'=>'Tags scheiden door komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie metabox. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag bijwerken','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item bijwerken','Update %s'=>'Bijwerken %s','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de administratorbalk om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische berichttypes kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de front-end en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST-API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST-API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Toont dit berichttype in de REST-API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'In REST-API tonen','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Query variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Tools\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. edit_post, delete_posts. Inschakelen om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Weergave menu\'s ondersteuning','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de administratorbalk.','Show In Admin Bar'=>'In administratorbalk tonen','Custom Meta Box Callback'=>'Aangepaste metabox callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'In UI tonen','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht bijgewerkt.','In the editor notice after an item is updated.'=>'In de editor melding nadat een item is bijgewerkt.','Item Updated'=>'Item bijgewerkt','%s updated.'=>'%s bijgewerkt.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In de editor melding na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In de editor melding na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In de editor melding na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In de editor melding na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het berichttype lijst scherm.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het berichttype lijst scherm.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst op het berichttype lijst scherm.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de berichttypes lijst.','Filter Items List'=>'Itemslijst filteren','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Uitgelichte afbeelding verwijderen','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Uitgelichte afbeelding verwijderen','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding metabox.','Featured Image Meta Box'=>'Uitgelichte afbeelding metabox','Post Attributes'=>'Berichtattributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van de bericht attributen metabox.','Attributes Meta Box'=>'Attributen metabox','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenmand','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de berichttype lijst wanneer er geen berichten in de prullenmand zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenmand','No %s found in Trash'=>'Geen %s gevonden in de prullenmand','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de berichttypes lijst wanneer er geen berichten zijn om te tonen.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het items scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'Zoek %s','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het berichttype lijst scherm.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de administratorbalk in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de homepage geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de administratorbalk om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'Bekijk %s','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'Bewerk %s','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypes niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypes selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie bijgewerkt','Taxonomy draft updated.'=>'Taxonomie concept bijgewerkt.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie bijgewerkt.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypes gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypes gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypes gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypes geactiveerd.','Post Types'=>'Berichttypes','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype bijgewerkt','Post type draft updated.'=>'Berichttype concept bijgewerkt.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype bijgewerkt.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypes en taxonomieën die zijn geregistreerd met een aangepast berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST-API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Veld instellingen tabs','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerd selectievakje gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Je eerste veldgroep toevoegen','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, aangepaste berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenmand verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kan oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'In REST-API tonen','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Standaardkleur selecteren','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst bijgewerkt: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Wijzigingen beoordelen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Website bezoeken','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kan tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je website haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformaat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Bovenste level pagina (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Startpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formaten','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld dupliceren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn bijgewerkt naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het bijwerken naar %1$s v%2$s!','Database Upgrade Required'=>'Database upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle tools','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgnummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Formaat','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoud editor','Permalink'=>'Permalink','Shown in field group list'=>'Getoond in de veldgroep lijst','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen metabox)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'id','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep tonen als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgrade taken aan het lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade voltooid.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer minstens één website om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade voltooid. Terug naar netwerk dashboard','Site is up to date'=>'Website is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Website vereist database upgrade van %1$s naar %2$s','Site'=>'Website','Upgrade Sites'=>'Websites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de websites die je wilt bijwerken en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Kopieer naar klembord','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kan plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veldgroepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel websites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen voltooid.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veld naam staan','Field group draft updated.'=>'Concept veldgroep bijgewerkt.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep bijgewerkt.','Tools'=>'Tools','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht bijgewerkt','Update'=>'Bijwerken','Validate Email'=>'E-mail valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitvouwen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Bijwerken','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'Bestandsgrootte mag %s niet overschrijden.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minstens %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes aan/uit te zetten','Save \'custom\' values to the field\'s choices'=>'\'Aangepaste\' waarden opslaan in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Alles aan-/uitzetten','Allow Archives URLs'=>'Archieven URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laadwaarde van berichttermen','Load Terms'=>'Termen laden','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Radioknoppen','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievak','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden getoond','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'De keuze \'overig\' toevoegen om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Radio knop','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Toestaan dat deze accordeon geopend wordt zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestand ID','File URL'=>'Bestand URL','File Array'=>'Bestand array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand bijwerken','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'AJAX gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaard waarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kan slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruiker ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Leegmaken','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Gedaan','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mail','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knop groep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media uploadknoppen tonen','Toolbar'=>'Werkbalk','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Verschijnt in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt getoond bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Aan het laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ({max} waarden)','Relationship'=>'Relatie','Comma separated list. Leave blank for all types'=>'Lijst met door komma\'s gescheiden. Leeg laten voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding bijwerken','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Afbeelding selecteren','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Toestaan dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen','Automatically add paragraphs'=>'Automatisch paragrafen toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe lijnen','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het formaat dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Formaat opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Aan tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'Waar / Niet waar','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het formaat dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour formaat','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het formaat dat wordt getoond bij het bewerken van een bericht','Display Format'=>'Weergaveformaat','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenmand','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in prullenmand','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Options Updated'=>'Opties bijgewerkt','Check Again'=>'Controleer op updates','Publish'=>'Publiceer','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Er zijn geen groepen gevonden voor deze optie pagina. Maak een extra velden groep','Error. Could not connect to update server'=>'Fout. Kan niet verbinden met de update server','Select one or more fields you wish to clone'=>'Selecteer een of meer velden om te klonen','Display'=>'Toon','Specify the style used to render the clone field'=>'Kies de gebruikte stijl bij het renderen van het gekloonde veld','Group (displays selected fields in a group within this field)'=>'Groep (toont geselecteerde velden in een groep binnen dit veld)','Seamless (replaces this field with selected fields)'=>'Naadloos (vervangt dit veld met de geselecteerde velden)','Labels will be displayed as %s'=>'Labels worden getoond als %s','Prefix Field Labels'=>'Prefix veld labels','Values will be saved as %s'=>'Waarden worden opgeslagen als %s','Prefix Field Names'=>'Prefix veld namen','Unknown field'=>'Onbekend veld','Unknown field group'=>'Onbekend groep','All fields from %s field group'=>'Alle velden van %s veld groep','Add Row'=>'Nieuwe regel','layout'=>'layout' . "\0" . 'layout','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Dit veld vereist op zijn minst {min} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} beschikbaar (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} verplicht (min {min})','Flexible Content requires at least 1 layout'=>'Flexibele content vereist minimaal 1 layout','Click the "%s" button below to start creating your layout'=>'Klik op de "%s" button om een nieuwe lay-out te maken','Add layout'=>'Layout toevoegen','Remove layout'=>'Verwijder layout','Click to toggle'=>'Klik om in/uit te klappen','Delete Layout'=>'Verwijder layout','Duplicate Layout'=>'Dupliceer layout','Add New Layout'=>'Nieuwe layout','Add Layout'=>'Layout toevoegen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimale layouts','Maximum Layouts'=>'Maximale layouts','Button Label'=>'Button label','Add Image to Gallery'=>'Voeg afbeelding toe aan galerij','Maximum selection reached'=>'Maximale selectie bereikt','Length'=>'Lengte','Caption'=>'Onderschrift','Alt Text'=>'Alt tekst','Add to gallery'=>'Afbeelding(en) toevoegen','Bulk actions'=>'Acties','Sort by date uploaded'=>'Sorteer op datum geüpload','Sort by date modified'=>'Sorteer op datum aangepast','Sort by title'=>'Sorteer op titel','Reverse current order'=>'Keer volgorde om','Close'=>'Sluiten','Minimum Selection'=>'Minimale selectie','Maximum Selection'=>'Maximale selectie','Allowed file types'=>'Toegestane bestandstypen','Insert'=>'Invoegen','Specify where new attachments are added'=>'Geef aan waar nieuwe bijlagen worden toegevoegd','Append to the end'=>'Toevoegen aan het einde','Prepend to the beginning'=>'Toevoegen aan het begin','Minimum rows not reached ({min} rows)'=>'Minimum aantal rijen bereikt ({max} rijen)','Maximum rows reached ({max} rows)'=>'Maximum aantal rijen bereikt ({max} rijen)','Minimum Rows'=>'Minimum aantal rijen','Maximum Rows'=>'Maximum aantal rijen','Collapsed'=>'Ingeklapt','Select a sub field to show when row is collapsed'=>'Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is','Click to reorder'=>'Sleep om te sorteren','Add row'=>'Nieuwe regel','Remove row'=>'Verwijder regel','First Page'=>'Hoofdpagina','Previous Page'=>'Berichten pagina','Next Page'=>'Hoofdpagina','Last Page'=>'Berichten pagina','No options pages exist'=>'Er zijn nog geen optie pagina\'s','Deactivate License'=>'Licentiecode deactiveren','Activate License'=>'Activeer licentiecode','License Information'=>'Licentie informatie','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen licentiecode? Bekijk details & prijzen.','License Key'=>'Licentiecode','Update Information'=>'Update informatie','Current Version'=>'Huidige versie','Latest Version'=>'Nieuwste versie','Update Available'=>'Update beschikbaar','Upgrade Notice'=>'Upgrade opmerking','Enter your license key to unlock updates'=>'Vul uw licentiecode hierboven in om updates te ontvangen','Update Plugin'=>'Update plugin']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Leer meer','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd kon worden.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen.','are developed and maintained by'=>'worden ontwikkeld en onderhouden door','Update Source'=>'Bron bijwerken','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een metabox op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en tonen in de editor UI met behulp van blok bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze website]','Businessman Icon'=>'Zakeman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Website bekijken icoon','Learn More Icon'=>'Leer meer icoon','Add Page Icon'=>'Pagina toevoegen icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Bijwerken (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekst pagina icoon','Table Row Delete Icon'=>'Tabel rij verwijderen icoon','Table Row Before Icon'=>'Tabel rij voor icoon','Table Row After Icon'=>'Tabel rij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superheld (alt) icoon','Superhero Icon'=>'Superheld icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Delen (alt2) icoon','Share (alt) Icon'=>'Delen (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST-API icoon','Remove Icon'=>'Icoon verwijderen','Reddit Icon'=>'Rediit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Nee (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactief icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Invoegen voor icoon','Insert After Icon'=>'Invoegen na icoon','Insert Icon'=>'Invoeg icoon','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteer rechts icoon','Rotate Left Icon'=>'Roteer links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Horizontaal verticaal icoon','Flip Horizontal Icon'=>'Horizontaal spiegelen icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm verlaten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voeding icoon','Exit Icon'=>'Verlaten icoon','Excerpt View Icon'=>'Samenvatting bekijken icoon','Embed Video Icon'=>'Video insluiten icoon','Embed Post Icon'=>'Berichten insluiten icoon','Embed Photo Icon'=>'Foto insluiten icoon','Embed Generic Icon'=>'Algemeen insluiten icoon','Embed Audio Icon'=>'Audio insluiten icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellips icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Pagina bewerken icoon','Edit Large Icon'=>'Groot bewerken icoon','Drumstick Icon'=>'Trommelstok icoon','Database View Icon'=>'Database bekijken icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database importeren icoon','Database Export Icon'=>'Database exporteren icoon','Database Add Icon'=>'Database toevoegen icoon','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruit springen icoon','Skip Back Icon'=>'Terug overslaan icoon','Repeat Icon'=>'Herhalen icoon','Play Icon'=>'Afspeel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleur kiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Wagen icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk persoon icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Gemeenschap icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'BBpress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Website (alt3) icoon','Site (alt2) Icon'=>'Website (alt2) icoon','Site (alt) Icon'=>'Website (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF PRO om optiepagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt daar geen toestemming voor.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Bijwerken icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linksrechts icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Tools icoon','Site Icon'=>'Website icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn bijgewerkt in de icoon kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retourformaat voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Zoek iconen...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de media bibliotheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST-API formaat','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypes (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypes (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST-API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF blok op deze pagina vereist aandacht voordat je kan opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Termen bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook true is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch onveilige HTML wanneer deze wordt weergegeven door the_field of de ACF shortcode. We hebben gedetecteerd dat de uitvoer van sommige van je velden is gewijzigd door deze verandering, maar dit is mogelijk geen doorbrekende verandering. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je websitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - getoond via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kan meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Overgenomen van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dupliceer taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kan je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt bijgewerkt toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt bijgewerkt op te slaan. Je kan dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt getoond. Als dit veld bijvoorbeeld wordt getoond in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Een veld bijwerken met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer tools van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere websites met functies als ACF blokken en optie pagina\'s, en geavanceerde veldtypes als herhaler, flexibele inhoud, klonen en galerij.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypes','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypes gevonden in prullenmand','No Post Types found'=>'Geen berichttypes gevonden','Search Post Types'=>'Berichttypes
+ zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijdnotatie kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van paragrafen tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kan je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepast berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden getoond.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. Het datum retour formaat en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het formaat van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kan je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call to Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kan je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kan je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kan je bestaande velden selecteren en tonen. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden tonen als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om de berichttype inhoud te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST-API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een metabox te zuiveren.','Meta Box Sanitization Callback'=>'Metabox sanitatie callback','Register Meta Box Callback'=>'Metabox callback registreren','No Meta Box'=>'Geen metabox','Custom Meta Box'=>'Aangepaste metabox','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het metabox op het inhoud editor scherm. Standaard wordt het categorie metabox getoond voor hiërarchische taxonomieën, en het tags metabox voor niet hiërarchische taxonomieën.','Meta Box'=>'Metabox','Categories Meta Box'=>'Categorieën metabox','Tags Meta Box'=>'Tags metabox','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het bijwerken van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de tabel verborgen koptekst.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de tabel paginering verborgen koptekst.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de berichten lijsten tabel.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Beschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je website staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het tags bewerken scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in de taxonomie metabox wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in de metabox wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in de metabox wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'Toevoegen of verwijderen %s','Separate tags with commas'=>'Tags scheiden door komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie metabox. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag bijwerken','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item bijwerken','Update %s'=>'Bijwerken %s','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de administratorbalk om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische berichttypes kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de front-end en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST-API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST-API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Toont dit berichttype in de REST-API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'In REST-API tonen','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Query variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Tools\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. edit_post, delete_posts. Inschakelen om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Weergave menu\'s ondersteuning','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de administratorbalk.','Show In Admin Bar'=>'In administratorbalk tonen','Custom Meta Box Callback'=>'Aangepaste metabox callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'In UI tonen','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht bijgewerkt.','In the editor notice after an item is updated.'=>'In de editor melding nadat een item is bijgewerkt.','Item Updated'=>'Item bijgewerkt','%s updated.'=>'%s bijgewerkt.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In de editor melding na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In de editor melding na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In de editor melding na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In de editor melding na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het berichttype lijst scherm.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het berichttype lijst scherm.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst op het berichttype lijst scherm.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de berichttypes lijst.','Filter Items List'=>'Itemslijst filteren','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Uitgelichte afbeelding verwijderen','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Uitgelichte afbeelding verwijderen','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding metabox.','Featured Image Meta Box'=>'Uitgelichte afbeelding metabox','Post Attributes'=>'Berichtattributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van de bericht attributen metabox.','Attributes Meta Box'=>'Attributen metabox','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenmand','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de berichttype lijst wanneer er geen berichten in de prullenmand zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenmand','No %s found in Trash'=>'Geen %s gevonden in de prullenmand','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de berichttypes lijst wanneer er geen berichten zijn om te tonen.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het items scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'Zoek %s','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het berichttype lijst scherm.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de administratorbalk in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de homepage geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de administratorbalk om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'Bekijk %s','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'Bewerk %s','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypes niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypes selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie bijgewerkt','Taxonomy draft updated.'=>'Taxonomie concept bijgewerkt.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie bijgewerkt.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypes gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypes gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypes gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypes geactiveerd.','Post Types'=>'Berichttypes','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype bijgewerkt','Post type draft updated.'=>'Berichttype concept bijgewerkt.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype bijgewerkt.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypes en taxonomieën die zijn geregistreerd met een aangepast berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST-API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Veld instellingen tabs','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerd selectievakje gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Je eerste veldgroep toevoegen','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, aangepaste berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenmand verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kan oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'In REST-API tonen','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Standaardkleur selecteren','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst bijgewerkt: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Wijzigingen beoordelen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Website bezoeken','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kan tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je website haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformaat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Bovenste level pagina (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Startpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formaten','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld dupliceren','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn bijgewerkt naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het bijwerken naar %1$s v%2$s!','Database Upgrade Required'=>'Database upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle tools','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgnummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Formaat','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoud editor','Permalink'=>'Permalink','Shown in field group list'=>'Getoond in de veldgroep lijst','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen metabox)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'id','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep tonen als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgrade taken aan het lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade voltooid.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer minstens één website om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade voltooid. Terug naar netwerk dashboard','Site is up to date'=>'Website is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Website vereist database upgrade van %1$s naar %2$s','Site'=>'Website','Upgrade Sites'=>'Websites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de websites die je wilt bijwerken en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Kopieer naar klembord','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kan plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veldgroepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel websites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen voltooid.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veld naam staan','Field group draft updated.'=>'Concept veldgroep bijgewerkt.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep bijgewerkt.','Tools'=>'Tools','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht bijgewerkt','Update'=>'Bijwerken','Validate Email'=>'E-mail valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitvouwen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Bijwerken','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'Bestandsgrootte mag %s niet overschrijden.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minstens %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes aan/uit te zetten','Save \'custom\' values to the field\'s choices'=>'\'Aangepaste\' waarden opslaan in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Alles aan-/uitzetten','Allow Archives URLs'=>'Archieven URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laadwaarde van berichttermen','Load Terms'=>'Termen laden','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Radioknoppen','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievak','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden getoond','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'De keuze \'overig\' toevoegen om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Radio knop','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Toestaan dat deze accordeon geopend wordt zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestand ID','File URL'=>'Bestand URL','File Array'=>'Bestand array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand bijwerken','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'AJAX gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaard waarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kan slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruiker ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Leegmaken','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Gedaan','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mail','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knop groep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media uploadknoppen tonen','Toolbar'=>'Werkbalk','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Verschijnt in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt getoond bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Aan het laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ({max} waarden)','Relationship'=>'Relatie','Comma separated list. Leave blank for all types'=>'Lijst met door komma\'s gescheiden. Leeg laten voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding bijwerken','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Afbeelding selecteren','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Toestaan dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen','Automatically add paragraphs'=>'Automatisch paragrafen toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe lijnen','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het formaat dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Formaat opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Aan tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'Waar / Niet waar','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het formaat dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour formaat','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het formaat dat wordt getoond bij het bewerken van een bericht','Display Format'=>'Weergaveformaat','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenmand','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in prullenmand','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Opties bijgewerkt','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'Controleer op updates','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'Publiceer','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Er zijn geen groepen gevonden voor deze optie pagina. Maak een extra velden groep','Error. Could not connect to update server'=>'Fout. Kan niet verbinden met de update server','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Selecteer een of meer velden om te klonen','Display'=>'Toon','Specify the style used to render the clone field'=>'Kies de gebruikte stijl bij het renderen van het gekloonde veld','Group (displays selected fields in a group within this field)'=>'Groep (toont geselecteerde velden in een groep binnen dit veld)','Seamless (replaces this field with selected fields)'=>'Naadloos (vervangt dit veld met de geselecteerde velden)','Labels will be displayed as %s'=>'Labels worden getoond als %s','Prefix Field Labels'=>'Prefix veld labels','Values will be saved as %s'=>'Waarden worden opgeslagen als %s','Prefix Field Names'=>'Prefix veld namen','Unknown field'=>'Onbekend veld','Unknown field group'=>'Onbekend groep','All fields from %s field group'=>'Alle velden van %s veld groep','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Nieuwe regel','layout'=>'layout' . "\0" . 'layout','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Dit veld vereist op zijn minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} beschikbaar (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} verplicht (min {min})','Flexible Content requires at least 1 layout'=>'Flexibele content vereist minimaal 1 layout','Click the "%s" button below to start creating your layout'=>'Klik op de "%s" button om een nieuwe lay-out te maken','Add layout'=>'Layout toevoegen','Duplicate layout'=>'','Remove layout'=>'Verwijder layout','Click to toggle'=>'Klik om in/uit te klappen','Delete Layout'=>'Verwijder layout','Duplicate Layout'=>'Dupliceer layout','Add New Layout'=>'Nieuwe layout','Add Layout'=>'Layout toevoegen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimale layouts','Maximum Layouts'=>'Maximale layouts','Button Label'=>'Button label','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Voeg afbeelding toe aan galerij','Maximum selection reached'=>'Maximale selectie bereikt','Length'=>'Lengte','Caption'=>'Onderschrift','Alt Text'=>'Alt tekst','Add to gallery'=>'Afbeelding(en) toevoegen','Bulk actions'=>'Acties','Sort by date uploaded'=>'Sorteer op datum geüpload','Sort by date modified'=>'Sorteer op datum aangepast','Sort by title'=>'Sorteer op titel','Reverse current order'=>'Keer volgorde om','Close'=>'Sluiten','Minimum Selection'=>'Minimale selectie','Maximum Selection'=>'Maximale selectie','Allowed file types'=>'Toegestane bestandstypen','Insert'=>'Invoegen','Specify where new attachments are added'=>'Geef aan waar nieuwe bijlagen worden toegevoegd','Append to the end'=>'Toevoegen aan het einde','Prepend to the beginning'=>'Toevoegen aan het begin','Minimum rows not reached ({min} rows)'=>'Minimum aantal rijen bereikt ({max} rijen)','Maximum rows reached ({max} rows)'=>'Maximum aantal rijen bereikt ({max} rijen)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Minimum aantal rijen','Maximum Rows'=>'Maximum aantal rijen','Collapsed'=>'Ingeklapt','Select a sub field to show when row is collapsed'=>'Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Sleep om te sorteren','Add row'=>'Nieuwe regel','Duplicate row'=>'','Remove row'=>'Verwijder regel','Current Page'=>'','First Page'=>'Hoofdpagina','Previous Page'=>'Berichten pagina','paging%1$s of %2$s'=>'','Next Page'=>'Hoofdpagina','Last Page'=>'Berichten pagina','No block types exist'=>'','No options pages exist'=>'Er zijn nog geen optie pagina\'s','Deactivate License'=>'Licentiecode deactiveren','Activate License'=>'Activeer licentiecode','License Information'=>'Licentie informatie','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen licentiecode? Bekijk details & prijzen.','License Key'=>'Licentiecode','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'Update informatie','Current Version'=>'Huidige versie','Latest Version'=>'Nieuwste versie','Update Available'=>'Update beschikbaar','Upgrade Notice'=>'Upgrade opmerking','Check For Updates'=>'','Enter your license key to unlock updates'=>'Vul uw licentiecode hierboven in om updates te ontvangen','Update Plugin'=>'Update plugin','Please reactivate your license to unlock updates'=>''],'language'=>'nl_BE','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-nl_BE.mo b/lang/acf-nl_BE.mo
index 40d3789..c773be7 100644
Binary files a/lang/acf-nl_BE.mo and b/lang/acf-nl_BE.mo differ
diff --git a/lang/acf-nl_BE.po b/lang/acf-nl_BE.po
index 1a56639..b3ab93b 100644
--- a/lang/acf-nl_BE.po
+++ b/lang/acf-nl_BE.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: nl_BE\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,31 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Leer meer"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd "
+"kon worden."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "worden ontwikkeld en onderhouden door"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Bron bijwerken"
@@ -66,14 +91,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de "
-"beveiliging was verstrekt."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Toegang tot waarde toestaan in UI van editor"
@@ -2066,21 +2083,21 @@ msgstr "Velden toevoegen"
msgid "This Field"
msgstr "Dit veld"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Ondersteuning"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "is ontwikkeld en wordt onderhouden door"
@@ -4648,7 +4665,7 @@ msgstr ""
"aangepast berichttype UI en beheerder ze met ACF. Aan de "
"slag."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4982,7 +4999,7 @@ msgstr "Activeer dit item"
msgid "Move field group to trash?"
msgstr "Veldgroep naar prullenmand verplaatsen?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4995,7 +5012,7 @@ msgstr "Inactief"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5004,7 +5021,7 @@ msgstr ""
"tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch "
"gedeactiveerd."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5457,7 +5474,7 @@ msgstr "Alle %s formaten"
msgid "Attachment"
msgstr "Bijlage"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s waarde is verplicht"
@@ -5948,7 +5965,7 @@ msgstr "Dit item dupliceren"
msgid "Supports"
msgstr "Ondersteunt"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentatie"
@@ -6246,8 +6263,8 @@ msgstr "%d velden vereisen aandacht"
msgid "1 field requires attention"
msgstr "1 veld vereist aandacht"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validatie mislukt"
@@ -7630,90 +7647,90 @@ msgid "Time Picker"
msgstr "Tijdkiezer"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactief (%s)"
msgstr[1] "Inactief (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Geen velden gevonden in de prullenmand"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Geen velden gevonden"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Velden zoeken"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Veld bekijken"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nieuw veld"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Veld bewerken"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Nieuw veld toevoegen"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Veld"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Velden"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Geen veldgroepen gevonden in prullenmand"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Geen veldgroepen gevonden"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Veldgroepen zoeken"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Veldgroep bekijken"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nieuwe veldgroep"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Veldgroep bewerken"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Nieuwe veldgroep toevoegen"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Nieuwe toevoegen"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Veldgroep"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-nl_NL.l10n.php b/lang/acf-nl_NL.l10n.php
index d581e4d..be291a2 100644
--- a/lang/acf-nl_NL.l10n.php
+++ b/lang/acf-nl_NL.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'nl_NL','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Bron updaten','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een meta vak op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de beveiliging was verstrekt.','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en weergeven in de editor UI met behulp van Block Bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze site]','Businessman Icon'=>'Zakenman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Bekijk site icoon','Learn More Icon'=>'Meer leren icoon','Add Page Icon'=>'Toevoegen pagina icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Updaten (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekstpagina icoon','Table Row Delete Icon'=>'Tabelrij verwijderen icoon','Table Row Before Icon'=>'Tabelrij voor icoon','Table Row After Icon'=>'Tabelrij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superhero (alt) icoon','Superhero Icon'=>'Superhero icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Deel (alt2) icoon','Share (alt) Icon'=>'Deel (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST API icoon','Remove Icon'=>'Verwijderen icoon','Reddit Icon'=>'Reddit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Geen (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactieve icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Voeg in voor icoon','Insert After Icon'=>'Voeg in na icoon','Insert Icon'=>'Voeg icoon in','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteren rechts icoon','Rotate Left Icon'=>'Roteren links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Spiegelen verticaal icoon','Flip Horizontal Icon'=>'Spiegelen horizontaal icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm afsluiten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voedsel icoon','Exit Icon'=>'Exit icoon','Excerpt View Icon'=>'Samenvattingweergave icoon','Embed Video Icon'=>'Insluiten video icoon','Embed Post Icon'=>'Insluiten bericht icoon','Embed Photo Icon'=>'Insluiten foto icoon','Embed Generic Icon'=>'Insluiten generiek icoon','Embed Audio Icon'=>'Insluiten audio icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellipsis icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Bewerken pagina icoon','Edit Large Icon'=>'Bewerken groot Icoon','Drumstick Icon'=>'Drumstick icoon','Database View Icon'=>'Database weergave icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database import icoon','Database Export Icon'=>'Database export icoon','Database Add Icon'=>'Database icoon toevoegen','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruitspoelen icoon','Skip Back Icon'=>'Terugspoel icoon','Repeat Icon'=>'Herhaal icoon','Play Icon'=>'Speel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleurkiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Auto icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Community icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'bbPress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl naar rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl naar rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl naar links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl naar links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek naar rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek naar links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Site (alt3) icoon','Site (alt2) Icon'=>'Site (alt2) icoon','Site (alt) Icon'=>'Site (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF Pro om opties pagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt geen toestemming om dat te doen.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Updaten icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linkerrechter icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Gereedschap icoon','Site Icon'=>'Site icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn geüpdatet in de pictogram kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retour format voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Iconen zoeken...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de mediatheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST API format','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypen (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypen (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF Block op deze pagina vereist aandacht voordat je kunt opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Voorwaarden bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook waar is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch aan onveilige HTML bij weergave door the_field of de ACF shortcode. We hebben vastgesteld dat de uitvoer van sommige van je velden is gewijzigd door deze aanpassing, maar dit hoeft geen brekende verandering te zijn. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je sitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - weergegeven via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kunt meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Gekopieerd van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dubbele taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kun je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt geüpdatet toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt geüpdatet op te slaan. Je kunt dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt weergegeven. Als dit veld bijvoorbeeld wordt weergegeven in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Update een veld met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer gereedschappen van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere sites met functies als ACF Blocks en Options Pages, en geavanceerde veldtypen als Repeater, Flexible Content, Clone en Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypen','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypen gevonden in prullenbak','No Post Types found'=>'Geen berichttypen gevonden','Search Post Types'=>'Berichttypen zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijd format kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van alinea\'s tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kun je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepaste extra berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype-items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden weergegeven.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. De datum retour format en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het format van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kun je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call To Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kun je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kun je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kun je bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om inhoud van berichttypen te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een meta box te zuiveren.','Meta Box Sanitization Callback'=>'Meta box sanitatie callback','Register Meta Box Callback'=>'Meta box callback registreren','No Meta Box'=>'Geen meta box','Custom Meta Box'=>'Aangepaste meta box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het meta box op het inhoud editor scherm. Standaard wordt het categorie meta box getoond voor hiërarchische taxonomieën, en het tags meta box voor niet hiërarchische taxonomieën.','Meta Box'=>'Meta box','Categories Meta Box'=>'Categorieën meta box','Tags Meta Box'=>'Tags meta box','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het updaten van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de tabel.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de paginering van de tabel.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de lijst met berichten.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Omschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je site staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het bewerken tags scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in het taxonomie meta box wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'%s toevoegen of verwijderen','Separate tags with commas'=>'Scheid tags met komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie meta box. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag updaten','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item updaten','Update %s'=>'%s updaten','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de toolbar om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische bericht types kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de voorkant en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Geeft dit berichttype weer in de REST API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'Weergeven in REST API','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Vraag variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Gereedschap\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. Edit_bericht, delete_berichten. Activeer om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Ondersteuning voor weergave menu\'s','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de toolbar.','Show In Admin Bar'=>'Toon in toolbar','Custom Meta Box Callback'=>'Aangepaste meta box callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'Weergeven in UI','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht geüpdatet.','In the editor notice after an item is updated.'=>'In het editor bericht nadat een item is geüpdatet.','Item Updated'=>'Item geüpdatet','%s updated.'=>'%s geüpdatet.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In het editor bericht na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In het editor bericht na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In het editor bericht na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In het editor bericht na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het scherm van de berichttypen lijst.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het scherm van de lijst met berichttypes.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst in de lijst met berichttypes.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de lijst met berichttypes.','Filter Items List'=>'Filter itemlijst','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Verwijder uitgelichte afbeelding','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Verwijder uitgelichte afbeelding','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding meta box.','Featured Image Meta Box'=>'Uitgelichte afbeelding meta box','Post Attributes'=>'Bericht attributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van het bericht attributen meta box.','Attributes Meta Box'=>'Attributen meta box','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenbak','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten in de prullenbak zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenbak','No %s found in Trash'=>'Geen %s gevonden in de prullenbak','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten zijn om weer te geven.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het item scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'%s zoeken','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het scherm van de berichttypen lijst.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de toolbar in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de voorpagina geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de toolbar om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'%s bekijken','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'%s bewerken','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypen niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypen selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie geüpdatet','Taxonomy draft updated.'=>'Taxonomie concept geüpdatet.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie geüpdatet.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypen gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypen gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypen gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypen geactiveerd.','Post Types'=>'Berichttypen','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype geüpdatet','Post type draft updated.'=>'Berichttype concept geüpdatet.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype geüpdatet.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypen en taxonomieën die zijn geregistreerd met extra berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Tabs voor veldinstellingen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerde checkbox gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Voeg je eerste veldgroep toe','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, extra berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenbak verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kunt oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'Toon in REST API','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Selecteer standaardkleur','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst geüpdatet: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Beoordeel wijzigingen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Bezoek site','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kunt tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je site haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab Hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Pagina op hoogste niveau (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Voorpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formats','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld klonen','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn geüpdatet naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het updaten naar %1$s v%2$s!','Database Upgrade Required'=>'Database-upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle gereedschappen','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, dan worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgorde nummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Format','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoudseditor','Permalink'=>'Permalink','Shown in field group list'=>'Weergegeven in lijst met veldgroepen','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen meta box)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'ID','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep weergeven als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgradetaken lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade afgerond.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer ten minste één site om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade afgerond. Terug naar netwerk dashboard','Site is up to date'=>'Site is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Site vereist database upgrade van %1$s naar %2$s','Site'=>'Site','Upgrade Sites'=>'Sites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de sites die je wilt updaten en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Naar klembord kopiëren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kunt plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veld groepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel sites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen afgerond.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veldnaam staan','Field group draft updated.'=>'Veldgroep concept geüpdatet.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep geüpdatet.','Tools'=>'Gereedschap','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht geüpdatet','Update'=>'Updaten','Validate Email'=>'E-mailadres valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitklappen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Updaten','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'De bestandsgrootte mag niet groter zijn dan %s.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minimaal %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes te togglen','Save \'custom\' values to the field\'s choices'=>'Sla \'aangepaste\' waarden op in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Toggle alles','Allow Archives URLs'=>'Archief URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laad waarde van bericht termen','Load Terms'=>'Laad termen','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Keuzerondjes','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievakje','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden weergegeven','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'Voeg de keuze \'overig\' toe om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Keuzerondje','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Deze accordeon openen zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestands ID','File URL'=>'Bestands URL','File Array'=>'Bestands array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand updaten','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'Ajax gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaardwaarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kunt slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruikers-ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Wissen','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Klaar','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mailadres','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knopgroep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media upload knoppen weergeven','Toolbar'=>'Toolbar','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Wordt weergegeven in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt weergegeven bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ( {max} waarden )','Relationship'=>'Verwantschap','Comma separated list. Leave blank for all types'=>'Komma gescheiden lijst. Laat leeg voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding updaten','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Selecteer afbeelding','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Sta toe dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen;','Automatically add paragraphs'=>'Automatisch alinea\'s toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe regels','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het format dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Format opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Op tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'True / False','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het format dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour format','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het format dat wordt weergegeven bij het bewerken van een bericht','Display Format'=>'Weergave format','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenbak','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in de prullenbak','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Options Updated'=>'Opties bijgewerkt','Check Again'=>'Controleer op updates','Publish'=>'Publiceer','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Er zijn geen groepen gevonden voor deze optie pagina. Maak een extra velden groep','Error. Could not connect to update server'=>'Fout. Kan niet verbinden met de update server','Select one or more fields you wish to clone'=>'Selecteer een of meer velden om te klonen','Display'=>'Toon','Specify the style used to render the clone field'=>'Kies de gebruikte stijl bij het renderen van het gekloonde veld','Group (displays selected fields in a group within this field)'=>'Groep (toont geselecteerde velden in een groep binnen dit veld)','Seamless (replaces this field with selected fields)'=>'Naadloos (vervangt dit veld met de geselecteerde velden)','Labels will be displayed as %s'=>'Labels worden getoond als %s','Prefix Field Labels'=>'Prefix veld labels','Values will be saved as %s'=>'Waarden worden opgeslagen als %s','Prefix Field Names'=>'Prefix veld namen','Unknown field'=>'Onbekend veld','Unknown field group'=>'Onbekend groep','All fields from %s field group'=>'Alle velden van %s veld groep','Add Row'=>'Nieuwe regel','layout'=>'layout' . "\0" . 'layout','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Dit veld vereist op zijn minst {min} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} beschikbaar (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} verplicht (min {min})','Flexible Content requires at least 1 layout'=>'Flexibele content vereist minimaal 1 layout','Click the "%s" button below to start creating your layout'=>'Klik op de "%s" button om een nieuwe lay-out te maken','Add layout'=>'Layout toevoegen','Remove layout'=>'Verwijder layout','Click to toggle'=>'Klik om in/uit te klappen','Delete Layout'=>'Verwijder layout','Duplicate Layout'=>'Dupliceer layout','Add New Layout'=>'Nieuwe layout','Add Layout'=>'Layout toevoegen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimale layouts','Maximum Layouts'=>'Maximale layouts','Button Label'=>'Button label','Add Image to Gallery'=>'Voeg afbeelding toe aan galerij','Maximum selection reached'=>'Maximale selectie bereikt','Length'=>'Lengte','Caption'=>'Onderschrift','Alt Text'=>'Alt tekst','Add to gallery'=>'Afbeelding(en) toevoegen','Bulk actions'=>'Acties','Sort by date uploaded'=>'Sorteer op datum geüpload','Sort by date modified'=>'Sorteer op datum aangepast','Sort by title'=>'Sorteer op titel','Reverse current order'=>'Keer volgorde om','Close'=>'Sluiten','Minimum Selection'=>'Minimale selectie','Maximum Selection'=>'Maximale selectie','Allowed file types'=>'Toegestane bestandstypen','Insert'=>'Invoegen','Specify where new attachments are added'=>'Geef aan waar nieuwe bijlagen worden toegevoegd','Append to the end'=>'Toevoegen aan het einde','Prepend to the beginning'=>'Toevoegen aan het begin','Minimum rows not reached ({min} rows)'=>'Minimum aantal rijen bereikt ({min} rijen)','Maximum rows reached ({max} rows)'=>'Maximum aantal rijen bereikt ({max} rijen)','Minimum Rows'=>'Minimum aantal rijen','Maximum Rows'=>'Maximum aantal rijen','Collapsed'=>'Ingeklapt','Select a sub field to show when row is collapsed'=>'Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is','Click to reorder'=>'Sleep om te sorteren','Add row'=>'Nieuwe regel','Remove row'=>'Verwijder regel','First Page'=>'Hoofdpagina','Previous Page'=>'Berichten pagina','Next Page'=>'Hoofdpagina','Last Page'=>'Berichten pagina','No options pages exist'=>'Er zijn nog geen optie pagina\'s','Deactivate License'=>'Licentiecode deactiveren','Activate License'=>'Activeer licentiecode','License Information'=>'Licentie informatie','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen licentiecode? Bekijk details & prijzen.','License Key'=>'Licentiecode','Update Information'=>'Update informatie','Current Version'=>'Huidige versie','Latest Version'=>'Nieuwste versie','Update Available'=>'Update beschikbaar','Upgrade Notice'=>'Upgrade opmerking','Enter your license key to unlock updates'=>'Vul uw licentiecode hierboven in om updates te ontvangen','Update Plugin'=>'Update plugin']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Meer informatie','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd kon worden.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen.','are developed and maintained by'=>'worden ontwikkeld en onderhouden door','Update Source'=>'Bron updaten','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een meta vak op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en weergeven in de editor UI met behulp van Block Bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze site]','Businessman Icon'=>'Zakenman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Bekijk site icoon','Learn More Icon'=>'Meer leren icoon','Add Page Icon'=>'Toevoegen pagina icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Updaten (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekstpagina icoon','Table Row Delete Icon'=>'Tabelrij verwijderen icoon','Table Row Before Icon'=>'Tabelrij voor icoon','Table Row After Icon'=>'Tabelrij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superhero (alt) icoon','Superhero Icon'=>'Superhero icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Deel (alt2) icoon','Share (alt) Icon'=>'Deel (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST API icoon','Remove Icon'=>'Verwijderen icoon','Reddit Icon'=>'Reddit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Geen (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactieve icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Voeg in voor icoon','Insert After Icon'=>'Voeg in na icoon','Insert Icon'=>'Voeg icoon in','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteren rechts icoon','Rotate Left Icon'=>'Roteren links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Spiegelen verticaal icoon','Flip Horizontal Icon'=>'Spiegelen horizontaal icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm afsluiten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voedsel icoon','Exit Icon'=>'Exit icoon','Excerpt View Icon'=>'Samenvattingweergave icoon','Embed Video Icon'=>'Insluiten video icoon','Embed Post Icon'=>'Insluiten bericht icoon','Embed Photo Icon'=>'Insluiten foto icoon','Embed Generic Icon'=>'Insluiten generiek icoon','Embed Audio Icon'=>'Insluiten audio icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellipsis icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Bewerken pagina icoon','Edit Large Icon'=>'Bewerken groot Icoon','Drumstick Icon'=>'Drumstick icoon','Database View Icon'=>'Database weergave icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database import icoon','Database Export Icon'=>'Database export icoon','Database Add Icon'=>'Database icoon toevoegen','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruitspoelen icoon','Skip Back Icon'=>'Terugspoel icoon','Repeat Icon'=>'Herhaal icoon','Play Icon'=>'Speel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleurkiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Auto icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Community icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'bbPress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl naar rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl naar rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl naar links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl naar links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek naar rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek naar links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Site (alt3) icoon','Site (alt2) Icon'=>'Site (alt2) icoon','Site (alt) Icon'=>'Site (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF Pro om opties pagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt geen toestemming om dat te doen.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Updaten icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linkerrechter icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Gereedschap icoon','Site Icon'=>'Site icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn geüpdatet in de pictogram kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retour format voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Iconen zoeken...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de mediatheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST API format','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypen (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypen (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF Block op deze pagina vereist aandacht voordat je kunt opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Voorwaarden bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook waar is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch aan onveilige HTML bij weergave door the_field of de ACF shortcode. We hebben vastgesteld dat de uitvoer van sommige van je velden is gewijzigd door deze aanpassing, maar dit hoeft geen brekende verandering te zijn. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je sitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - weergegeven via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kunt meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Gekopieerd van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dubbele taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kun je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt geüpdatet toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt geüpdatet op te slaan. Je kunt dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt weergegeven. Als dit veld bijvoorbeeld wordt weergegeven in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Update een veld met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer gereedschappen van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere sites met functies als ACF Blocks en Options Pages, en geavanceerde veldtypen als Repeater, Flexible Content, Clone en Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypen','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypen gevonden in prullenbak','No Post Types found'=>'Geen berichttypen gevonden','Search Post Types'=>'Berichttypen zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijd format kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van alinea\'s tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kun je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepaste extra berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype-items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden weergegeven.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. De datum retour format en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het format van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kun je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call To Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kun je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kun je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kun je bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om inhoud van berichttypen te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een meta box te zuiveren.','Meta Box Sanitization Callback'=>'Meta box sanitatie callback','Register Meta Box Callback'=>'Meta box callback registreren','No Meta Box'=>'Geen meta box','Custom Meta Box'=>'Aangepaste meta box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het meta box op het inhoud editor scherm. Standaard wordt het categorie meta box getoond voor hiërarchische taxonomieën, en het tags meta box voor niet hiërarchische taxonomieën.','Meta Box'=>'Meta box','Categories Meta Box'=>'Categorieën meta box','Tags Meta Box'=>'Tags meta box','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het updaten van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de tabel.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de paginering van de tabel.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de lijst met berichten.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Omschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je site staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het bewerken tags scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in het taxonomie meta box wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'%s toevoegen of verwijderen','Separate tags with commas'=>'Scheid tags met komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie meta box. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag updaten','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item updaten','Update %s'=>'%s updaten','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de toolbar om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische bericht types kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de voorkant en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Geeft dit berichttype weer in de REST API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'Weergeven in REST API','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Vraag variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Gereedschap\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. Edit_bericht, delete_berichten. Activeer om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Ondersteuning voor weergave menu\'s','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de toolbar.','Show In Admin Bar'=>'Toon in toolbar','Custom Meta Box Callback'=>'Aangepaste meta box callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'Weergeven in UI','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht geüpdatet.','In the editor notice after an item is updated.'=>'In het editor bericht nadat een item is geüpdatet.','Item Updated'=>'Item geüpdatet','%s updated.'=>'%s geüpdatet.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In het editor bericht na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In het editor bericht na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In het editor bericht na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In het editor bericht na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het scherm van de berichttypen lijst.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het scherm van de lijst met berichttypes.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst in de lijst met berichttypes.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de lijst met berichttypes.','Filter Items List'=>'Filter itemlijst','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Verwijder uitgelichte afbeelding','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Verwijder uitgelichte afbeelding','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding meta box.','Featured Image Meta Box'=>'Uitgelichte afbeelding meta box','Post Attributes'=>'Bericht attributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van het bericht attributen meta box.','Attributes Meta Box'=>'Attributen meta box','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenbak','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten in de prullenbak zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenbak','No %s found in Trash'=>'Geen %s gevonden in de prullenbak','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten zijn om weer te geven.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het item scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'%s zoeken','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het scherm van de berichttypen lijst.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de toolbar in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de voorpagina geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de toolbar om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'%s bekijken','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'%s bewerken','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypen niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypen selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie geüpdatet','Taxonomy draft updated.'=>'Taxonomie concept geüpdatet.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie geüpdatet.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypen gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypen gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypen gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypen geactiveerd.','Post Types'=>'Berichttypen','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype geüpdatet','Post type draft updated.'=>'Berichttype concept geüpdatet.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype geüpdatet.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypen en taxonomieën die zijn geregistreerd met extra berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Tabs voor veldinstellingen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerde checkbox gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Voeg je eerste veldgroep toe','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, extra berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenbak verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kunt oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'Toon in REST API','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Selecteer standaardkleur','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst geüpdatet: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Beoordeel wijzigingen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Bezoek site','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kunt tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je site haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab Hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Pagina op hoogste niveau (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Voorpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formats','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld klonen','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn geüpdatet naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het updaten naar %1$s v%2$s!','Database Upgrade Required'=>'Database-upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle gereedschappen','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, dan worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgorde nummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Format','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoudseditor','Permalink'=>'Permalink','Shown in field group list'=>'Weergegeven in lijst met veldgroepen','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen meta box)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'ID','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep weergeven als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgradetaken lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade afgerond.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer ten minste één site om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade afgerond. Terug naar netwerk dashboard','Site is up to date'=>'Site is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Site vereist database upgrade van %1$s naar %2$s','Site'=>'Site','Upgrade Sites'=>'Sites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de sites die je wilt updaten en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Naar klembord kopiëren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kunt plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veld groepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel sites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen afgerond.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veldnaam staan','Field group draft updated.'=>'Veldgroep concept geüpdatet.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep geüpdatet.','Tools'=>'Gereedschap','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht geüpdatet','Update'=>'Updaten','Validate Email'=>'E-mailadres valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitklappen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Updaten','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'De bestandsgrootte mag niet groter zijn dan %s.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minimaal %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes te togglen','Save \'custom\' values to the field\'s choices'=>'Sla \'aangepaste\' waarden op in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Toggle alles','Allow Archives URLs'=>'Archief URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laad waarde van bericht termen','Load Terms'=>'Laad termen','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Keuzerondjes','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievakje','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden weergegeven','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'Voeg de keuze \'overig\' toe om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Keuzerondje','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Deze accordeon openen zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestands ID','File URL'=>'Bestands URL','File Array'=>'Bestands array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand updaten','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'Ajax gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaardwaarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kunt slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruikers-ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Wissen','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Klaar','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mailadres','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knopgroep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media upload knoppen weergeven','Toolbar'=>'Toolbar','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Wordt weergegeven in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt weergegeven bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ( {max} waarden )','Relationship'=>'Verwantschap','Comma separated list. Leave blank for all types'=>'Komma gescheiden lijst. Laat leeg voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding updaten','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Selecteer afbeelding','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Sta toe dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen;','Automatically add paragraphs'=>'Automatisch alinea\'s toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe regels','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het format dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Format opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Op tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'True / False','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het format dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour format','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het format dat wordt weergegeven bij het bewerken van een bericht','Display Format'=>'Weergave format','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenbak','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in de prullenbak','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Your ACF PRO license is no longer active. Please renew to continue to have access to updates, support, & PRO features.'=>'Je ACF PRO licentie is niet langer actief. Verleng om toegang te blijven houden tot updates, ondersteuning en PRO functies.','Your license has expired. Please renew to continue to have access to updates, support & PRO features.'=>'Je licentie is verlopen. Verleng om toegang te blijven houden tot updates, ondersteuning & PRO functies.','Activate your license to enable access to updates, support & PRO features.'=>'Activeer je licentie om toegang te krijgen tot updates, ondersteuning & PRO functies.','A valid license is required to edit options pages.'=>'Je hebt een geldige licentie nodig om opties pagina\'s te bewerken.','A valid license is required to edit field groups assigned to a block.'=>'Je hebt een geldige licentie nodig om veldgroepen, die aan een blok zijn toegewezen, te bewerken.','Block type name is required.'=>'De naam van het bloktype is verplicht.','Block type "%s" is already registered.'=>'Bloktype “%s” is al geregistreerd.','The render template for this ACF Block was not found'=>'De rendertemplate voor dit ACF blok is niet gevonden','Switch to Edit'=>'Schakel naar bewerken','Switch to Preview'=>'Schakel naar voorbeeld','Change content alignment'=>'Inhoudsuitlijning wijzigen','An error occurred when loading the preview for this block.'=>'Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok.','An error occurred when loading the block in edit mode.'=>'Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus.','%s settings'=>'%s instellingen','This block contains no editable fields.'=>'Dit blok bevat geen bewerkbare velden.','Assign a field group to add fields to this block.'=>'Wijs een veldgroep toe om velden aan dit blok toe te voegen.','Options Updated'=>'Opties geüpdatet','To enable updates, please enter your license key on the Updates page. If you don\'t have a license key, please see details & pricing.'=>'Om updates te ontvangen, vul je hieronder je licentiecode in. Als je geen licentiesleutel hebt, raadpleeg dan details & prijzen.','To enable updates, please enter your license key on the Updates page of the main site. If you don\'t have a license key, please see details & pricing.'=>'Om updates in te schakelen, voer je je licentiesleutel in op de Updates pagina van de hoofdsite. Als je geen licentiesleutel hebt, raadpleeg dan details & prijzen.','Your defined license key has changed, but an error occurred when deactivating your old license'=>'Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout opgetreden bij het deactiveren van je oude licentie','Your defined license key has changed, but an error occurred when connecting to activation server'=>'Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout opgetreden bij het verbinden met de activeringsserver','ACF PRO — Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'ACF PRO — Je licentiesleutel is succesvol geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu ingeschakeld.','There was an issue activating your license key.'=>'Er is een probleem opgetreden bij het activeren van je licentiesleutel.','An error occurred when connecting to activation server'=>'Er is een fout opgetreden bij het verbinden met de activeringsserver','The ACF activation service is temporarily unavailable. Please try again later.'=>'De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later nog eens.','The ACF activation service is temporarily unavailable for scheduled maintenance. Please try again later.'=>'De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland onderhoud. Probeer het later nog eens.','An upstream API error occurred when checking your ACF PRO license status. We will retry again shortly.'=>'Er is een API fout opgetreden bij het controleren van je ACF PRO licentiestatus. We zullen het binnenkort opnieuw proberen.','You have reached the activation limit for the license.'=>'Je hebt de activeringslimiet voor de licentie bereikt.','View your licenses'=>'Je licenties bekijken','check again'=>'opnieuw controleren','%1$s or %2$s.'=>'%1$s of %2$s.','Your license key has expired and cannot be activated.'=>'Je licentiesleutel is verlopen en kan niet worden geactiveerd.','View your subscriptions'=>'Je abonnementen bekijken','License key not found. Make sure you have copied your license key exactly as it appears in your receipt or your account.'=>'Licentiesleutel niet gevonden. Zorg ervoor dat je de licentiesleutel precies zo hebt gekopieerd als op je ontvangstbewijs of in je account.','Your license key has been deactivated.'=>'Je licentiesleutel is gedeactiveerd.','Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'Je licentiesleutel is succesvol geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu ingeschakeld.','An unknown error occurred while trying to communicate with the ACF activation service: %s.'=>'Er is een onbekende fout opgetreden tijdens het communiceren met de ACF activeringsservice: %s.','ACF PRO —'=>'ACF PRO —','Check again'=>'Opnieuw controleren','Could not connect to the activation server'=>'Kon niet verbinden met de activeringsserver','Your license key is valid but not activated on this site. Please deactivate and then reactivate the license.'=>'Je licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw.','Your site URL has changed since last activating your license. We\'ve automatically activated it for this site URL.'=>'De URL van je site is veranderd sinds de laatste keer dat je je licentie hebt geactiveerd. We hebben het automatisch geactiveerd voor deze site URL.','Your site URL has changed since last activating your license, but we weren\'t able to automatically reactivate it: %s'=>'De URL van je site is veranderd sinds de laatste keer dat je je licentie hebt geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen activeren: %s','Publish'=>'Publiceren','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Er zijn geen groepen gevonden voor deze opties pagina. Maak een extra veldgroep','Error. Could not connect to the update server'=>'Fout. Kon niet verbinden met de updateserver','An update to ACF is available, but it is not compatible with your version of WordPress. Please upgrade to WordPress %s or newer to update ACF.'=>'Er is een update voor ACF beschikbaar, maar deze is niet compatibel met jouw versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten.','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fout. Kan het updatepakket niet verifiëren. Controleer opnieuw of deactiveer en heractiveer je ACF PRO licentie.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fout. Je licentie voor deze site is verlopen of gedeactiveerd. Activeer je ACF PRO licentie opnieuw.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kan je bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run-time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep subvelden.','Select one or more fields you wish to clone'=>'Selecteer één of meer velden om te klonen','Display'=>'Weergeven','Specify the style used to render the clone field'=>'Kies de gebruikte stijl bij het renderen van het gekloonde veld','Group (displays selected fields in a group within this field)'=>'Groep (toont geselecteerde velden in een groep binnen dit veld)','Seamless (replaces this field with selected fields)'=>'Naadloos (vervangt dit veld met de geselecteerde velden)','Labels will be displayed as %s'=>'Labels worden weergegeven als %s','Prefix Field Labels'=>'Prefix veld labels','Values will be saved as %s'=>'Waarden worden opgeslagen als %s','Prefix Field Names'=>'Prefix veld namen','Unknown field'=>'Onbekend veld','Unknown field group'=>'Onbekend groep','All fields from %s field group'=>'Alle velden van %s veldgroep','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Hiermee kan je inhoud definiëren, creëren en beheren met volledige controle door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren kunnen kiezen.','Add Row'=>'Nieuwe rij','layout'=>'lay-out' . "\0" . 'lay-outs','layouts'=>'lay-outs','This field requires at least {min} {label} {identifier}'=>'Dit veld vereist op zijn minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dit veld heeft een limiet van {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} beschikbaar (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} verplicht (min {min})','Flexible Content requires at least 1 layout'=>'Flexibele inhoud vereist minimaal 1 lay-out','Click the "%s" button below to start creating your layout'=>'Klik op de "%s" knop om een nieuwe lay-out te maken','Add layout'=>'Lay-out toevoegen','Duplicate layout'=>'Lay-out dupliceren','Remove layout'=>'Lay-out verwijderen','Click to toggle'=>'Klik om in/uit te klappen','Delete Layout'=>'Lay-out verwijderen','Duplicate Layout'=>'Lay-out dupliceren','Add New Layout'=>'Nieuwe layout','Add Layout'=>'Lay-out toevoegen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimale layouts','Maximum Layouts'=>'Maximale lay-outs','Button Label'=>'Knop label','%s must be of type array or null.'=>'%s moet van het type array of null zijn.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s moet minstens %2$s %3$s lay-out bevatten.' . "\0" . '%1$s moet minstens %2$s %3$s lay-outs bevatten.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s moet hoogstens %2$s %3$s lay-out bevatten.' . "\0" . '%1$s moet hoogstens %2$s %3$s lay-outs bevatten.','An interactive interface for managing a collection of attachments, such as images.'=>'Een interactieve interface voor het beheer van een verzameling van bijlagen, zoals afbeeldingen.','Add Image to Gallery'=>'Afbeelding toevoegen aan galerij','Maximum selection reached'=>'Maximale selectie bereikt','Length'=>'Lengte','Caption'=>'Onderschrift','Alt Text'=>'Alt tekst','Add to gallery'=>'Afbeelding(en) toevoegen','Bulk actions'=>'Bulkacties','Sort by date uploaded'=>'Sorteren op datum geüpload','Sort by date modified'=>'Sorteren op datum aangepast','Sort by title'=>'Sorteren op titel','Reverse current order'=>'Volgorde omkeren','Close'=>'Sluiten','Minimum Selection'=>'Minimale selectie','Maximum Selection'=>'Maximale selectie','Insert'=>'Invoegen','Specify where new attachments are added'=>'Geef aan waar nieuwe bijlagen worden toegevoegd','Append to the end'=>'Toevoegen aan het einde','Prepend to the beginning'=>'Toevoegen aan het begin','Provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en call-to-action tegels, door te dienen als een hoofditem voor een set subvelden die steeds opnieuw kunnen worden herhaald.','Minimum rows not reached ({min} rows)'=>'Minimum aantal rijen bereikt ({min} rijen)','Maximum rows reached ({max} rows)'=>'Maximum aantal rijen bereikt ({max} rijen)','Error loading page'=>'Fout bij het laden van de pagina','Order will be assigned upon save'=>'Volgorde zal worden toegewezen bij opslaan','Useful for fields with a large number of rows.'=>'Nuttig voor velden met een groot aantal rijen.','Rows Per Page'=>'Rijen per pagina','Set the number of rows to be displayed on a page.'=>'Stel het aantal rijen in om weer te geven op een pagina.','Minimum Rows'=>'Minimum aantal rijen','Maximum Rows'=>'Maximum aantal rijen','Collapsed'=>'Ingeklapt','Select a sub field to show when row is collapsed'=>'Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is','Invalid field key or name.'=>'Ongeldige veldsleutel of -naam.','There was an error retrieving the field.'=>'Er is een fout opgetreden bij het ophalen van het veld.','Click to reorder'=>'Klik om te herschikken','Add row'=>'Nieuwe rij','Duplicate row'=>'Rij dupliceren','Remove row'=>'Regel verwijderen','Current Page'=>'Huidige pagina','First Page'=>'Eerste pagina','Previous Page'=>'Vorige pagina','paging%1$s of %2$s'=>'%1$s van %2$s','Next Page'=>'Volgende pagina','Last Page'=>'Laatste pagina','No block types exist'=>'Er bestaan geen bloktypes','Select options page...'=>'Opties pagina selecteren…','Add New Options Page'=>'Nieuwe opties pagina toevoegen','Edit Options Page'=>'Opties pagina bewerken','New Options Page'=>'Nieuwe opties pagina','View Options Page'=>'Opties pagina bekijken','Search Options Pages'=>'Opties pagina’s zoeken','No Options Pages found'=>'Geen opties pagina’s gevonden','No Options Pages found in Trash'=>'Geen opties pagina’s gevonden in prullenbak','The menu slug must only contain lower case alphanumeric characters, underscores or dashes.'=>'De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','This Menu Slug is already in use by another ACF Options Page.'=>'Deze menuslug wordt al gebruikt door een andere ACF opties pagina.','Options page deleted.'=>'Opties pagina verwijderd.','Options page updated.'=>'Opties pagina geüpdatet.','Options page saved.'=>'Opties pagina opgeslagen.','Options page submitted.'=>'Opties pagina ingediend.','Options page scheduled for.'=>'Opties pagina gepland voor.','Options page draft updated.'=>'Opties pagina concept geüpdatet.','%s options page updated'=>'%s opties pagina geüpdatet','%s options page created'=>'%s opties pagina aangemaakt','Link existing field groups'=>'Koppel bestaande veldgroepen','No Parent'=>'Geen hoofditem','The provided Menu Slug already exists.'=>'De opgegeven menuslug bestaat al.','Options page activated.'=>'Opties pagina geactiveerd.' . "\0" . '%s opties pagina’s geactiveerd.','Options page deactivated.'=>'Opties pagina gedeactiveerd.' . "\0" . '%s opties pagina’s gedeactiveerd.','Options page duplicated.'=>'Opties pagina gedupliceerd.' . "\0" . '%s opties pagina’s gedupliceerd.','Options page synchronized.'=>'Opties pagina gesynchroniseerd.' . "\0" . '%s opties pagina\'s gesynchroniseerd.','Deactivate License'=>'Licentiecode deactiveren','Activate License'=>'Licentie activeren','license statusInactive'=>'Inactief','license statusCancelled'=>'Geannuleerd','license statusExpired'=>'Verlopen','license statusActive'=>'Actief','Subscription Status'=>'Abonnementsstatus','Subscription Type'=>'Abonnementstype','Lifetime - '=>'Levenslang - ','Subscription Expires'=>'Abonnement verloopt','Subscription Expired'=>'Abonnement verlopen','Renew Subscription'=>'Abonnement verlengen','License Information'=>'Licentie informatie','License Key'=>'Licentiecode','Recheck License'=>'Licentie opnieuw controleren','Your license key is defined in wp-config.php.'=>'Je licentiesleutel wordt gedefinieerd in wp-config.php.','View pricing & purchase'=>'Prijzen bekijken & kopen','Don\'t have an ACF PRO license? %s'=>'Heb je geen ACF PRO licentie? %s','Update Information'=>'Informatie updaten','Current Version'=>'Huidige versie','Latest Version'=>'Nieuwste versie','Update Available'=>'Update beschikbaar','Upgrade Notice'=>'Upgrade opmerking','Check For Updates'=>'Controleren op updates','Enter your license key to unlock updates'=>'Vul je licentiecode hierboven in om updates te ontgrendelen','Update Plugin'=>'Plugin updaten','Updates must be manually installed in this configuration'=>'Updates moeten handmatig worden geïnstalleerd in deze configuratie','Update ACF in Network Admin'=>'ACF updaten in netwerkbeheer','Please reactivate your license to unlock updates'=>'Activeer je licentie opnieuw om updates te ontgrendelen','Please upgrade WordPress to update ACF'=>'Upgrade WordPress om ACF te updaten','Dashicon class name'=>'Dashicon class naam','The icon used for the options page menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon.','Menu Title'=>'Menutitel','Learn more about menu positions.'=>'Meer informatie over menuposities.','The position in the menu where this page should appear. %s'=>'De positie in het menu waar deze pagina moet verschijnen. %s','The position in the menu where this child page should appear. The first child page is 0, the next is 1, etc.'=>'De positie in het menu waar deze subpagina moet verschijnen. De eerste subpagina is 0, de volgende is 1, etc.','Redirect to Child Page'=>'Doorverwijzen naar subpagina','When child pages exist for this parent page, this page will redirect to the first child page.'=>'Als er subpagina\'s bestaan voor deze hoofdpagina, zal deze pagina doorsturen naar de eerste subpagina.','A descriptive summary of the options page.'=>'Een beschrijvende samenvatting van de opties pagina.','Update Button Label'=>'Update knop label','The label used for the submit button which updates the fields on the options page.'=>'Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de opties pagina worden geüpdatet.','Updated Message'=>'Bericht geüpdatet','The message that is displayed after successfully updating the options page.'=>'Het bericht dat wordt weergegeven na het succesvol updaten van de opties pagina.','Updated Options'=>'Geüpdatete opties','Capability'=>'Rechten','The capability required for this menu to be displayed to the user.'=>'De rechten die nodig zijn om dit menu weer te geven aan de gebruiker.','Data Storage'=>'Gegevensopslag','By default, the option page stores field data in the options table. You can make the page load field data from a post, user, or term.'=>'Standaard slaat de opties pagina veldgegevens op in de optietabel. Je kunt de pagina veldgegevens laten laden van een bericht, gebruiker of term.','Custom Storage'=>'Aangepaste opslag','Learn more about available settings.'=>'Meer informatie over beschikbare instellingen.','Set a custom storage location. Can be a numeric post ID (123), or a string (`user_2`). %s'=>'Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn (123) of een tekenreeks (`user_2`). %s','Autoload Options'=>'Autoload opties','Improve performance by loading the fields in the option records automatically when WordPress loads.'=>'Verbeter de prestaties door de velden in de optie-records automatisch te laden wanneer WordPress wordt geladen.','Page Title'=>'Paginatitel','Site Settings'=>'Site instellingen','Menu Slug'=>'Menuslug','Parent Page'=>'Hoofdpagina','Add Your First Options Page'=>'Voeg je eerste opties pagina toe'],'language'=>'nl_NL','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-nl_NL.mo b/lang/acf-nl_NL.mo
index fdb20e4..4b322f8 100644
Binary files a/lang/acf-nl_NL.mo and b/lang/acf-nl_NL.mo differ
diff --git a/lang/acf-nl_NL.po b/lang/acf-nl_NL.po
index 4f90794..0ab6487 100644
--- a/lang/acf-nl_NL.po
+++ b/lang/acf-nl_NL.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: nl_NL\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,31 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Meer informatie"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd "
+"kon worden."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "worden ontwikkeld en onderhouden door"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Bron updaten"
@@ -66,14 +91,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de "
-"beveiliging was verstrekt."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Toegang tot waarde toestaan in UI van editor"
@@ -2066,21 +2083,21 @@ msgstr "Velden toevoegen"
msgid "This Field"
msgstr "Dit veld"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Ondersteuning"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "is ontwikkeld en wordt onderhouden door"
@@ -4648,7 +4665,7 @@ msgstr ""
"Importeer berichttypen en taxonomieën die zijn geregistreerd met extra "
"berichttype UI en beheerder ze met ACF. Aan de slag."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4982,7 +4999,7 @@ msgstr "Activeer dit item"
msgid "Move field group to trash?"
msgstr "Veldgroep naar prullenbak verplaatsen?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4995,7 +5012,7 @@ msgstr "Inactief"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5004,7 +5021,7 @@ msgstr ""
"tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch "
"gedeactiveerd."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5457,7 +5474,7 @@ msgstr "Alle %s formats"
msgid "Attachment"
msgstr "Bijlage"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s waarde is verplicht"
@@ -5949,7 +5966,7 @@ msgstr "Dit item dupliceren"
msgid "Supports"
msgstr "Ondersteunt"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentatie"
@@ -6247,8 +6264,8 @@ msgstr "%d velden vereisen aandacht"
msgid "1 field requires attention"
msgstr "1 veld vereist aandacht"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validatie mislukt"
@@ -7630,90 +7647,90 @@ msgid "Time Picker"
msgstr "Tijdkiezer"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactief (%s)"
msgstr[1] "Inactief (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Geen velden gevonden in de prullenbak"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Geen velden gevonden"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Velden zoeken"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Veld bekijken"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nieuw veld"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Veld bewerken"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Nieuw veld toevoegen"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Veld"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Velden"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Geen veldgroepen gevonden in de prullenbak"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Geen veldgroepen gevonden"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Veldgroepen zoeken"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Veldgroep bekijken"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nieuwe veldgroep"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Veldgroep bewerken"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Nieuwe veldgroep toevoegen"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Nieuwe toevoegen"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Veldgroep"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
@@ -7734,566 +7751,1088 @@ msgstr "https://www.advancedcustomfields.com"
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"
-#: pro/acf-pro.php:27
+#: pro/acf-pro.php:21
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"
-#: pro/blocks.php:170
-msgid "Block type name is required."
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
msgstr ""
+"Je ACF PRO licentie is niet langer actief. Verleng om toegang te blijven "
+"houden tot updates, ondersteuning en PRO functies."
+
+#: pro/acf-pro.php:171
+msgid ""
+"Your license has expired. Please renew to continue to have access to "
+"updates, support & PRO features."
+msgstr ""
+"Je licentie is verlopen. Verleng om toegang te blijven houden tot updates, "
+"ondersteuning & PRO functies."
+
+#: pro/acf-pro.php:168
+msgid ""
+"Activate your license to enable access to updates, support & PRO "
+"features."
+msgstr ""
+"Activeer je licentie om toegang te krijgen tot updates, ondersteuning & "
+"PRO functies."
+
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "Je hebt een geldige licentie nodig om opties pagina's te bewerken."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr ""
+"Je hebt een geldige licentie nodig om veldgroepen, die aan een blok zijn "
+"toegewezen, te bewerken."
+
+#: pro/blocks.php:186
+msgid "Block type name is required."
+msgstr "De naam van het bloktype is verplicht."
#. translators: The name of the block type
-#: pro/blocks.php:178
+#: pro/blocks.php:194
msgid "Block type \"%s\" is already registered."
-msgstr ""
+msgstr "Bloktype “%s” is al geregistreerd."
-#: pro/blocks.php:726
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr "De rendertemplate voor dit ACF blok is niet gevonden"
+
+#: pro/blocks.php:790
msgid "Switch to Edit"
-msgstr ""
+msgstr "Schakel naar bewerken"
-#: pro/blocks.php:727
+#: pro/blocks.php:791
msgid "Switch to Preview"
-msgstr ""
+msgstr "Schakel naar voorbeeld"
-#: pro/blocks.php:728
+#: pro/blocks.php:792
msgid "Change content alignment"
+msgstr "Inhoudsuitlijning wijzigen"
+
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
msgstr ""
+"Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok."
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus."
#. translators: %s: Block type title
-#: pro/blocks.php:731
+#: pro/blocks.php:797
msgid "%s settings"
-msgstr ""
+msgstr "%s instellingen"
-#: pro/blocks.php:936
+#: pro/blocks.php:1039
msgid "This block contains no editable fields."
-msgstr ""
+msgstr "Dit blok bevat geen bewerkbare velden."
#. translators: %s: an admin URL to the field group edit screen
-#: pro/blocks.php:942
+#: pro/blocks.php:1045
msgid ""
"Assign a field group to add fields to "
"this block."
msgstr ""
+"Wijs een veldgroep toe om velden aan dit "
+"blok toe te voegen."
-#: pro/options-page.php:78
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
msgid "Options Updated"
-msgstr "Opties bijgewerkt"
+msgstr "Opties geüpdatet"
-#: pro/updates.php:99
+#. translators: %1 A link to the updates page. %2 link to the pricing page
+#: pro/updates.php:75
msgid ""
"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see "
+"href=\"%1$s\">Updates page. If you don't have a license key, please see "
"details & pricing."
msgstr ""
+"Om updates te ontvangen, vul je hieronder je licentiecode in. Als je geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:71
+msgid ""
+"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
+"key, please see details & pricing."
+msgstr ""
+"Om updates in te schakelen, voer je je licentiesleutel in op de Updates pagina van de hoofdsite. Als je geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:136
+msgid ""
+"Your defined license key has changed, but an error occurred when "
+"deactivating your old license"
+msgstr ""
+"Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het deactiveren van je oude licentie"
+
+#: pro/updates.php:133
+msgid ""
+"Your defined license key has changed, but an error occurred when connecting "
+"to activation server"
+msgstr ""
+"Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:168
+msgid ""
+"ACF PRO — Your license key has been activated "
+"successfully. Access to updates, support & PRO features is now enabled."
+msgstr ""
+"ACF PRO — Je licentiesleutel is succesvol "
+"geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu "
+"ingeschakeld."
#: pro/updates.php:159
-msgid ""
-"ACF Activation Error. Your defined license key has changed, but an "
-"error occurred when deactivating your old licence"
+msgid "There was an issue activating your license key."
msgstr ""
+"Er is een probleem opgetreden bij het activeren van je licentiesleutel."
-#: pro/updates.php:154
+#: pro/updates.php:155
+msgid "An error occurred when connecting to activation server"
+msgstr "Er is een fout opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:258
msgid ""
-"ACF Activation Error. Your defined license key has changed, but an "
-"error occurred when connecting to activation server"
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later "
+"nog eens."
+
+#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland "
+"onderhoud. Probeer het later nog eens."
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"Er is een API fout opgetreden bij het controleren van je ACF PRO "
+"licentiestatus. We zullen het binnenkort opnieuw proberen."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "Je hebt de activeringslimiet voor de licentie bereikt."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "Je licenties bekijken"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr "opnieuw controleren"
+
+#: pro/updates.php:250
+msgid "%1$s or %2$s."
+msgstr "%1$s of %2$s."
+
+#: pro/updates.php:210
+msgid "Your license key has expired and cannot be activated."
+msgstr "Je licentiesleutel is verlopen en kan niet worden geactiveerd."
+
+#: pro/updates.php:219
+msgid "View your subscriptions"
+msgstr "Je abonnementen bekijken"
+
+#: pro/updates.php:196
+msgid ""
+"License key not found. Make sure you have copied your license key exactly as "
+"it appears in your receipt or your account."
+msgstr ""
+"Licentiesleutel niet gevonden. Zorg ervoor dat je de licentiesleutel precies "
+"zo hebt gekopieerd als op je ontvangstbewijs of in je account."
+
+#: pro/updates.php:194
+msgid "Your license key has been deactivated."
+msgstr "Je licentiesleutel is gedeactiveerd."
#: pro/updates.php:192
-msgid "ACF Activation Error"
-msgstr ""
-
-#: pro/updates.php:187
msgid ""
-"ACF Activation Error. An error occurred when connecting to activation "
-"server"
+"Your license key has been activated successfully. Access to updates, support "
+"& PRO features is now enabled."
msgstr ""
+"Je licentiesleutel is succesvol geactiveerd. Toegang tot updates, "
+"ondersteuning & PRO functies is nu ingeschakeld."
-#: pro/updates.php:279
-msgid "Check Again"
-msgstr "Controleer op updates"
-
-#: pro/updates.php:593
-msgid "ACF Activation Error. Could not connect to activation server"
+#. translators: %s an untranslatable internal upstream error message
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
msgstr ""
+"Er is een onbekende fout opgetreden tijdens het communiceren met de ACF "
+"activeringsservice: %s."
-#: pro/admin/admin-options-page.php:195
+#: pro/updates.php:333, pro/updates.php:949
+msgid "ACF PRO —"
+msgstr "ACF PRO —"
+
+#: pro/updates.php:342
+msgid "Check again"
+msgstr "Opnieuw controleren"
+
+#: pro/updates.php:657
+msgid "Could not connect to the activation server"
+msgstr "Kon niet verbinden met de activeringsserver"
+
+#. translators: %s - URL to ACF updates page
+#: pro/updates.php:727
+msgid ""
+"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
+msgstr ""
+"Je licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw."
+
+#: pro/updates.php:949
+msgid ""
+"Your site URL has changed since last activating your license. We've "
+"automatically activated it for this site URL."
+msgstr ""
+"De URL van je site is veranderd sinds de laatste keer dat je je licentie "
+"hebt geactiveerd. We hebben het automatisch geactiveerd voor deze site URL."
+
+#: pro/updates.php:941
+msgid ""
+"Your site URL has changed since last activating your license, but we weren't "
+"able to automatically reactivate it: %s"
+msgstr ""
+"De URL van je site is veranderd sinds de laatste keer dat je je licentie "
+"hebt geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen "
+"activeren: %s"
+
+#: pro/admin/admin-options-page.php:159
msgid "Publish"
-msgstr "Publiceer"
+msgstr "Publiceren"
-#: pro/admin/admin-options-page.php:199
+#: pro/admin/admin-options-page.php:162
msgid ""
"No Custom Field Groups found for this options page. Create a "
"Custom Field Group"
msgstr ""
-"Er zijn geen groepen gevonden voor deze optie pagina. Maak "
-"een extra velden groep"
+"Er zijn geen groepen gevonden voor deze opties pagina. Maak "
+"een extra veldgroep"
#: pro/admin/admin-updates.php:52
-msgid "Error. Could not connect to update server"
-msgstr "Fout. Kan niet verbinden met de update server"
+msgid "Error. Could not connect to the update server"
+msgstr "Fout. Kon niet verbinden met de updateserver"
-#: pro/admin/admin-updates.php:212
+#. translators: %s the version of WordPress required for this ACF update
+#: pro/admin/admin-updates.php:203
msgid ""
-"Error. Could not authenticate update package. Please check again or "
-"deactivate and reactivate your ACF PRO license."
+"An update to ACF is available, but it is not compatible with your version of "
+"WordPress. Please upgrade to WordPress %s or newer to update ACF."
msgstr ""
+"Er is een update voor ACF beschikbaar, maar deze is niet compatibel met jouw "
+"versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten."
-#: pro/admin/admin-updates.php:199
+#: pro/admin/admin-updates.php:224
msgid ""
-"Error. Your license for this site has expired or been deactivated. "
-"Please reactivate your ACF PRO license."
+"Error. Could not authenticate update package. Please check "
+"again or deactivate and reactivate your ACF PRO license."
msgstr ""
+"Fout. Kan het updatepakket niet verifiëren. Controleer "
+"opnieuw of deactiveer en heractiveer je ACF PRO licentie."
-#: pro/fields/class-acf-field-clone.php:27,
-#: pro/fields/class-acf-field-repeater.php:31
+#: pro/admin/admin-updates.php:214
+msgid ""
+"Error. Your license for this site has expired or been "
+"deactivated. Please reactivate your ACF PRO license."
+msgstr ""
+"Fout. Je licentie voor deze site is verlopen of "
+"gedeactiveerd. Activeer je ACF PRO licentie opnieuw."
+
+#: pro/fields/class-acf-field-clone.php:24
msgid ""
"Allows you to select and display existing fields. It does not duplicate any "
"fields in the database, but loads and displays the selected fields at run-"
"time. The Clone field can either replace itself with the selected fields or "
"display the selected fields as a group of subfields."
msgstr ""
+"Hiermee kan je bestaande velden selecteren en weergeven. Het dupliceert geen "
+"velden in de database, maar laadt en toont de geselecteerde velden bij run-"
+"time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of "
+"de geselecteerde velden weergeven als een groep subvelden."
-#: pro/fields/class-acf-field-clone.php:819
+#: pro/fields/class-acf-field-clone.php:725
msgid "Select one or more fields you wish to clone"
-msgstr "Selecteer een of meer velden om te klonen"
+msgstr "Selecteer één of meer velden om te klonen"
-#: pro/fields/class-acf-field-clone.php:838
+#: pro/fields/class-acf-field-clone.php:745
msgid "Display"
-msgstr "Toon"
+msgstr "Weergeven"
-#: pro/fields/class-acf-field-clone.php:839
+#: pro/fields/class-acf-field-clone.php:746
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:844
+#: pro/fields/class-acf-field-clone.php:751
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:845
+#: pro/fields/class-acf-field-clone.php:752
msgid "Seamless (replaces this field with selected fields)"
msgstr "Naadloos (vervangt dit veld met de geselecteerde velden)"
-#: pro/fields/class-acf-field-clone.php:868
+#: pro/fields/class-acf-field-clone.php:775
msgid "Labels will be displayed as %s"
-msgstr "Labels worden getoond als %s"
+msgstr "Labels worden weergegeven als %s"
-#: pro/fields/class-acf-field-clone.php:873
+#: pro/fields/class-acf-field-clone.php:780
msgid "Prefix Field Labels"
msgstr "Prefix veld labels"
-#: pro/fields/class-acf-field-clone.php:883
+#: pro/fields/class-acf-field-clone.php:790
msgid "Values will be saved as %s"
msgstr "Waarden worden opgeslagen als %s"
-#: pro/fields/class-acf-field-clone.php:888
+#: pro/fields/class-acf-field-clone.php:795
msgid "Prefix Field Names"
msgstr "Prefix veld namen"
-#: pro/fields/class-acf-field-clone.php:1005
+#: pro/fields/class-acf-field-clone.php:892
msgid "Unknown field"
msgstr "Onbekend veld"
-#: pro/fields/class-acf-field-clone.php:1042
+#: pro/fields/class-acf-field-clone.php:925
msgid "Unknown field group"
msgstr "Onbekend groep"
-#: pro/fields/class-acf-field-clone.php:1046
+#: pro/fields/class-acf-field-clone.php:929
msgid "All fields from %s field group"
-msgstr "Alle velden van %s veld groep"
+msgstr "Alle velden van %s veldgroep"
-#: pro/fields/class-acf-field-flexible-content.php:27
+#: pro/fields/class-acf-field-flexible-content.php:24
msgid ""
"Allows you to define, create and manage content with total control by "
"creating layouts that contain subfields that content editors can choose from."
msgstr ""
+"Hiermee kan je inhoud definiëren, creëren en beheren met volledige controle "
+"door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren "
+"kunnen kiezen."
-#: pro/fields/class-acf-field-flexible-content.php:36,
-#: pro/fields/class-acf-field-repeater.php:103,
-#: pro/fields/class-acf-field-repeater.php:297
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
msgid "Add Row"
-msgstr "Nieuwe regel"
+msgstr "Nieuwe rij"
-#: pro/fields/class-acf-field-flexible-content.php:76,
-#: pro/fields/class-acf-field-flexible-content.php:943,
-#: pro/fields/class-acf-field-flexible-content.php:1022
-#, fuzzy
-#| msgid "layout"
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
msgid "layout"
msgid_plural "layouts"
-msgstr[0] "layout"
-msgstr[1] "layout"
+msgstr[0] "lay-out"
+msgstr[1] "lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:77
+#: pro/fields/class-acf-field-flexible-content.php:71
msgid "layouts"
-msgstr "layouts"
+msgstr "lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:81,
-#: pro/fields/class-acf-field-flexible-content.php:942,
-#: pro/fields/class-acf-field-flexible-content.php:1021
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
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:82
+#: pro/fields/class-acf-field-flexible-content.php:76
msgid "This field has a limit of {max} {label} {identifier}"
-msgstr ""
+msgstr "Dit veld heeft een limiet van {max} {label} {identifier}"
-#: pro/fields/class-acf-field-flexible-content.php:85
+#: pro/fields/class-acf-field-flexible-content.php:79
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} beschikbaar (max {max})"
-#: pro/fields/class-acf-field-flexible-content.php:86
+#: pro/fields/class-acf-field-flexible-content.php:80
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} verplicht (min {min})"
-#: pro/fields/class-acf-field-flexible-content.php:89
+#: pro/fields/class-acf-field-flexible-content.php:83
msgid "Flexible Content requires at least 1 layout"
-msgstr "Flexibele content vereist minimaal 1 layout"
+msgstr "Flexibele inhoud vereist minimaal 1 lay-out"
-#: pro/fields/class-acf-field-flexible-content.php:282
+#. translators: %s the button label used for adding a new layout.
+#: pro/fields/class-acf-field-flexible-content.php:255
msgid "Click the \"%s\" button below to start creating your layout"
-msgstr "Klik op de \"%s\" button om een nieuwe lay-out te maken"
+msgstr "Klik op de \"%s\" knop om een nieuwe lay-out te maken"
-#: pro/fields/class-acf-field-flexible-content.php:423
+#: pro/fields/class-acf-field-flexible-content.php:378
msgid "Add layout"
-msgstr "Layout toevoegen"
+msgstr "Lay-out toevoegen"
-#: pro/fields/class-acf-field-flexible-content.php:424
+#: pro/fields/class-acf-field-flexible-content.php:379
msgid "Duplicate layout"
-msgstr ""
+msgstr "Lay-out dupliceren"
-#: pro/fields/class-acf-field-flexible-content.php:425
+#: pro/fields/class-acf-field-flexible-content.php:380
msgid "Remove layout"
-msgstr "Verwijder layout"
+msgstr "Lay-out verwijderen"
-#: pro/fields/class-acf-field-flexible-content.php:426,
-#: pro/fields/class-acf-repeater-table.php:382
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
msgid "Click to toggle"
msgstr "Klik om in/uit te klappen"
-#: pro/fields/class-acf-field-flexible-content.php:562
+#: pro/fields/class-acf-field-flexible-content.php:517
msgid "Delete Layout"
-msgstr "Verwijder layout"
+msgstr "Lay-out verwijderen"
-#: pro/fields/class-acf-field-flexible-content.php:563
+#: pro/fields/class-acf-field-flexible-content.php:518
msgid "Duplicate Layout"
-msgstr "Dupliceer layout"
+msgstr "Lay-out dupliceren"
-#: pro/fields/class-acf-field-flexible-content.php:564
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add New Layout"
msgstr "Nieuwe layout"
-#: pro/fields/class-acf-field-flexible-content.php:564
-#, fuzzy
-#| msgid "Add layout"
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add Layout"
-msgstr "Layout toevoegen"
+msgstr "Lay-out toevoegen"
-#: pro/fields/class-acf-field-flexible-content.php:647
+#: pro/fields/class-acf-field-flexible-content.php:603
msgid "Min"
msgstr "Min"
-#: pro/fields/class-acf-field-flexible-content.php:662
+#: pro/fields/class-acf-field-flexible-content.php:618
msgid "Max"
msgstr "Max"
-#: pro/fields/class-acf-field-flexible-content.php:705
+#: pro/fields/class-acf-field-flexible-content.php:659
msgid "Minimum Layouts"
msgstr "Minimale layouts"
-#: pro/fields/class-acf-field-flexible-content.php:716
+#: pro/fields/class-acf-field-flexible-content.php:670
msgid "Maximum Layouts"
-msgstr "Maximale layouts"
+msgstr "Maximale lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:727,
-#: pro/fields/class-acf-field-repeater.php:293
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
msgid "Button Label"
-msgstr "Button label"
+msgstr "Knop label"
-#: pro/fields/class-acf-field-flexible-content.php:1710,
-#: pro/fields/class-acf-field-repeater.php:918
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
msgid "%s must be of type array or null."
-msgstr ""
+msgstr "%s moet van het type array of null zijn."
-#: pro/fields/class-acf-field-flexible-content.php:1721
+#: pro/fields/class-acf-field-flexible-content.php:1563
msgid "%1$s must contain at least %2$s %3$s layout."
msgid_plural "%1$s must contain at least %2$s %3$s layouts."
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "%1$s moet minstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet minstens %2$s %3$s lay-outs bevatten."
-#: pro/fields/class-acf-field-flexible-content.php:1737
+#: pro/fields/class-acf-field-flexible-content.php:1579
msgid "%1$s must contain at most %2$s %3$s layout."
msgid_plural "%1$s must contain at most %2$s %3$s layouts."
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "%1$s moet hoogstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet hoogstens %2$s %3$s lay-outs bevatten."
-#: pro/fields/class-acf-field-gallery.php:27
+#: pro/fields/class-acf-field-gallery.php:24
msgid ""
"An interactive interface for managing a collection of attachments, such as "
"images."
msgstr ""
+"Een interactieve interface voor het beheer van een verzameling van bijlagen, "
+"zoals afbeeldingen."
-#: pro/fields/class-acf-field-gallery.php:77
+#: pro/fields/class-acf-field-gallery.php:72
msgid "Add Image to Gallery"
-msgstr "Voeg afbeelding toe aan galerij"
+msgstr "Afbeelding toevoegen aan galerij"
-#: pro/fields/class-acf-field-gallery.php:78
+#: pro/fields/class-acf-field-gallery.php:73
msgid "Maximum selection reached"
msgstr "Maximale selectie bereikt"
-#: pro/fields/class-acf-field-gallery.php:324
+#: pro/fields/class-acf-field-gallery.php:282
msgid "Length"
msgstr "Lengte"
-#: pro/fields/class-acf-field-gallery.php:368
+#: pro/fields/class-acf-field-gallery.php:326
msgid "Caption"
msgstr "Onderschrift"
-#: pro/fields/class-acf-field-gallery.php:380
+#: pro/fields/class-acf-field-gallery.php:338
msgid "Alt Text"
msgstr "Alt tekst"
-#: pro/fields/class-acf-field-gallery.php:504
+#: pro/fields/class-acf-field-gallery.php:460
msgid "Add to gallery"
msgstr "Afbeelding(en) toevoegen"
-#: pro/fields/class-acf-field-gallery.php:508
+#: pro/fields/class-acf-field-gallery.php:464
msgid "Bulk actions"
-msgstr "Acties"
+msgstr "Bulkacties"
-#: pro/fields/class-acf-field-gallery.php:509
+#: pro/fields/class-acf-field-gallery.php:465
msgid "Sort by date uploaded"
-msgstr "Sorteer op datum geüpload"
+msgstr "Sorteren op datum geüpload"
-#: pro/fields/class-acf-field-gallery.php:510
+#: pro/fields/class-acf-field-gallery.php:466
msgid "Sort by date modified"
-msgstr "Sorteer op datum aangepast"
+msgstr "Sorteren op datum aangepast"
-#: pro/fields/class-acf-field-gallery.php:511
+#: pro/fields/class-acf-field-gallery.php:467
msgid "Sort by title"
-msgstr "Sorteer op titel"
+msgstr "Sorteren op titel"
-#: pro/fields/class-acf-field-gallery.php:512
+#: pro/fields/class-acf-field-gallery.php:468
msgid "Reverse current order"
-msgstr "Keer volgorde om"
+msgstr "Volgorde omkeren"
-#: pro/fields/class-acf-field-gallery.php:524
+#: pro/fields/class-acf-field-gallery.php:480
msgid "Close"
msgstr "Sluiten"
-#: pro/fields/class-acf-field-gallery.php:615
+#: pro/fields/class-acf-field-gallery.php:567
msgid "Minimum Selection"
msgstr "Minimale selectie"
-#: pro/fields/class-acf-field-gallery.php:625
+#: pro/fields/class-acf-field-gallery.php:577
msgid "Maximum Selection"
msgstr "Maximale selectie"
-#: pro/fields/class-acf-field-gallery.php:707
-msgid "Allowed file types"
-msgstr "Toegestane bestandstypen"
-
-#: pro/fields/class-acf-field-gallery.php:727
+#: pro/fields/class-acf-field-gallery.php:679
msgid "Insert"
msgstr "Invoegen"
-#: pro/fields/class-acf-field-gallery.php:728
+#: pro/fields/class-acf-field-gallery.php:680
msgid "Specify where new attachments are added"
msgstr "Geef aan waar nieuwe bijlagen worden toegevoegd"
-#: pro/fields/class-acf-field-gallery.php:732
+#: pro/fields/class-acf-field-gallery.php:684
msgid "Append to the end"
msgstr "Toevoegen aan het einde"
-#: pro/fields/class-acf-field-gallery.php:733
+#: pro/fields/class-acf-field-gallery.php:685
msgid "Prepend to the beginning"
msgstr "Toevoegen aan het begin"
-#: pro/fields/class-acf-field-repeater.php:66,
-#: pro/fields/class-acf-field-repeater.php:463
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+"Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en "
+"call-to-action tegels, door te dienen als een hoofditem voor een set "
+"subvelden die steeds opnieuw kunnen worden herhaald."
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
msgid "Minimum rows not reached ({min} rows)"
msgstr "Minimum aantal rijen bereikt ({min} rijen)"
-#: pro/fields/class-acf-field-repeater.php:67
+#: pro/fields/class-acf-field-repeater.php:68
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximum aantal rijen bereikt ({max} rijen)"
-#: pro/fields/class-acf-field-repeater.php:68
-msgid "Error loading page"
-msgstr ""
-
#: pro/fields/class-acf-field-repeater.php:69
+msgid "Error loading page"
+msgstr "Fout bij het laden van de pagina"
+
+#: pro/fields/class-acf-field-repeater.php:70
msgid "Order will be assigned upon save"
-msgstr ""
+msgstr "Volgorde zal worden toegewezen bij opslaan"
-#: pro/fields/class-acf-field-repeater.php:196
+#: pro/fields/class-acf-field-repeater.php:197
msgid "Useful for fields with a large number of rows."
-msgstr ""
-
-#: pro/fields/class-acf-field-repeater.php:207
-msgid "Rows Per Page"
-msgstr ""
+msgstr "Nuttig voor velden met een groot aantal rijen."
#: pro/fields/class-acf-field-repeater.php:208
-msgid "Set the number of rows to be displayed on a page."
-msgstr ""
+msgid "Rows Per Page"
+msgstr "Rijen per pagina"
-#: pro/fields/class-acf-field-repeater.php:240
+#: pro/fields/class-acf-field-repeater.php:209
+msgid "Set the number of rows to be displayed on a page."
+msgstr "Stel het aantal rijen in om weer te geven op een pagina."
+
+#: pro/fields/class-acf-field-repeater.php:241
msgid "Minimum Rows"
msgstr "Minimum aantal rijen"
-#: pro/fields/class-acf-field-repeater.php:251
+#: pro/fields/class-acf-field-repeater.php:252
msgid "Maximum Rows"
msgstr "Maximum aantal rijen"
-#: pro/fields/class-acf-field-repeater.php:281
+#: pro/fields/class-acf-field-repeater.php:282
msgid "Collapsed"
msgstr "Ingeklapt"
-#: pro/fields/class-acf-field-repeater.php:282
+#: pro/fields/class-acf-field-repeater.php:283
msgid "Select a sub field to show when row is collapsed"
-msgstr "Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is"
+msgstr "Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is"
-#: pro/fields/class-acf-field-repeater.php:1060
+#: pro/fields/class-acf-field-repeater.php:1055
msgid "Invalid field key or name."
-msgstr ""
+msgstr "Ongeldige veldsleutel of -naam."
-#: pro/fields/class-acf-field-repeater.php:1069
+#: pro/fields/class-acf-field-repeater.php:1064
msgid "There was an error retrieving the field."
-msgstr ""
+msgstr "Er is een fout opgetreden bij het ophalen van het veld."
-#: pro/fields/class-acf-repeater-table.php:369
-#, fuzzy
-#| msgid "Drag to reorder"
+#: pro/fields/class-acf-repeater-table.php:367
msgid "Click to reorder"
-msgstr "Sleep om te sorteren"
+msgstr "Klik om te herschikken"
+
+#: pro/fields/class-acf-repeater-table.php:400
+msgid "Add row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-repeater-table.php:401
+msgid "Duplicate row"
+msgstr "Rij dupliceren"
#: pro/fields/class-acf-repeater-table.php:402
-msgid "Add row"
-msgstr "Nieuwe regel"
-
-#: pro/fields/class-acf-repeater-table.php:403
-msgid "Duplicate row"
-msgstr ""
-
-#: pro/fields/class-acf-repeater-table.php:404
msgid "Remove row"
-msgstr "Verwijder regel"
+msgstr "Regel verwijderen"
-#: pro/fields/class-acf-repeater-table.php:448,
-#: pro/fields/class-acf-repeater-table.php:465,
-#: pro/fields/class-acf-repeater-table.php:466
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
msgid "Current Page"
-msgstr ""
+msgstr "Huidige pagina"
-#: pro/fields/class-acf-repeater-table.php:456,
-#: pro/fields/class-acf-repeater-table.php:457
-#, fuzzy
-#| msgid "Front Page"
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
msgid "First Page"
-msgstr "Hoofdpagina"
+msgstr "Eerste pagina"
-#: pro/fields/class-acf-repeater-table.php:460,
-#: pro/fields/class-acf-repeater-table.php:461
-#, fuzzy
-#| msgid "Posts Page"
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
msgid "Previous Page"
-msgstr "Berichten pagina"
+msgstr "Vorige pagina"
#. translators: 1: Current page, 2: Total pages.
-#: pro/fields/class-acf-repeater-table.php:470
+#: pro/fields/class-acf-repeater-table.php:468
msgctxt "paging"
msgid "%1$s of %2$s"
-msgstr ""
+msgstr "%1$s van %2$s"
-#: pro/fields/class-acf-repeater-table.php:477,
-#: pro/fields/class-acf-repeater-table.php:478
-#, fuzzy
-#| msgid "Front Page"
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
msgid "Next Page"
-msgstr "Hoofdpagina"
+msgstr "Volgende pagina"
-#: pro/fields/class-acf-repeater-table.php:481,
-#: pro/fields/class-acf-repeater-table.php:482
-#, fuzzy
-#| msgid "Posts Page"
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
msgid "Last Page"
-msgstr "Berichten pagina"
+msgstr "Laatste pagina"
-#: pro/locations/class-acf-location-block.php:71
+#: pro/locations/class-acf-location-block.php:73
msgid "No block types exist"
-msgstr ""
+msgstr "Er bestaan geen bloktypes"
#: pro/locations/class-acf-location-options-page.php:70
-msgid "No options pages exist"
-msgstr "Er zijn nog geen optie pagina's"
+msgid "Select options page..."
+msgstr "Opties pagina selecteren…"
-#: pro/admin/views/html-settings-updates.php:6
+#: pro/locations/class-acf-location-options-page.php:74,
+#: pro/post-types/acf-ui-options-page.php:95,
+#: pro/admin/post-types/admin-ui-options-page.php:482
+msgid "Add New Options Page"
+msgstr "Nieuwe opties pagina toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:96
+msgid "Edit Options Page"
+msgstr "Opties pagina bewerken"
+
+#: pro/post-types/acf-ui-options-page.php:97
+msgid "New Options Page"
+msgstr "Nieuwe opties pagina"
+
+#: pro/post-types/acf-ui-options-page.php:98
+msgid "View Options Page"
+msgstr "Opties pagina bekijken"
+
+#: pro/post-types/acf-ui-options-page.php:99
+msgid "Search Options Pages"
+msgstr "Opties pagina’s zoeken"
+
+#: pro/post-types/acf-ui-options-page.php:100
+msgid "No Options Pages found"
+msgstr "Geen opties pagina’s gevonden"
+
+#: pro/post-types/acf-ui-options-page.php:101
+msgid "No Options Pages found in Trash"
+msgstr "Geen opties pagina’s gevonden in prullenbak"
+
+#: pro/post-types/acf-ui-options-page.php:203
+msgid ""
+"The menu slug must only contain lower case alphanumeric characters, "
+"underscores or dashes."
+msgstr ""
+"De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes "
+"bevatten."
+
+#: pro/post-types/acf-ui-options-page.php:235
+msgid "This Menu Slug is already in use by another ACF Options Page."
+msgstr "Deze menuslug wordt al gebruikt door een andere ACF opties pagina."
+
+#: pro/admin/post-types/admin-ui-options-page.php:56
+msgid "Options page deleted."
+msgstr "Opties pagina verwijderd."
+
+#: pro/admin/post-types/admin-ui-options-page.php:57
+msgid "Options page updated."
+msgstr "Opties pagina geüpdatet."
+
+#: pro/admin/post-types/admin-ui-options-page.php:60
+msgid "Options page saved."
+msgstr "Opties pagina opgeslagen."
+
+#: pro/admin/post-types/admin-ui-options-page.php:61
+msgid "Options page submitted."
+msgstr "Opties pagina ingediend."
+
+#: pro/admin/post-types/admin-ui-options-page.php:62
+msgid "Options page scheduled for."
+msgstr "Opties pagina gepland voor."
+
+#: pro/admin/post-types/admin-ui-options-page.php:63
+msgid "Options page draft updated."
+msgstr "Opties pagina concept geüpdatet."
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:83
+msgid "%s options page updated"
+msgstr "%s opties pagina geüpdatet"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:89
+msgid "%s options page created"
+msgstr "%s opties pagina aangemaakt"
+
+#: pro/admin/post-types/admin-ui-options-page.php:102
+msgid "Link existing field groups"
+msgstr "Koppel bestaande veldgroepen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:361
+msgid "No Parent"
+msgstr "Geen hoofditem"
+
+#: pro/admin/post-types/admin-ui-options-page.php:450
+msgid "The provided Menu Slug already exists."
+msgstr "De opgegeven menuslug bestaat al."
+
+#. translators: %s number of post types activated
+#: pro/admin/post-types/admin-ui-options-pages.php:179
+msgid "Options page activated."
+msgid_plural "%s options pages activated."
+msgstr[0] "Opties pagina geactiveerd."
+msgstr[1] "%s opties pagina’s geactiveerd."
+
+#. translators: %s number of post types deactivated
+#: pro/admin/post-types/admin-ui-options-pages.php:186
+msgid "Options page deactivated."
+msgid_plural "%s options pages deactivated."
+msgstr[0] "Opties pagina gedeactiveerd."
+msgstr[1] "%s opties pagina’s gedeactiveerd."
+
+#. translators: %s number of post types duplicated
+#: pro/admin/post-types/admin-ui-options-pages.php:193
+msgid "Options page duplicated."
+msgid_plural "%s options pages duplicated."
+msgstr[0] "Opties pagina gedupliceerd."
+msgstr[1] "%s opties pagina’s gedupliceerd."
+
+#. translators: %s number of post types synchronized
+#: pro/admin/post-types/admin-ui-options-pages.php:200
+msgid "Options page synchronized."
+msgid_plural "%s options pages synchronized."
+msgstr[0] "Opties pagina gesynchroniseerd."
+msgstr[1] "%s opties pagina's gesynchroniseerd."
+
+#: pro/admin/views/html-settings-updates.php:9
msgid "Deactivate License"
msgstr "Licentiecode deactiveren"
-#: pro/admin/views/html-settings-updates.php:6
+#: pro/admin/views/html-settings-updates.php:9
msgid "Activate License"
-msgstr "Activeer licentiecode"
+msgstr "Licentie activeren"
-#: pro/admin/views/html-settings-updates.php:16
+#: pro/admin/views/html-settings-updates.php:26
+msgctxt "license status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/views/html-settings-updates.php:34
+msgctxt "license status"
+msgid "Cancelled"
+msgstr "Geannuleerd"
+
+#: pro/admin/views/html-settings-updates.php:32
+msgctxt "license status"
+msgid "Expired"
+msgstr "Verlopen"
+
+#: pro/admin/views/html-settings-updates.php:30
+msgctxt "license status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/views/html-settings-updates.php:47
+msgid "Subscription Status"
+msgstr "Abonnementsstatus"
+
+#: pro/admin/views/html-settings-updates.php:60
+msgid "Subscription Type"
+msgstr "Abonnementstype"
+
+#: pro/admin/views/html-settings-updates.php:67
+msgid "Lifetime - "
+msgstr "Levenslang - "
+
+#: pro/admin/views/html-settings-updates.php:81
+msgid "Subscription Expires"
+msgstr "Abonnement verloopt"
+
+#: pro/admin/views/html-settings-updates.php:79
+msgid "Subscription Expired"
+msgstr "Abonnement verlopen"
+
+#: pro/admin/views/html-settings-updates.php:118
+msgid "Renew Subscription"
+msgstr "Abonnement verlengen"
+
+#: pro/admin/views/html-settings-updates.php:136
msgid "License Information"
msgstr "Licentie informatie"
-#: pro/admin/views/html-settings-updates.php:34
-msgid ""
-"To unlock updates, please enter your license key below. If you don't have a "
-"licence key, please see details & pricing"
-"a>."
-msgstr ""
-"Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen "
-"licentiecode? Bekijk details & prijzen."
-
-#: pro/admin/views/html-settings-updates.php:37
+#: pro/admin/views/html-settings-updates.php:170
msgid "License Key"
msgstr "Licentiecode"
-#: pro/admin/views/html-settings-updates.php:22
+#: pro/admin/views/html-settings-updates.php:191,
+#: pro/admin/views/html-settings-updates.php:157
+msgid "Recheck License"
+msgstr "Licentie opnieuw controleren"
+
+#: pro/admin/views/html-settings-updates.php:142
msgid "Your license key is defined in wp-config.php."
-msgstr ""
+msgstr "Je licentiesleutel wordt gedefinieerd in wp-config.php."
-#: pro/admin/views/html-settings-updates.php:29
-msgid "Retry Activation"
-msgstr ""
+#: pro/admin/views/html-settings-updates.php:211
+msgid "View pricing & purchase"
+msgstr "Prijzen bekijken & kopen"
-#: pro/admin/views/html-settings-updates.php:61
+#. translators: %s - link to ACF website
+#: pro/admin/views/html-settings-updates.php:220
+msgid "Don't have an ACF PRO license? %s"
+msgstr "Heb je geen ACF PRO licentie? %s"
+
+#: pro/admin/views/html-settings-updates.php:235
msgid "Update Information"
-msgstr "Update informatie"
+msgstr "Informatie updaten"
-#: pro/admin/views/html-settings-updates.php:68
+#: pro/admin/views/html-settings-updates.php:242
msgid "Current Version"
msgstr "Huidige versie"
-#: pro/admin/views/html-settings-updates.php:76
+#: pro/admin/views/html-settings-updates.php:250
msgid "Latest Version"
msgstr "Nieuwste versie"
-#: pro/admin/views/html-settings-updates.php:84
+#: pro/admin/views/html-settings-updates.php:258
msgid "Update Available"
msgstr "Update beschikbaar"
-#: pro/admin/views/html-settings-updates.php:98
+#: pro/admin/views/html-settings-updates.php:272
msgid "Upgrade Notice"
msgstr "Upgrade opmerking"
-#: pro/admin/views/html-settings-updates.php:126
+#: pro/admin/views/html-settings-updates.php:303
msgid "Check For Updates"
-msgstr ""
+msgstr "Controleren op updates"
-#: pro/admin/views/html-settings-updates.php:121
-#, fuzzy
-#| msgid "Please enter your license key above to unlock updates"
+#: pro/admin/views/html-settings-updates.php:300
msgid "Enter your license key to unlock updates"
-msgstr "Vul uw licentiecode hierboven in om updates te ontvangen"
+msgstr "Vul je licentiecode hierboven in om updates te ontgrendelen"
-#: pro/admin/views/html-settings-updates.php:119
+#: pro/admin/views/html-settings-updates.php:298
msgid "Update Plugin"
-msgstr "Update plugin"
+msgstr "Plugin updaten"
-#: pro/admin/views/html-settings-updates.php:117
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr "Updates moeten handmatig worden geïnstalleerd in deze configuratie"
+
+#: pro/admin/views/html-settings-updates.php:294
+msgid "Update ACF in Network Admin"
+msgstr "ACF updaten in netwerkbeheer"
+
+#: pro/admin/views/html-settings-updates.php:292
msgid "Please reactivate your license to unlock updates"
+msgstr "Activeer je licentie opnieuw om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:290
+msgid "Please upgrade WordPress to update ACF"
+msgstr "Upgrade WordPress om ACF te updaten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:20
+msgid "Dashicon class name"
+msgstr "Dashicon class naam"
+
+#. translators: %s = "dashicon class name", link to the WordPress dashicon documentation.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:25
+msgid ""
+"The icon used for the options page menu item in the admin dashboard. Can be "
+"a URL or %s to use for the icon."
msgstr ""
+"Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het "
+"beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+msgid "Menu Title"
+msgstr "Menutitel"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
+msgid "Learn more about menu positions."
+msgstr "Meer informatie over menuposities."
+
+#. translators: %s - link to WordPress docs to learn more about menu positions.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
+msgid "The position in the menu where this page should appear. %s"
+msgstr "De positie in het menu waar deze pagina moet verschijnen. %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
+msgid ""
+"The position in the menu where this child page should appear. The first "
+"child page is 0, the next is 1, etc."
+msgstr ""
+"De positie in het menu waar deze subpagina moet verschijnen. De eerste "
+"subpagina is 0, de volgende is 1, etc."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
+msgid "Redirect to Child Page"
+msgstr "Doorverwijzen naar subpagina"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
+msgid ""
+"When child pages exist for this parent page, this page will redirect to the "
+"first child page."
+msgstr ""
+"Als er subpagina's bestaan voor deze hoofdpagina, zal deze pagina doorsturen "
+"naar de eerste subpagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
+msgid "A descriptive summary of the options page."
+msgstr "Een beschrijvende samenvatting van de opties pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
+msgid "Update Button Label"
+msgstr "Update knop label"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
+msgid ""
+"The label used for the submit button which updates the fields on the options "
+"page."
+msgstr ""
+"Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de "
+"opties pagina worden geüpdatet."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
+msgid "Updated Message"
+msgstr "Bericht geüpdatet"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
+msgid ""
+"The message that is displayed after successfully updating the options page."
+msgstr ""
+"Het bericht dat wordt weergegeven na het succesvol updaten van de opties "
+"pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
+msgid "Updated Options"
+msgstr "Geüpdatete opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
+msgid "Capability"
+msgstr "Rechten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
+msgid "The capability required for this menu to be displayed to the user."
+msgstr "De rechten die nodig zijn om dit menu weer te geven aan de gebruiker."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
+msgid "Data Storage"
+msgstr "Gegevensopslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+msgid ""
+"By default, the option page stores field data in the options table. You can "
+"make the page load field data from a post, user, or term."
+msgstr ""
+"Standaard slaat de opties pagina veldgegevens op in de optietabel. Je kunt "
+"de pagina veldgegevens laten laden van een bericht, gebruiker of term."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
+msgid "Custom Storage"
+msgstr "Aangepaste opslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
+msgid "Learn more about available settings."
+msgstr "Meer informatie over beschikbare instellingen."
+
+#. translators: %s = link to learn more about storage locations.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
+msgid ""
+"Set a custom storage location. Can be a numeric post ID (123), or a string "
+"(`user_2`). %s"
+msgstr ""
+"Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn "
+"(123) of een tekenreeks (`user_2`). %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
+msgid "Autoload Options"
+msgstr "Autoload opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
+msgid ""
+"Improve performance by loading the fields in the option records "
+"automatically when WordPress loads."
+msgstr ""
+"Verbeter de prestaties door de velden in de optie-records automatisch te "
+"laden wanneer WordPress wordt geladen."
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
+msgid "Page Title"
+msgstr "Paginatitel"
+
+#. translators: example options page name
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
+msgid "Site Settings"
+msgstr "Site instellingen"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
+msgid "Menu Slug"
+msgstr "Menuslug"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
+msgid "Parent Page"
+msgstr "Hoofdpagina"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
+msgid "Add Your First Options Page"
+msgstr "Voeg je eerste opties pagina toe"
diff --git a/lang/acf-nl_NL_formal.l10n.php b/lang/acf-nl_NL_formal.l10n.php
index 0e8a2d0..a1c231d 100644
--- a/lang/acf-nl_NL_formal.l10n.php
+++ b/lang/acf-nl_NL_formal.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'nl_NL_formal','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Bron updaten','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een meta vak op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de beveiliging was verstrekt.','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en weergeven in de editor UI met behulp van Block Bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze site]','Businessman Icon'=>'Zakenman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Bekijk site icoon','Learn More Icon'=>'Meer leren icoon','Add Page Icon'=>'Toevoegen pagina icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Updaten (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekstpagina icoon','Table Row Delete Icon'=>'Tabelrij verwijderen icoon','Table Row Before Icon'=>'Tabelrij voor icoon','Table Row After Icon'=>'Tabelrij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superhero (alt) icoon','Superhero Icon'=>'Superhero icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Deel (alt2) icoon','Share (alt) Icon'=>'Deel (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST API icoon','Remove Icon'=>'Verwijderen icoon','Reddit Icon'=>'Reddit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Geen (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactieve icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Voeg in voor icoon','Insert After Icon'=>'Voeg in na icoon','Insert Icon'=>'Voeg icoon in','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteren rechts icoon','Rotate Left Icon'=>'Roteren links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Spiegelen verticaal icoon','Flip Horizontal Icon'=>'Spiegelen horizontaal icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm afsluiten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voedsel icoon','Exit Icon'=>'Exit icoon','Excerpt View Icon'=>'Samenvattingweergave icoon','Embed Video Icon'=>'Insluiten video icoon','Embed Post Icon'=>'Insluiten bericht icoon','Embed Photo Icon'=>'Insluiten foto icoon','Embed Generic Icon'=>'Insluiten generiek icoon','Embed Audio Icon'=>'Insluiten audio icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellipsis icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Bewerken pagina icoon','Edit Large Icon'=>'Bewerken groot Icoon','Drumstick Icon'=>'Drumstick icoon','Database View Icon'=>'Database weergave icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database import icoon','Database Export Icon'=>'Database export icoon','Database Add Icon'=>'Database icoon toevoegen','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruitspoelen icoon','Skip Back Icon'=>'Terugspoel icoon','Repeat Icon'=>'Herhaal icoon','Play Icon'=>'Speel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleurkiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Auto icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Community icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'bbPress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl naar rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl naar rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl naar links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl naar links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek naar rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek naar links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Site (alt3) icoon','Site (alt2) Icon'=>'Site (alt2) icoon','Site (alt) Icon'=>'Site (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF Pro om opties pagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt geen toestemming om dat te doen.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Updaten icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linkerrechter icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Gereedschap icoon','Site Icon'=>'Site icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn geüpdatet in de pictogram kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retour format voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Iconen zoeken...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de mediatheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST API format','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypen (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypen (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF Block op deze pagina vereist aandacht voordat je kunt opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Voorwaarden bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook waar is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch aan onveilige HTML bij weergave door the_field of de ACF shortcode. We hebben vastgesteld dat de uitvoer van sommige van je velden is gewijzigd door deze aanpassing, maar dit hoeft geen brekende verandering te zijn. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je sitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - weergegeven via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kunt meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Gekopieerd van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dubbele taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kun je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt geüpdatet toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt geüpdatet op te slaan. Je kunt dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt weergegeven. Als dit veld bijvoorbeeld wordt weergegeven in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Update een veld met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer gereedschappen van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere sites met functies als ACF Blocks en Options Pages, en geavanceerde veldtypen als Repeater, Flexible Content, Clone en Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypen','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypen gevonden in prullenbak','No Post Types found'=>'Geen berichttypen gevonden','Search Post Types'=>'Berichttypen zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijd format kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van alinea\'s tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kun je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepaste extra berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype-items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden weergegeven.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. De datum retour format en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het format van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kun je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call To Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kun je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kun je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kun je bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om inhoud van berichttypen te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een meta box te zuiveren.','Meta Box Sanitization Callback'=>'Meta box sanitatie callback','Register Meta Box Callback'=>'Meta box callback registreren','No Meta Box'=>'Geen meta box','Custom Meta Box'=>'Aangepaste meta box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het meta box op het inhoud editor scherm. Standaard wordt het categorie meta box getoond voor hiërarchische taxonomieën, en het tags meta box voor niet hiërarchische taxonomieën.','Meta Box'=>'Meta box','Categories Meta Box'=>'Categorieën meta box','Tags Meta Box'=>'Tags meta box','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het updaten van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de tabel.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de paginering van de tabel.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de lijst met berichten.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Omschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je site staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het bewerken tags scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in het taxonomie meta box wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'%s toevoegen of verwijderen','Separate tags with commas'=>'Scheid tags met komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie meta box. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag updaten','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item updaten','Update %s'=>'%s updaten','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de toolbar om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische bericht types kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de voorkant en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Geeft dit berichttype weer in de REST API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'Weergeven in REST API','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Vraag variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Gereedschap\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. Edit_bericht, delete_berichten. Activeer om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Ondersteuning voor weergave menu\'s','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de toolbar.','Show In Admin Bar'=>'Toon in toolbar','Custom Meta Box Callback'=>'Aangepaste meta box callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'Weergeven in UI','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht geüpdatet.','In the editor notice after an item is updated.'=>'In het editor bericht nadat een item is geüpdatet.','Item Updated'=>'Item geüpdatet','%s updated.'=>'%s geüpdatet.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In het editor bericht na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In het editor bericht na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In het editor bericht na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In het editor bericht na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het scherm van de berichttypen lijst.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het scherm van de lijst met berichttypes.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst in de lijst met berichttypes.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de lijst met berichttypes.','Filter Items List'=>'Filter itemlijst','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Verwijder uitgelichte afbeelding','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Verwijder uitgelichte afbeelding','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding meta box.','Featured Image Meta Box'=>'Uitgelichte afbeelding meta box','Post Attributes'=>'Bericht attributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van het bericht attributen meta box.','Attributes Meta Box'=>'Attributen meta box','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenbak','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten in de prullenbak zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenbak','No %s found in Trash'=>'Geen %s gevonden in de prullenbak','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten zijn om weer te geven.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het item scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'%s zoeken','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het scherm van de berichttypen lijst.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de toolbar in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de voorpagina geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de toolbar om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'%s bekijken','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'%s bewerken','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypen niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypen selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie geüpdatet','Taxonomy draft updated.'=>'Taxonomie concept geüpdatet.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie geüpdatet.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypen gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypen gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypen gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypen geactiveerd.','Post Types'=>'Berichttypen','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype geüpdatet','Post type draft updated.'=>'Berichttype concept geüpdatet.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype geüpdatet.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypen en taxonomieën die zijn geregistreerd met extra berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Tabs voor veldinstellingen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerde checkbox gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Voeg je eerste veldgroep toe','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, extra berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenbak verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kunt oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'Toon in REST API','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Selecteer standaardkleur','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst geüpdatet: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Beoordeel wijzigingen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Bezoek site','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kunt tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je site haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab Hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Pagina op hoogste niveau (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Voorpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formats','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld klonen','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn geüpdatet naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het updaten naar %1$s v%2$s!','Database Upgrade Required'=>'Database-upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle gereedschappen','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, dan worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgorde nummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Format','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoudseditor','Permalink'=>'Permalink','Shown in field group list'=>'Weergegeven in lijst met veldgroepen','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen meta box)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'ID','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep weergeven als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgradetaken lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade afgerond.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer ten minste één site om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade afgerond. Terug naar netwerk dashboard','Site is up to date'=>'Site is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Site vereist database upgrade van %1$s naar %2$s','Site'=>'Site','Upgrade Sites'=>'Sites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de sites die je wilt updaten en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Naar klembord kopiëren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kunt plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veld groepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel sites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen afgerond.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veldnaam staan','Field group draft updated.'=>'Veldgroep concept geüpdatet.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep geüpdatet.','Tools'=>'Gereedschap','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht geüpdatet','Update'=>'Updaten','Validate Email'=>'E-mailadres valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitklappen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Updaten','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'De bestandsgrootte mag niet groter zijn dan %s.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minimaal %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes te togglen','Save \'custom\' values to the field\'s choices'=>'Sla \'aangepaste\' waarden op in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Toggle alles','Allow Archives URLs'=>'Archief URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laad waarde van bericht termen','Load Terms'=>'Laad termen','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Keuzerondjes','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievakje','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden weergegeven','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'Voeg de keuze \'overig\' toe om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Keuzerondje','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Deze accordeon openen zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestands ID','File URL'=>'Bestands URL','File Array'=>'Bestands array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand updaten','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'Ajax gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaardwaarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kunt slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruikers-ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Wissen','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Klaar','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mailadres','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knopgroep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media upload knoppen weergeven','Toolbar'=>'Toolbar','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Wordt weergegeven in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt weergegeven bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ( {max} waarden )','Relationship'=>'Verwantschap','Comma separated list. Leave blank for all types'=>'Komma gescheiden lijst. Laat leeg voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding updaten','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Selecteer afbeelding','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Sta toe dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen;','Automatically add paragraphs'=>'Automatisch alinea\'s toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe regels','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het format dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Format opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Op tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'True / False','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het format dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour format','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het format dat wordt weergegeven bij het bewerken van een bericht','Display Format'=>'Weergave format','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenbak','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in de prullenbak','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Meer informatie','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd kon worden.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen.','are developed and maintained by'=>'worden ontwikkeld en onderhouden door','Update Source'=>'Bron updaten','By default only admin users can edit this setting.'=>'Standaard kunnen alleen beheer gebruikers deze instelling bewerken.','By default only super admin users can edit this setting.'=>'Standaard kunnen alleen super beheer gebruikers deze instelling bewerken.','Close and Add Field'=>'Sluiten en veld toevoegen','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die moet worden aangeroepen om de inhoud van een meta vak op je taxonomie te verwerken. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Een PHP functienaam die wordt aangeroepen bij het instellen van de meta vakken voor het bewerk scherm. Voor de veiligheid wordt deze callback uitgevoerd in een speciale context zonder toegang tot superglobals zoals $_POST of $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Toegang tot waarde toestaan in UI van editor','Learn more.'=>'Leer meer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Toestaan dat inhoud editors de veldwaarde openen en weergeven in de editor UI met behulp van Block Bindings of de ACF shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in blok bindingen of de ACF shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veld uitgevoerd in bindingen of de ACF shortcode zijn niet toegestaan.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Het aangevraagde ACF veldtype ondersteunt geen uitvoer in bindingen of de ACF shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[De ACF shortcode kan geen velden van niet-openbare berichten tonen]','[The ACF shortcode is disabled on this site]'=>'[De ACF shortcode is uitgeschakeld op deze site]','Businessman Icon'=>'Zakenman icoon','Forums Icon'=>'Forums icoon','YouTube Icon'=>'YouTube icoon','Yes (alt) Icon'=>'Ja (alt) icoon','Xing Icon'=>'Xing icoon','WordPress (alt) Icon'=>'WordPress (alt) icoon','WhatsApp Icon'=>'WhatsApp icoon','Write Blog Icon'=>'Schrijf blog icoon','Widgets Menus Icon'=>'Widgets menu\'s icoon','View Site Icon'=>'Bekijk site icoon','Learn More Icon'=>'Meer leren icoon','Add Page Icon'=>'Toevoegen pagina icoon','Video (alt3) Icon'=>'Video (alt3) icoon','Video (alt2) Icon'=>'Video (alt2) icoon','Video (alt) Icon'=>'Video (alt) icoon','Update (alt) Icon'=>'Updaten (alt) icoon','Universal Access (alt) Icon'=>'Universele toegang (alt) icoon','Twitter (alt) Icon'=>'Twitter (alt) icoon','Twitch Icon'=>'Twitch icoon','Tide Icon'=>'Tide icoon','Tickets (alt) Icon'=>'Tickets (alt) icoon','Text Page Icon'=>'Tekstpagina icoon','Table Row Delete Icon'=>'Tabelrij verwijderen icoon','Table Row Before Icon'=>'Tabelrij voor icoon','Table Row After Icon'=>'Tabelrij na icoon','Table Col Delete Icon'=>'Tabel kolom verwijderen icoon','Table Col Before Icon'=>'Tabel kolom voor icoon','Table Col After Icon'=>'Tabel kolom na icoon','Superhero (alt) Icon'=>'Superhero (alt) icoon','Superhero Icon'=>'Superhero icoon','Spotify Icon'=>'Spotify icoon','Shortcode Icon'=>'Shortcode icoon','Shield (alt) Icon'=>'Schild (alt) icoon','Share (alt2) Icon'=>'Deel (alt2) icoon','Share (alt) Icon'=>'Deel (alt) icoon','Saved Icon'=>'Opgeslagen icoon','RSS Icon'=>'RSS icoon','REST API Icon'=>'REST API icoon','Remove Icon'=>'Verwijderen icoon','Reddit Icon'=>'Reddit icoon','Privacy Icon'=>'Privacy icoon','Printer Icon'=>'Printer icoon','Podio Icon'=>'Podio icoon','Plus (alt2) Icon'=>'Plus (alt2) icoon','Plus (alt) Icon'=>'Plus (alt) icoon','Plugins Checked Icon'=>'Plugins gecontroleerd icoon','Pinterest Icon'=>'Pinterest icoon','Pets Icon'=>'Huisdieren icoon','PDF Icon'=>'PDF icoon','Palm Tree Icon'=>'Palmboom icoon','Open Folder Icon'=>'Open map icoon','No (alt) Icon'=>'Geen (alt) icoon','Money (alt) Icon'=>'Geld (alt) icoon','Menu (alt3) Icon'=>'Menu (alt3) icoon','Menu (alt2) Icon'=>'Menu (alt2) icoon','Menu (alt) Icon'=>'Menu (alt) icoon','Spreadsheet Icon'=>'Spreadsheet icoon','Interactive Icon'=>'Interactieve icoon','Document Icon'=>'Document icoon','Default Icon'=>'Standaard icoon','Location (alt) Icon'=>'Locatie (alt) icoon','LinkedIn Icon'=>'LinkedIn icoon','Instagram Icon'=>'Instagram icoon','Insert Before Icon'=>'Voeg in voor icoon','Insert After Icon'=>'Voeg in na icoon','Insert Icon'=>'Voeg icoon in','Info Outline Icon'=>'Info outline icoon','Images (alt2) Icon'=>'Afbeeldingen (alt2) icoon','Images (alt) Icon'=>'Afbeeldingen (alt) icoon','Rotate Right Icon'=>'Roteren rechts icoon','Rotate Left Icon'=>'Roteren links icoon','Rotate Icon'=>'Roteren icoon','Flip Vertical Icon'=>'Spiegelen verticaal icoon','Flip Horizontal Icon'=>'Spiegelen horizontaal icoon','Crop Icon'=>'Bijsnijden icoon','ID (alt) Icon'=>'ID (alt) icoon','HTML Icon'=>'HTML icoon','Hourglass Icon'=>'Zandloper icoon','Heading Icon'=>'Koptekst icoon','Google Icon'=>'Google icoon','Games Icon'=>'Games icoon','Fullscreen Exit (alt) Icon'=>'Volledig scherm afsluiten (alt) icoon','Fullscreen (alt) Icon'=>'Volledig scherm (alt) icoon','Status Icon'=>'Status icoon','Image Icon'=>'Afbeelding icoon','Gallery Icon'=>'Galerij icoon','Chat Icon'=>'Chat icoon','Audio Icon'=>'Audio icoon','Aside Icon'=>'Aside icoon','Food Icon'=>'Voedsel icoon','Exit Icon'=>'Exit icoon','Excerpt View Icon'=>'Samenvattingweergave icoon','Embed Video Icon'=>'Insluiten video icoon','Embed Post Icon'=>'Insluiten bericht icoon','Embed Photo Icon'=>'Insluiten foto icoon','Embed Generic Icon'=>'Insluiten generiek icoon','Embed Audio Icon'=>'Insluiten audio icoon','Email (alt2) Icon'=>'E-mail (alt2) icoon','Ellipsis Icon'=>'Ellipsis icoon','Unordered List Icon'=>'Ongeordende lijst icoon','RTL Icon'=>'RTL icoon','Ordered List RTL Icon'=>'Geordende lijst RTL icoon','Ordered List Icon'=>'Geordende lijst icoon','LTR Icon'=>'LTR icoon','Custom Character Icon'=>'Aangepast karakter icoon','Edit Page Icon'=>'Bewerken pagina icoon','Edit Large Icon'=>'Bewerken groot Icoon','Drumstick Icon'=>'Drumstick icoon','Database View Icon'=>'Database weergave icoon','Database Remove Icon'=>'Database verwijderen icoon','Database Import Icon'=>'Database import icoon','Database Export Icon'=>'Database export icoon','Database Add Icon'=>'Database icoon toevoegen','Database Icon'=>'Database icoon','Cover Image Icon'=>'Omslagafbeelding icoon','Volume On Icon'=>'Volume aan icoon','Volume Off Icon'=>'Volume uit icoon','Skip Forward Icon'=>'Vooruitspoelen icoon','Skip Back Icon'=>'Terugspoel icoon','Repeat Icon'=>'Herhaal icoon','Play Icon'=>'Speel icoon','Pause Icon'=>'Pauze icoon','Forward Icon'=>'Vooruit icoon','Back Icon'=>'Terug icoon','Columns Icon'=>'Kolommen icoon','Color Picker Icon'=>'Kleurkiezer icoon','Coffee Icon'=>'Koffie icoon','Code Standards Icon'=>'Code standaarden icoon','Cloud Upload Icon'=>'Cloud upload icoon','Cloud Saved Icon'=>'Cloud opgeslagen icoon','Car Icon'=>'Auto icoon','Camera (alt) Icon'=>'Camera (alt) icoon','Calculator Icon'=>'Rekenmachine icoon','Button Icon'=>'Knop icoon','Businessperson Icon'=>'Zakelijk icoon','Tracking Icon'=>'Tracking icoon','Topics Icon'=>'Onderwerpen icoon','Replies Icon'=>'Antwoorden icoon','PM Icon'=>'PM icoon','Friends Icon'=>'Vrienden icoon','Community Icon'=>'Community icoon','BuddyPress Icon'=>'BuddyPress icoon','bbPress Icon'=>'bbPress icoon','Activity Icon'=>'Activiteit icoon','Book (alt) Icon'=>'Boek (alt) icoon','Block Default Icon'=>'Blok standaard icoon','Bell Icon'=>'Bel icoon','Beer Icon'=>'Bier icoon','Bank Icon'=>'Bank icoon','Arrow Up (alt2) Icon'=>'Pijl omhoog (alt2) icoon','Arrow Up (alt) Icon'=>'Pijl omhoog (alt) icoon','Arrow Right (alt2) Icon'=>'Pijl naar rechts (alt2) icoon','Arrow Right (alt) Icon'=>'Pijl naar rechts (alt) icoon','Arrow Left (alt2) Icon'=>'Pijl naar links (alt2) icoon','Arrow Left (alt) Icon'=>'Pijl naar links (alt) icoon','Arrow Down (alt2) Icon'=>'Pijl omlaag (alt2) icoon','Arrow Down (alt) Icon'=>'Pijl omlaag (alt) icoon','Amazon Icon'=>'Amazon icoon','Align Wide Icon'=>'Uitlijnen breed icoon','Align Pull Right Icon'=>'Uitlijnen trek naar rechts icoon','Align Pull Left Icon'=>'Uitlijnen trek naar links icoon','Align Full Width Icon'=>'Uitlijnen volledige breedte icoon','Airplane Icon'=>'Vliegtuig icoon','Site (alt3) Icon'=>'Site (alt3) icoon','Site (alt2) Icon'=>'Site (alt2) icoon','Site (alt) Icon'=>'Site (alt) icoon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Upgrade naar ACF Pro om opties pagina\'s te maken in slechts een paar klikken','Invalid request args.'=>'Ongeldige aanvraag args.','Sorry, you do not have permission to do that.'=>'Je hebt geen toestemming om dat te doen.','Blocks Using Post Meta'=>'Blokken met behulp van bericht meta','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s vereist een geldig bijlage ID wanneer type is ingesteld op media_library.','%s is a required property of acf.'=>'%s is een vereiste eigenschap van ACF.','The value of icon to save.'=>'De waarde van icoon om op te slaan.','The type of icon to save.'=>'Het type icoon om op te slaan.','Yes Icon'=>'Ja icoon','WordPress Icon'=>'WordPress icoon','Warning Icon'=>'Waarschuwingsicoon','Visibility Icon'=>'Zichtbaarheid icoon','Vault Icon'=>'Kluis icoon','Upload Icon'=>'Upload icoon','Update Icon'=>'Updaten icoon','Unlock Icon'=>'Ontgrendel icoon','Universal Access Icon'=>'Universeel toegankelijkheid icoon','Undo Icon'=>'Ongedaan maken icoon','Twitter Icon'=>'Twitter icoon','Trash Icon'=>'Prullenbak icoon','Translation Icon'=>'Vertaal icoon','Tickets Icon'=>'Tickets icoon','Thumbs Up Icon'=>'Duim omhoog icoon','Thumbs Down Icon'=>'Duim omlaag icoon','Text Icon'=>'Tekst icoon','Testimonial Icon'=>'Aanbeveling icoon','Tagcloud Icon'=>'Tag cloud icoon','Tag Icon'=>'Tag icoon','Tablet Icon'=>'Tablet icoon','Store Icon'=>'Winkel icoon','Sticky Icon'=>'Sticky icoon','Star Half Icon'=>'Ster half icoon','Star Filled Icon'=>'Ster gevuld icoon','Star Empty Icon'=>'Ster leeg icoon','Sos Icon'=>'Sos icoon','Sort Icon'=>'Sorteer icoon','Smiley Icon'=>'Smiley icoon','Smartphone Icon'=>'Smartphone icoon','Slides Icon'=>'Slides icoon','Shield Icon'=>'Schild icoon','Share Icon'=>'Deel icoon','Search Icon'=>'Zoek icoon','Screen Options Icon'=>'Schermopties icoon','Schedule Icon'=>'Schema icoon','Redo Icon'=>'Opnieuw icoon','Randomize Icon'=>'Willekeurig icoon','Products Icon'=>'Producten icoon','Pressthis Icon'=>'Pressthis icoon','Post Status Icon'=>'Berichtstatus icoon','Portfolio Icon'=>'Portfolio icoon','Plus Icon'=>'Plus icoon','Playlist Video Icon'=>'Afspeellijst video icoon','Playlist Audio Icon'=>'Afspeellijst audio icoon','Phone Icon'=>'Telefoon icoon','Performance Icon'=>'Prestatie icoon','Paperclip Icon'=>'Paperclip icoon','No Icon'=>'Geen icoon','Networking Icon'=>'Netwerk icoon','Nametag Icon'=>'Naamplaat icoon','Move Icon'=>'Verplaats icoon','Money Icon'=>'Geld icoon','Minus Icon'=>'Min icoon','Migrate Icon'=>'Migreer icoon','Microphone Icon'=>'Microfoon icoon','Megaphone Icon'=>'Megafoon icoon','Marker Icon'=>'Marker icoon','Lock Icon'=>'Vergrendel icoon','Location Icon'=>'Locatie icoon','List View Icon'=>'Lijstweergave icoon','Lightbulb Icon'=>'Gloeilamp icoon','Left Right Icon'=>'Linkerrechter icoon','Layout Icon'=>'Lay-out icoon','Laptop Icon'=>'Laptop icoon','Info Icon'=>'Info icoon','Index Card Icon'=>'Indexkaart icoon','ID Icon'=>'ID icoon','Hidden Icon'=>'Verborgen icoon','Heart Icon'=>'Hart icoon','Hammer Icon'=>'Hamer icoon','Groups Icon'=>'Groepen icoon','Grid View Icon'=>'Rasterweergave icoon','Forms Icon'=>'Formulieren icoon','Flag Icon'=>'Vlag icoon','Filter Icon'=>'Filter icoon','Feedback Icon'=>'Feedback icoon','Facebook (alt) Icon'=>'Facebook alt icoon','Facebook Icon'=>'Facebook icoon','External Icon'=>'Extern icoon','Email (alt) Icon'=>'E-mail alt icoon','Email Icon'=>'E-mail icoon','Video Icon'=>'Video icoon','Unlink Icon'=>'Link verwijderen icoon','Underline Icon'=>'Onderstreep icoon','Text Color Icon'=>'Tekstkleur icoon','Table Icon'=>'Tabel icoon','Strikethrough Icon'=>'Doorstreep icoon','Spellcheck Icon'=>'Spellingscontrole icoon','Remove Formatting Icon'=>'Verwijder lay-out icoon','Quote Icon'=>'Quote icoon','Paste Word Icon'=>'Plak woord icoon','Paste Text Icon'=>'Plak tekst icoon','Paragraph Icon'=>'Paragraaf icoon','Outdent Icon'=>'Uitspring icoon','Kitchen Sink Icon'=>'Keuken afwasbak icoon','Justify Icon'=>'Uitlijn icoon','Italic Icon'=>'Schuin icoon','Insert More Icon'=>'Voeg meer in icoon','Indent Icon'=>'Inspring icoon','Help Icon'=>'Hulp icoon','Expand Icon'=>'Uitvouw icoon','Contract Icon'=>'Contract icoon','Code Icon'=>'Code icoon','Break Icon'=>'Breek icoon','Bold Icon'=>'Vet icoon','Edit Icon'=>'Bewerken icoon','Download Icon'=>'Download icoon','Dismiss Icon'=>'Verwijder icoon','Desktop Icon'=>'Desktop icoon','Dashboard Icon'=>'Dashboard icoon','Cloud Icon'=>'Cloud icoon','Clock Icon'=>'Klok icoon','Clipboard Icon'=>'Klembord icoon','Chart Pie Icon'=>'Diagram taart icoon','Chart Line Icon'=>'Grafieklijn icoon','Chart Bar Icon'=>'Grafiekbalk icoon','Chart Area Icon'=>'Grafiek gebied icoon','Category Icon'=>'Categorie icoon','Cart Icon'=>'Winkelwagen icoon','Carrot Icon'=>'Wortel icoon','Camera Icon'=>'Camera icoon','Calendar (alt) Icon'=>'Kalender alt icoon','Calendar Icon'=>'Kalender icoon','Businesswoman Icon'=>'Zakenman icoon','Building Icon'=>'Gebouw icoon','Book Icon'=>'Boek icoon','Backup Icon'=>'Back-up icoon','Awards Icon'=>'Prijzen icoon','Art Icon'=>'Kunsticoon','Arrow Up Icon'=>'Pijl omhoog icoon','Arrow Right Icon'=>'Pijl naar rechts icoon','Arrow Left Icon'=>'Pijl naar links icoon','Arrow Down Icon'=>'Pijl omlaag icoon','Archive Icon'=>'Archief icoon','Analytics Icon'=>'Analytics icoon','Align Right Icon'=>'Uitlijnen rechts icoon','Align None Icon'=>'Uitlijnen geen icoon','Align Left Icon'=>'Uitlijnen links icoon','Align Center Icon'=>'Uitlijnen midden icoon','Album Icon'=>'Album icoon','Users Icon'=>'Gebruikers icoon','Tools Icon'=>'Gereedschap icoon','Site Icon'=>'Site icoon','Settings Icon'=>'Instellingen icoon','Post Icon'=>'Bericht icoon','Plugins Icon'=>'Plugins icoon','Page Icon'=>'Pagina icoon','Network Icon'=>'Netwerk icoon','Multisite Icon'=>'Multisite icoon','Media Icon'=>'Media icoon','Links Icon'=>'Links icoon','Home Icon'=>'Home icoon','Customizer Icon'=>'Customizer icoon','Comments Icon'=>'Reacties icoon','Collapse Icon'=>'Samenvouw icoon','Appearance Icon'=>'Weergave icoon','Generic Icon'=>'Generiek icoon','Icon picker requires a value.'=>'Icoon kiezer vereist een waarde.','Icon picker requires an icon type.'=>'Icoon kiezer vereist een icoon type.','The available icons matching your search query have been updated in the icon picker below.'=>'De beschikbare iconen die overeenkomen met je zoekopdracht zijn geüpdatet in de pictogram kiezer hieronder.','No results found for that search term'=>'Geen resultaten gevonden voor die zoekterm','Array'=>'Array','String'=>'String','Specify the return format for the icon. %s'=>'Specificeer het retour format voor het icoon. %s','Select where content editors can choose the icon from.'=>'Selecteer waar inhoudseditors het icoon kunnen kiezen.','The URL to the icon you\'d like to use, or svg as Data URI'=>'De URL naar het icoon dat je wil gebruiken, of svg als gegevens URI','Browse Media Library'=>'Blader door mediabibliotheek','The currently selected image preview'=>'De momenteel geselecteerde afbeelding voorbeeld','Click to change the icon in the Media Library'=>'Klik om het icoon in de mediabibliotheek te wijzigen','Search icons...'=>'Iconen zoeken...','Media Library'=>'Mediabibliotheek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Een interactieve UI voor het selecteren van een icoon. Selecteer uit Dashicons, de mediatheek, of een zelfstandige URL invoer.','Icon Picker'=>'Icoon kiezer','JSON Load Paths'=>'JSON laadpaden','JSON Save Paths'=>'JSON opslaan paden','Registered ACF Forms'=>'Geregistreerde ACF formulieren','Shortcode Enabled'=>'Shortcode ingeschakeld','Field Settings Tabs Enabled'=>'Veldinstellingen tabs ingeschakeld','Field Type Modal Enabled'=>'Veldtype modal ingeschakeld','Admin UI Enabled'=>'Beheer UI ingeschakeld','Block Preloading Enabled'=>'Blok preloading ingeschakeld','Blocks Per ACF Block Version'=>'Blokken per ACF block versie','Blocks Per API Version'=>'Blokken per API versie','Registered ACF Blocks'=>'Geregistreerde ACF blokken','Light'=>'Licht','Standard'=>'Standaard','REST API Format'=>'REST API format','Registered Options Pages (PHP)'=>'Geregistreerde opties pagina\'s (PHP)','Registered Options Pages (JSON)'=>'Geregistreerde optie pagina\'s (JSON)','Registered Options Pages (UI)'=>'Geregistreerde optie pagina\'s (UI)','Options Pages UI Enabled'=>'Opties pagina\'s UI ingeschakeld','Registered Taxonomies (JSON)'=>'Geregistreerde taxonomieën (JSON)','Registered Taxonomies (UI)'=>'Geregistreerde taxonomieën (UI)','Registered Post Types (JSON)'=>'Geregistreerde berichttypen (JSON)','Registered Post Types (UI)'=>'Geregistreerde berichttypen (UI)','Post Types and Taxonomies Enabled'=>'Berichttypen en taxonomieën ingeschakeld','Number of Third Party Fields by Field Type'=>'Aantal velden van derden per veldtype','Number of Fields by Field Type'=>'Aantal velden per veldtype','Field Groups Enabled for GraphQL'=>'Veldgroepen ingeschakeld voor GraphQL','Field Groups Enabled for REST API'=>'Veldgroepen ingeschakeld voor REST API','Registered Field Groups (JSON)'=>'Geregistreerde veldgroepen (JSON)','Registered Field Groups (PHP)'=>'Geregistreerde veldgroepen (PHP)','Registered Field Groups (UI)'=>'Geregistreerde veldgroepen (UI)','Active Plugins'=>'Actieve plugins','Parent Theme'=>'Hoofdthema','Active Theme'=>'Actief thema','Is Multisite'=>'Is multisite','MySQL Version'=>'MySQL versie','WordPress Version'=>'WordPress versie','Subscription Expiry Date'=>'Vervaldatum abonnement','License Status'=>'Licentiestatus','License Type'=>'Licentietype','Licensed URL'=>'Gelicentieerde URL','License Activated'=>'Licentie geactiveerd','Free'=>'Gratis','Plugin Type'=>'Plugin type','Plugin Version'=>'Plugin versie','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Deze sectie bevat debuginformatie over je ACF configuratie die nuttig kan zijn om aan ondersteuning te verstrekken.','An ACF Block on this page requires attention before you can save.'=>'Een ACF Block op deze pagina vereist aandacht voordat je kunt opslaan.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Deze gegevens worden gelogd terwijl we waarden detecteren die tijdens de uitvoer zijn gewijzigd. %1$sClear log en sluiten%2$s na het ontsnappen van de waarden in je code. De melding verschijnt opnieuw als we opnieuw gewijzigde waarden detecteren.','Dismiss permanently'=>'Permanent negeren','Instructions for content editors. Shown when submitting data.'=>'Instructies voor inhoud editors. Getoond bij het indienen van gegevens.','Has no term selected'=>'Heeft geen term geselecteerd','Has any term selected'=>'Heeft een term geselecteerd','Terms do not contain'=>'Voorwaarden bevatten niet','Terms contain'=>'Voorwaarden bevatten','Term is not equal to'=>'Term is niet gelijk aan','Term is equal to'=>'Term is gelijk aan','Has no user selected'=>'Heeft geen gebruiker geselecteerd','Has any user selected'=>'Heeft een gebruiker geselecteerd','Users do not contain'=>'Gebruikers bevatten niet','Users contain'=>'Gebruikers bevatten','User is not equal to'=>'Gebruiker is niet gelijk aan','User is equal to'=>'Gebruiker is gelijk aan','Has no page selected'=>'Heeft geen pagina geselecteerd','Has any page selected'=>'Heeft een pagina geselecteerd','Pages do not contain'=>'Pagina\'s bevatten niet','Pages contain'=>'Pagina\'s bevatten','Page is not equal to'=>'Pagina is niet gelijk aan','Page is equal to'=>'Pagina is gelijk aan','Has no relationship selected'=>'Heeft geen relatie geselecteerd','Has any relationship selected'=>'Heeft een relatie geselecteerd','Has no post selected'=>'Heeft geen bericht geselecteerd','Has any post selected'=>'Heeft een bericht geselecteerd','Posts do not contain'=>'Berichten bevatten niet','Posts contain'=>'Berichten bevatten','Post is not equal to'=>'Bericht is niet gelijk aan','Post is equal to'=>'Bericht is gelijk aan','Relationships do not contain'=>'Relaties bevatten niet','Relationships contain'=>'Relaties bevatten','Relationship is not equal to'=>'Relatie is niet gelijk aan','Relationship is equal to'=>'Relatie is gelijk aan','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF velden','ACF PRO Feature'=>'ACF PRO functie','Renew PRO to Unlock'=>'Vernieuw PRO om te ontgrendelen','Renew PRO License'=>'Vernieuw PRO licentie','PRO fields cannot be edited without an active license.'=>'PRO velden kunnen niet bewerkt worden zonder een actieve licentie.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Activeer je ACF PRO licentie om veldgroepen toegewezen aan een ACF blok te bewerken.','Please activate your ACF PRO license to edit this options page.'=>'Activeer je ACF PRO licentie om deze optiepagina te bewerken.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Het teruggeven van geëscaped HTML waarden is alleen mogelijk als format_value ook true is. De veldwaarden zijn niet teruggegeven voor de veiligheid.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Het teruggeven van een escaped HTML waarde is alleen mogelijk als format_value ook waar is. De veldwaarde is niet teruggegeven voor de veiligheid.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF escapes nu automatisch aan onveilige HTML bij weergave door the_field of de ACF shortcode. We hebben vastgesteld dat de uitvoer van sommige van je velden is gewijzigd door deze aanpassing, maar dit hoeft geen brekende verandering te zijn. %2$s.','Please contact your site administrator or developer for more details.'=>'Neem contact op met je sitebeheerder of ontwikkelaar voor meer informatie.','Learn more'=>'Leer meer','Hide details'=>'Verberg details','Show details'=>'Toon details','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - weergegeven via %3$s','Renew ACF PRO License'=>'Vernieuw ACF PRO licentie','Renew License'=>'Vernieuw licentie','Manage License'=>'Beheer licentie','\'High\' position not supported in the Block Editor'=>'\'Hoge\' positie wordt niet ondersteund in de blok-editor','Upgrade to ACF PRO'=>'Upgrade naar ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF opties pagina\'s zijn aangepaste beheerpagina\'s voor het beheren van globale instellingen via velden. Je kunt meerdere pagina\'s en subpagina\'s maken.','Add Options Page'=>'Opties pagina toevoegen','In the editor used as the placeholder of the title.'=>'In de editor gebruikt als plaatshouder van de titel.','Title Placeholder'=>'Titel plaatshouder','4 Months Free'=>'4 maanden gratis','(Duplicated from %s)'=>'(Gekopieerd van %s)','Select Options Pages'=>'Opties pagina\'s selecteren','Duplicate taxonomy'=>'Dubbele taxonomie','Create taxonomy'=>'Creëer taxonomie','Duplicate post type'=>'Duplicaat berichttype','Create post type'=>'Berichttype maken','Link field groups'=>'Veldgroepen linken','Add fields'=>'Velden toevoegen','This Field'=>'Dit veld','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Ondersteuning','is developed and maintained by'=>'is ontwikkeld en wordt onderhouden door','Add this %s to the location rules of the selected field groups.'=>'Voeg deze %s toe aan de locatieregels van de geselecteerde veldgroepen.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Als je de bidirectionele instelling inschakelt, kun je een waarde updaten in de doelvelden voor elke waarde die voor dit veld is geselecteerd, door het bericht ID, taxonomie ID of gebruiker ID van het item dat wordt geüpdatet toe te voegen of te verwijderen. Lees voor meer informatie de documentatie.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecteer veld(en) om de verwijzing terug naar het item dat wordt geüpdatet op te slaan. Je kunt dit veld selecteren. Doelvelden moeten compatibel zijn met waar dit veld wordt weergegeven. Als dit veld bijvoorbeeld wordt weergegeven in een taxonomie, dan moet je doelveld van het type taxonomie zijn','Target Field'=>'Doelveld','Update a field on the selected values, referencing back to this ID'=>'Update een veld met de geselecteerde waarden en verwijs terug naar deze ID','Bidirectional'=>'Bidirectioneel','%s Field'=>'%s veld','Select Multiple'=>'Selecteer meerdere','WP Engine logo'=>'WP engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 32 karakters.','The capability name for assigning terms of this taxonomy.'=>'De rechten naam voor het toewijzen van termen van deze taxonomie.','Assign Terms Capability'=>'Termen rechten toewijzen','The capability name for deleting terms of this taxonomy.'=>'De rechten naam voor het verwijderen van termen van deze taxonomie.','Delete Terms Capability'=>'Termen rechten verwijderen','The capability name for editing terms of this taxonomy.'=>'De rechten naam voor het bewerken van termen van deze taxonomie.','Edit Terms Capability'=>'Termen rechten bewerken','The capability name for managing terms of this taxonomy.'=>'De naam van de rechten voor het beheren van termen van deze taxonomie.','Manage Terms Capability'=>'Beheer termen rechten','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Stelt in of berichten moeten worden uitgesloten van zoekresultaten en pagina\'s van taxonomie archieven.','More Tools from WP Engine'=>'Meer gereedschappen van WP Engine','Built for those that build with WordPress, by the team at %s'=>'Gemaakt voor degenen die bouwen met WordPress, door het team van %s','View Pricing & Upgrade'=>'Bekijk prijzen & upgrade','Learn More'=>'Leer meer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Versnel je workflow en ontwikkel betere sites met functies als ACF Blocks en Options Pages, en geavanceerde veldtypen als Repeater, Flexible Content, Clone en Gallery.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Ontgrendel geavanceerde functies en bouw nog meer met ACF PRO','%s fields'=>'%s velden','No terms'=>'Geen termen','No post types'=>'Geen berichttypen','No posts'=>'Geen berichten','No taxonomies'=>'Geen taxonomieën','No field groups'=>'Geen veld groepen','No fields'=>'Geen velden','No description'=>'Geen beschrijving','Any post status'=>'Elke bericht status','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie die buiten ACF is geregistreerd en kan daarom niet worden gebruikt.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Deze taxonomie sleutel is al in gebruik door een andere taxonomie in ACF en kan daarom niet worden gebruikt.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'De taxonomie sleutel mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The taxonomy key must be under 32 characters.'=>'De taxonomie sleutel moet minder dan 32 karakters bevatten.','No Taxonomies found in Trash'=>'Geen taxonomieën gevonden in prullenbak','No Taxonomies found'=>'Geen taxonomieën gevonden','Search Taxonomies'=>'Taxonomieën zoeken','View Taxonomy'=>'Taxonomie bekijken','New Taxonomy'=>'Nieuwe taxonomie','Edit Taxonomy'=>'Taxonomie bewerken','Add New Taxonomy'=>'Nieuwe taxonomie toevoegen','No Post Types found in Trash'=>'Geen berichttypen gevonden in prullenbak','No Post Types found'=>'Geen berichttypen gevonden','Search Post Types'=>'Berichttypen zoeken','View Post Type'=>'Berichttype bekijken','New Post Type'=>'Nieuw berichttype','Edit Post Type'=>'Berichttype bewerken','Add New Post Type'=>'Nieuw berichttype toevoegen','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype dat buiten ACF is geregistreerd en kan niet worden gebruikt.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Deze berichttype sleutel is al in gebruik door een ander berichttype in ACF en kan niet worden gebruikt.','This field must not be a WordPress reserved term.'=>'Dit veld mag geen door WordPress gereserveerde term zijn.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Het berichttype mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','The post type key must be under 20 characters.'=>'De berichttype sleutel moet minder dan 20 karakters bevatten.','We do not recommend using this field in ACF Blocks.'=>'Wij raden het gebruik van dit veld in ACF blokken af.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Toont de WordPress WYSIWYG editor zoals in berichten en pagina\'s voor een rijke tekst bewerking ervaring die ook multi media inhoud mogelijk maakt.','WYSIWYG Editor'=>'WYSIWYG editor','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Maakt het mogelijk een of meer gebruikers te selecteren die kunnen worden gebruikt om relaties te leggen tussen gegeven objecten.','A text input specifically designed for storing web addresses.'=>'Een tekst invoer speciaal ontworpen voor het opslaan van web adressen.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Een toggle waarmee je een waarde van 1 of 0 kunt kiezen (aan of uit, waar of onwaar, enz.). Kan worden gepresenteerd als een gestileerde schakelaar of selectievakje.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een tijd. De tijd format kan worden aangepast via de veldinstellingen.','A basic textarea input for storing paragraphs of text.'=>'Een basis tekstgebied voor het opslaan van alinea\'s tekst.','A basic text input, useful for storing single string values.'=>'Een basis tekstveld, handig voor het opslaan van een enkele string waarde.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Maakt de selectie mogelijk van een of meer taxonomie termen op basis van de criteria en opties die zijn opgegeven in de veldinstellingen.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Hiermee kun je in het bewerking scherm velden groeperen in secties met tabs. Nuttig om velden georganiseerd en gestructureerd te houden.','A dropdown list with a selection of choices that you specify.'=>'Een dropdown lijst met een selectie van keuzes die je aangeeft.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Een interface met twee kolommen om een of meer berichten, pagina\'s of aangepaste extra berichttype items te selecteren om een relatie te leggen met het item dat je nu aan het bewerken bent. Inclusief opties om te zoeken en te filteren.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Een veld voor het selecteren van een numerieke waarde binnen een gespecificeerd bereik met behulp van een bereik slider element.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Een groep keuzerondjes waarmee de gebruiker één keuze kan maken uit waarden die je opgeeft.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Een interactieve en aanpasbare UI voor het kiezen van één of meerdere berichten, pagina\'s of berichttype-items met de optie om te zoeken. ','An input for providing a password using a masked field.'=>'Een invoer voor het verstrekken van een wachtwoord via een afgeschermd veld.','Filter by Post Status'=>'Filter op berichtstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Een interactieve dropdown om een of meer berichten, pagina\'s, extra berichttype items of archief URL\'s te selecteren, met de optie om te zoeken.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Een interactieve component voor het insluiten van video\'s, afbeeldingen, tweets, audio en andere inhoud door gebruik te maken van de standaard WordPress oEmbed functionaliteit.','An input limited to numerical values.'=>'Een invoer die beperkt is tot numerieke waarden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Gebruikt om een bericht te tonen aan editors naast andere velden. Nuttig om extra context of instructies te geven rond je velden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Hiermee kun je een link en zijn eigenschappen zoals titel en doel specificeren met behulp van de WordPress native link picker.','Uses the native WordPress media picker to upload, or choose images.'=>'Gebruikt de standaard WordPress mediakiezer om afbeeldingen te uploaden of te kiezen.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Biedt een manier om velden te structureren in groepen om de gegevens en het bewerking scherm beter te organiseren.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Een interactieve UI voor het selecteren van een locatie met Google Maps. Vereist een Google Maps API-sleutel en aanvullende instellingen om correct te worden weergegeven.','Uses the native WordPress media picker to upload, or choose files.'=>'Gebruikt de standaard WordPress mediakiezer om bestanden te uploaden of te kiezen.','A text input specifically designed for storing email addresses.'=>'Een tekstinvoer speciaal ontworpen voor het opslaan van e-mailadressen.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum en tijd. De datum retour format en tijd kunnen worden aangepast via de veldinstellingen.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Een interactieve UI voor het kiezen van een datum. Het format van de datum kan worden aangepast via de veldinstellingen.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Een interactieve UI voor het selecteren van een kleur, of het opgeven van een hex waarde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Een groep selectievakjes waarmee de gebruiker één of meerdere waarden kan selecteren die je opgeeft.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Een groep knoppen met waarden die je opgeeft, gebruikers kunnen één optie kiezen uit de opgegeven waarden.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Hiermee kun je aangepaste velden groeperen en organiseren in inklapbare panelen die worden getoond tijdens het bewerken van inhoud. Handig om grote datasets netjes te houden.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor het herhalen van inhoud zoals slides, teamleden en Call To Action tegels, door te fungeren als een hoofd voor een string sub velden die steeds opnieuw kunnen worden herhaald.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Dit biedt een interactieve interface voor het beheerder van een verzameling bijlagen. De meeste instellingen zijn vergelijkbaar met die van het veld type afbeelding. Met extra instellingen kun je aangeven waar nieuwe bijlagen in de galerij worden toegevoegd en het minimum/maximum aantal toegestane bijlagen.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Dit biedt een eenvoudige, gestructureerde, op lay-out gebaseerde editor. Met het veld flexibele inhoud kun je inhoud definiëren, creëren en beheren met volledige controle door lay-outs en sub velden te gebruiken om de beschikbare blokken vorm te geven.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kun je bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run time. Het kloon veld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep sub velden.','nounClone'=>'Kloon','PRO'=>'PRO','Advanced'=>'Geavanceerd','JSON (newer)'=>'JSON (nieuwer)','Original'=>'Origineel','Invalid post ID.'=>'Ongeldig bericht ID.','Invalid post type selected for review.'=>'Ongeldig berichttype geselecteerd voor beoordeling.','More'=>'Meer','Tutorial'=>'Tutorial','Select Field'=>'Selecteer veld','Try a different search term or browse %s'=>'Probeer een andere zoekterm of blader door %s','Popular fields'=>'Populaire velden','No search results for \'%s\''=>'Geen zoekresultaten voor \'%s\'','Search fields...'=>'Velden zoeken...','Select Field Type'=>'Selecteer veldtype','Popular'=>'Populair','Add Taxonomy'=>'Taxonomie toevoegen','Create custom taxonomies to classify post type content'=>'Maak aangepaste taxonomieën aan om inhoud van berichttypen te classificeren','Add Your First Taxonomy'=>'Voeg je eerste taxonomie toe','Hierarchical taxonomies can have descendants (like categories).'=>'Hiërarchische taxonomieën kunnen afstammelingen hebben (zoals categorieën).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Maakt een taxonomie zichtbaar op de voorkant en in de beheerder dashboard.','One or many post types that can be classified with this taxonomy.'=>'Eén of vele berichttypes die met deze taxonomie kunnen worden ingedeeld.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genres','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Stel dit berichttype bloot in de REST API.','Customize the query variable name'=>'De naam van de query variabele aanpassen','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Termen zijn toegankelijk via de niet pretty permalink, bijvoorbeeld {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hoofd sub termen in URL\'s voor hiërarchische taxonomieën.','Customize the slug used in the URL'=>'Pas de slug in de URL aan','Permalinks for this taxonomy are disabled.'=>'Permalinks voor deze taxonomie zijn uitgeschakeld.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de taxonomie sleutel als slug. Je permalinkstructuur zal zijn','Taxonomy Key'=>'Taxonomie sleutel','Select the type of permalink to use for this taxonomy.'=>'Selecteer het type permalink dat je voor deze taxonomie wil gebruiken.','Display a column for the taxonomy on post type listing screens.'=>'Toon een kolom voor de taxonomie op de schermen voor het tonen van berichttypes.','Show Admin Column'=>'Toon beheerder kolom','Show the taxonomy in the quick/bulk edit panel.'=>'Toon de taxonomie in het snel/bulk bewerken paneel.','Quick Edit'=>'Snel bewerken','List the taxonomy in the Tag Cloud Widget controls.'=>'Vermeld de taxonomie in de tag cloud widget besturing elementen.','Tag Cloud'=>'Tag cloud','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Een PHP functienaam die moet worden aangeroepen om taxonomie gegevens opgeslagen in een meta box te zuiveren.','Meta Box Sanitization Callback'=>'Meta box sanitatie callback','Register Meta Box Callback'=>'Meta box callback registreren','No Meta Box'=>'Geen meta box','Custom Meta Box'=>'Aangepaste meta box','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Bepaalt het meta box op het inhoud editor scherm. Standaard wordt het categorie meta box getoond voor hiërarchische taxonomieën, en het tags meta box voor niet hiërarchische taxonomieën.','Meta Box'=>'Meta box','Categories Meta Box'=>'Categorieën meta box','Tags Meta Box'=>'Tags meta box','A link to a tag'=>'Een link naar een tag','Describes a navigation link block variation used in the block editor.'=>'Beschrijft een navigatie link blok variatie gebruikt in de blok-editor.','A link to a %s'=>'Een link naar een %s','Tag Link'=>'Tag link','Assigns a title for navigation link block variation used in the block editor.'=>'Wijst een titel toe aan de navigatie link blok variatie gebruikt in de blok-editor.','← Go to tags'=>'← Ga naar tags','Assigns the text used to link back to the main index after updating a term.'=>'Wijst de tekst toe die wordt gebruikt om terug te linken naar de hoofd index na het updaten van een term.','Back To Items'=>'Terug naar items','← Go to %s'=>'← Ga naar %s','Tags list'=>'Tags lijst','Assigns text to the table hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de tabel.','Tags list navigation'=>'Tags lijst navigatie','Assigns text to the table pagination hidden heading.'=>'Wijst tekst toe aan de verborgen koptekst van de paginering van de tabel.','Filter by category'=>'Filter op categorie','Assigns text to the filter button in the posts lists table.'=>'Wijst tekst toe aan de filterknop in de lijst met berichten.','Filter By Item'=>'Filter op item','Filter by %s'=>'Filter op %s','The description is not prominent by default; however, some themes may show it.'=>'De beschrijving is standaard niet prominent aanwezig; sommige thema\'s kunnen hem echter wel tonen.','Describes the Description field on the Edit Tags screen.'=>'Beschrijft het veld beschrijving in het scherm bewerken tags.','Description Field Description'=>'Omschrijving veld beschrijving','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Wijs een hoofdterm toe om een hiërarchie te creëren. De term jazz is bijvoorbeeld het hoofd van Bebop en Big Band','Describes the Parent field on the Edit Tags screen.'=>'Beschrijft het hoofd veld op het bewerken tags scherm.','Parent Field Description'=>'Hoofdveld beschrijving','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'De "slug" is de URL vriendelijke versie van de naam. Het zijn meestal allemaal kleine letters en bevat alleen letters, cijfers en koppeltekens.','Describes the Slug field on the Edit Tags screen.'=>'Beschrijft het slug veld op het bewerken tags scherm.','Slug Field Description'=>'Slug veld beschrijving','The name is how it appears on your site'=>'De naam is zoals hij op je site staat','Describes the Name field on the Edit Tags screen.'=>'Beschrijft het naamveld op het bewerken tags scherm.','Name Field Description'=>'Naamveld beschrijving','No tags'=>'Geen tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Wijst de tekst toe die wordt weergegeven in de tabellen met berichten en media lijsten als er geen tags of categorieën beschikbaar zijn.','No Terms'=>'Geen termen','No %s'=>'Geen %s','No tags found'=>'Geen tags gevonden','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Wijst de tekst toe die wordt weergegeven wanneer je klikt op de \'kies uit meest gebruikte\' tekst in het taxonomie meta box wanneer er geen tags beschikbaar zijn, en wijst de tekst toe die wordt gebruikt in de termen lijst tabel wanneer er geen items zijn voor een taxonomie.','Not Found'=>'Niet gevonden','Assigns text to the Title field of the Most Used tab.'=>'Wijst tekst toe aan het titelveld van de tab meest gebruikt.','Most Used'=>'Meest gebruikt','Choose from the most used tags'=>'Kies uit de meest gebruikte tags','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Wijst de \'kies uit meest gebruikte\' tekst toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën.','Choose From Most Used'=>'Kies uit de meest gebruikte','Choose from the most used %s'=>'Kies uit de meest gebruikte %s','Add or remove tags'=>'Tags toevoegen of verwijderen','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Wijst de tekst voor het toevoegen of verwijderen van items toe die wordt gebruikt in het meta box wanneer JavaScript is uitgeschakeld. Alleen gebruikt op niet hiërarchische taxonomieën','Add Or Remove Items'=>'Items toevoegen of verwijderen','Add or remove %s'=>'%s toevoegen of verwijderen','Separate tags with commas'=>'Scheid tags met komma\'s','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Wijst de gescheiden item met komma\'s tekst toe die wordt gebruikt in het taxonomie meta box. Alleen gebruikt op niet hiërarchische taxonomieën.','Separate Items With Commas'=>'Scheid items met komma\'s','Separate %s with commas'=>'Scheid %s met komma\'s','Popular Tags'=>'Populaire tags','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Wijst populaire items tekst toe. Alleen gebruikt voor niet hiërarchische taxonomieën.','Popular Items'=>'Populaire items','Popular %s'=>'Populaire %s','Search Tags'=>'Tags zoeken','Assigns search items text.'=>'Wijst zoek items tekst toe.','Parent Category:'=>'Hoofdcategorie:','Assigns parent item text, but with a colon (:) added to the end.'=>'Wijst hoofd item tekst toe, maar met een dubbele punt (:) toegevoegd aan het einde.','Parent Item With Colon'=>'Hoofditem met dubbele punt','Parent Category'=>'Hoofdcategorie','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Wijst hoofd item tekst toe. Alleen gebruikt bij hiërarchische taxonomieën.','Parent Item'=>'Hoofditem','Parent %s'=>'Hoofd %s','New Tag Name'=>'Nieuwe tagnaam','Assigns the new item name text.'=>'Wijst de nieuwe item naam tekst toe.','New Item Name'=>'Nieuw item naam','New %s Name'=>'Nieuwe %s naam','Add New Tag'=>'Nieuwe tag toevoegen','Assigns the add new item text.'=>'Wijst de tekst van het nieuwe item toe.','Update Tag'=>'Tag updaten','Assigns the update item text.'=>'Wijst de tekst van het update item toe.','Update Item'=>'Item updaten','Update %s'=>'%s updaten','View Tag'=>'Tag bekijken','In the admin bar to view term during editing.'=>'In de toolbar om de term te bekijken tijdens het bewerken.','Edit Tag'=>'Tag bewerken','At the top of the editor screen when editing a term.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een term.','All Tags'=>'Alle tags','Assigns the all items text.'=>'Wijst de tekst van alle items toe.','Assigns the menu name text.'=>'Wijst de tekst van de menu naam toe.','Menu Label'=>'Menulabel','Active taxonomies are enabled and registered with WordPress.'=>'Actieve taxonomieën zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the taxonomy.'=>'Een beschrijvende samenvatting van de taxonomie.','A descriptive summary of the term.'=>'Een beschrijvende samenvatting van de term.','Term Description'=>'Term beschrijving','Single word, no spaces. Underscores and dashes allowed.'=>'Eén woord, geen spaties. Underscores en streepjes zijn toegestaan.','Term Slug'=>'Term slug','The name of the default term.'=>'De naam van de standaard term.','Term Name'=>'Term naam','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Maak een term aan voor de taxonomie die niet verwijderd kan worden. Deze zal niet standaard worden geselecteerd voor berichten.','Default Term'=>'Standaard term','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Of termen in deze taxonomie moeten worden gesorteerd in de volgorde waarin ze worden aangeleverd aan `wp_set_object_terms()`.','Sort Terms'=>'Termen sorteren','Add Post Type'=>'Berichttype toevoegen','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Breid de functionaliteit van WordPress uit tot meer dan standaard berichten en pagina\'s met aangepaste berichttypes.','Add Your First Post Type'=>'Je eerste berichttype toevoegen','I know what I\'m doing, show me all the options.'=>'Ik weet wat ik doe, laat me alle opties zien.','Advanced Configuration'=>'Geavanceerde configuratie','Hierarchical post types can have descendants (like pages).'=>'Hiërarchische bericht types kunnen afstammelingen hebben (zoals pagina\'s).','Hierarchical'=>'Hiërarchisch','Visible on the frontend and in the admin dashboard.'=>'Zichtbaar op de voorkant en in het beheerder dashboard.','Public'=>'Publiek','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Alleen kleine letters, underscores en streepjes, maximaal 20 karakters.','Movie'=>'Film','Singular Label'=>'Enkelvoudig label','Movies'=>'Films','Plural Label'=>'Meervoud label','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Optionele aangepaste controller om te gebruiken in plaats van `WP_REST_Posts_Controller`.','Controller Class'=>'Controller klasse','The namespace part of the REST API URL.'=>'De namespace sectie van de REST API URL.','Namespace Route'=>'Namespace route','The base URL for the post type REST API URLs.'=>'De basis URL voor de berichttype REST API URL\'s.','Base URL'=>'Basis URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Geeft dit berichttype weer in de REST API. Vereist om de blok-editor te gebruiken.','Show In REST API'=>'Weergeven in REST API','Customize the query variable name.'=>'Pas de naam van de query variabele aan.','Query Variable'=>'Vraag variabele','No Query Variable Support'=>'Geen ondersteuning voor query variabele','Custom Query Variable'=>'Aangepaste query variabele','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Items zijn toegankelijk via de niet pretty permalink, bijv. {bericht_type}={bericht_slug}.','Query Variable Support'=>'Ondersteuning voor query variabelen','URLs for an item and items can be accessed with a query string.'=>'URL\'s voor een item en items kunnen worden benaderd met een query string.','Publicly Queryable'=>'Openbaar opvraagbaar','Custom slug for the Archive URL.'=>'Aangepaste slug voor het archief URL.','Archive Slug'=>'Archief slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Heeft een item archief dat kan worden aangepast met een archief template bestand in je thema.','Archive'=>'Archief','Pagination support for the items URLs such as the archives.'=>'Paginatie ondersteuning voor de items URL\'s zoals de archieven.','Pagination'=>'Paginering','RSS feed URL for the post type items.'=>'RSS feed URL voor de items van het berichttype.','Feed URL'=>'Feed URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Wijzigt de permalink structuur om het `WP_Rewrite::$front` voorvoegsel toe te voegen aan URLs.','Front URL Prefix'=>'Front URL voorvoegsel','Customize the slug used in the URL.'=>'Pas de slug in de URL aan.','URL Slug'=>'URL slug','Permalinks for this post type are disabled.'=>'Permalinks voor dit berichttype zijn uitgeschakeld.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Herschrijf de URL met behulp van een aangepaste slug, gedefinieerd in de onderstaande invoer. Je permalink structuur zal zijn','No Permalink (prevent URL rewriting)'=>'Geen permalink (voorkom URL herschrijving)','Custom Permalink'=>'Aangepaste permalink','Post Type Key'=>'Berichttype sleutel','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Herschrijf de URL met de berichttype sleutel als slug. Je permalink structuur zal zijn','Permalink Rewrite'=>'Permalink herschrijven','Delete items by a user when that user is deleted.'=>'Verwijder items van een gebruiker wanneer die gebruiker wordt verwijderd.','Delete With User'=>'Verwijder met gebruiker','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Laat het berichttype exporteren via \'Gereedschap\' > \'Exporteren\'.','Can Export'=>'Kan geëxporteerd worden','Optionally provide a plural to be used in capabilities.'=>'Geef desgewenst een meervoud dat in rechten moet worden gebruikt.','Plural Capability Name'=>'Meervoudige rechten naam','Choose another post type to base the capabilities for this post type.'=>'Kies een ander berichttype om de rechten voor dit berichttype te baseren.','Singular Capability Name'=>'Enkelvoudige rechten naam','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Standaard erven de rechten van het berichttype de namen van de \'Bericht\' rechten, bv. Edit_bericht, delete_berichten. Activeer om berichttype specifieke rechten te gebruiken, bijv. Edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Rechten hernoemen','Exclude From Search'=>'Uitsluiten van zoeken','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Sta toe dat items worden toegevoegd aan menu\'s in het scherm \'Weergave\' > \'Menu\'s\'. Moet ingeschakeld zijn in \'Scherminstellingen\'.','Appearance Menus Support'=>'Ondersteuning voor weergave menu\'s','Appears as an item in the \'New\' menu in the admin bar.'=>'Verschijnt als een item in het menu "Nieuw" in de toolbar.','Show In Admin Bar'=>'Toon in toolbar','Custom Meta Box Callback'=>'Aangepaste meta box callback','Menu Icon'=>'Menu icoon','The position in the sidebar menu in the admin dashboard.'=>'De positie in het zijbalk menu in het beheerder dashboard.','Menu Position'=>'Menu positie','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Standaard krijgt het berichttype een nieuw top niveau item in het beheerder menu. Als een bestaand top niveau item hier wordt aangeleverd, zal het berichttype worden toegevoegd als een submenu item eronder.','Admin Menu Parent'=>'Beheerder hoofd menu','Admin editor navigation in the sidebar menu.'=>'Beheerder editor navigatie in het zijbalk menu.','Show In Admin Menu'=>'Toon in beheerder menu','Items can be edited and managed in the admin dashboard.'=>'Items kunnen worden bewerkt en beheerd in het beheerder dashboard.','Show In UI'=>'Weergeven in UI','A link to a post.'=>'Een link naar een bericht.','Description for a navigation link block variation.'=>'Beschrijving voor een navigatie link blok variatie.','Item Link Description'=>'Item link beschrijving','A link to a %s.'=>'Een link naar een %s.','Post Link'=>'Bericht link','Title for a navigation link block variation.'=>'Titel voor een navigatie link blok variatie.','Item Link'=>'Item link','%s Link'=>'%s link','Post updated.'=>'Bericht geüpdatet.','In the editor notice after an item is updated.'=>'In het editor bericht nadat een item is geüpdatet.','Item Updated'=>'Item geüpdatet','%s updated.'=>'%s geüpdatet.','Post scheduled.'=>'Bericht ingepland.','In the editor notice after scheduling an item.'=>'In het editor bericht na het plannen van een item.','Item Scheduled'=>'Item gepland','%s scheduled.'=>'%s gepland.','Post reverted to draft.'=>'Bericht teruggezet naar concept.','In the editor notice after reverting an item to draft.'=>'In het editor bericht na het terugdraaien van een item naar concept.','Item Reverted To Draft'=>'Item teruggezet naar concept','%s reverted to draft.'=>'%s teruggezet naar het concept.','Post published privately.'=>'Bericht privé gepubliceerd.','In the editor notice after publishing a private item.'=>'In het editor bericht na het publiceren van een privé item.','Item Published Privately'=>'Item privé gepubliceerd','%s published privately.'=>'%s privé gepubliceerd.','Post published.'=>'Bericht gepubliceerd.','In the editor notice after publishing an item.'=>'In het editor bericht na het publiceren van een item.','Item Published'=>'Item gepubliceerd','%s published.'=>'%s gepubliceerd.','Posts list'=>'Berichtenlijst','Used by screen readers for the items list on the post type list screen.'=>'Gebruikt door scherm lezers voor de item lijst op het scherm van de berichttypen lijst.','Items List'=>'Items lijst','%s list'=>'%s lijst','Posts list navigation'=>'Berichten lijst navigatie','Used by screen readers for the filter list pagination on the post type list screen.'=>'Gebruikt door scherm lezers voor de paginering van de filter lijst op het scherm van de lijst met berichttypes.','Items List Navigation'=>'Items lijst navigatie','%s list navigation'=>'%s lijst navigatie','Filter posts by date'=>'Filter berichten op datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de filter op datum koptekst in de lijst met berichttypes.','Filter Items By Date'=>'Filter items op datum','Filter %s by date'=>'Filter %s op datum','Filter posts list'=>'Filter berichtenlijst','Used by screen readers for the filter links heading on the post type list screen.'=>'Gebruikt door scherm lezers voor de koptekst filter links op het scherm van de lijst met berichttypes.','Filter Items List'=>'Filter itemlijst','Filter %s list'=>'Filter %s lijst','In the media modal showing all media uploaded to this item.'=>'In het media modaal worden alle media getoond die naar dit item zijn geüpload.','Uploaded To This Item'=>'Geüpload naar dit item','Uploaded to this %s'=>'Geüpload naar deze %s','Insert into post'=>'Invoegen in bericht','As the button label when adding media to content.'=>'Als knop label bij het toevoegen van media aan inhoud.','Insert Into Media Button'=>'Invoegen in media knop','Insert into %s'=>'Invoegen in %s','Use as featured image'=>'Gebruik als uitgelichte afbeelding','As the button label for selecting to use an image as the featured image.'=>'Als knop label voor het selecteren van een afbeelding als uitgelichte afbeelding.','Use Featured Image'=>'Gebruik uitgelichte afbeelding','Remove featured image'=>'Verwijder uitgelichte afbeelding','As the button label when removing the featured image.'=>'Als het knop label bij het verwijderen van de uitgelichte afbeelding.','Remove Featured Image'=>'Verwijder uitgelichte afbeelding','Set featured image'=>'Uitgelichte afbeelding instellen','As the button label when setting the featured image.'=>'Als knop label bij het instellen van de uitgelichte afbeelding.','Set Featured Image'=>'Uitgelichte afbeelding instellen','Featured image'=>'Uitgelichte afbeelding','In the editor used for the title of the featured image meta box.'=>'In de editor gebruikt voor de titel van de uitgelichte afbeelding meta box.','Featured Image Meta Box'=>'Uitgelichte afbeelding meta box','Post Attributes'=>'Bericht attributen','In the editor used for the title of the post attributes meta box.'=>'In de editor gebruikt voor de titel van het bericht attributen meta box.','Attributes Meta Box'=>'Attributen meta box','%s Attributes'=>'%s attributen','Post Archives'=>'Bericht archieven','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Voegt \'Berichttype archief\' items met dit label toe aan de lijst van berichten die getoond worden bij het toevoegen van items aan een bestaand menu in een CPT met archieven ingeschakeld. Verschijnt alleen bij het bewerken van menu\'s in \'Live voorbeeld\' modus en wanneer een aangepaste archief slug is opgegeven.','Archives Nav Menu'=>'Archief nav menu','%s Archives'=>'%s archieven','No posts found in Trash'=>'Geen berichten gevonden in de prullenbak','At the top of the post type list screen when there are no posts in the trash.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten in de prullenbak zitten.','No Items Found in Trash'=>'Geen items gevonden in de prullenbak','No %s found in Trash'=>'Geen %s gevonden in de prullenbak','No posts found'=>'Geen berichten gevonden','At the top of the post type list screen when there are no posts to display.'=>'Aan de bovenkant van het scherm van de lijst met berichttypes wanneer er geen berichten zijn om weer te geven.','No Items Found'=>'Geen items gevonden','No %s found'=>'Geen %s gevonden','Search Posts'=>'Berichten zoeken','At the top of the items screen when searching for an item.'=>'Aan de bovenkant van het item scherm bij het zoeken naar een item.','Search Items'=>'Items zoeken','Search %s'=>'%s zoeken','Parent Page:'=>'Hoofdpagina:','For hierarchical types in the post type list screen.'=>'Voor hiërarchische types in het scherm van de berichttypen lijst.','Parent Item Prefix'=>'Hoofditem voorvoegsel','Parent %s:'=>'Hoofd %s:','New Post'=>'Nieuw bericht','New Item'=>'Nieuw item','New %s'=>'Nieuw %s','Add New Post'=>'Nieuw bericht toevoegen','At the top of the editor screen when adding a new item.'=>'Aan de bovenkant van het editor scherm bij het toevoegen van een nieuw item.','Add New Item'=>'Nieuw item toevoegen','Add New %s'=>'Nieuwe %s toevoegen','View Posts'=>'Berichten bekijken','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Verschijnt in de toolbar in de weergave \'Alle berichten\', als het berichttype archieven ondersteunt en de voorpagina geen archief is van dat berichttype.','View Items'=>'Items bekijken','View Post'=>'Bericht bekijken','In the admin bar to view item when editing it.'=>'In de toolbar om het item te bekijken wanneer je het bewerkt.','View Item'=>'Item bekijken','View %s'=>'%s bekijken','Edit Post'=>'Bericht bewerken','At the top of the editor screen when editing an item.'=>'Aan de bovenkant van het editor scherm bij het bewerken van een item.','Edit Item'=>'Item bewerken','Edit %s'=>'%s bewerken','All Posts'=>'Alle berichten','In the post type submenu in the admin dashboard.'=>'In het sub menu van het berichttype in het beheerder dashboard.','All Items'=>'Alle items','All %s'=>'Alle %s','Admin menu name for the post type.'=>'Beheerder menu naam voor het berichttype.','Menu Name'=>'Menu naam','Regenerate all labels using the Singular and Plural labels'=>'Alle labels opnieuw genereren met behulp van de labels voor enkelvoud en meervoud','Regenerate'=>'Regenereren','Active post types are enabled and registered with WordPress.'=>'Actieve berichttypes zijn ingeschakeld en geregistreerd bij WordPress.','A descriptive summary of the post type.'=>'Een beschrijvende samenvatting van het berichttype.','Add Custom'=>'Aangepaste toevoegen','Enable various features in the content editor.'=>'Verschillende functies in de inhoud editor inschakelen.','Post Formats'=>'Berichtformaten','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecteer bestaande taxonomieën om items van het berichttype te classificeren.','Browse Fields'=>'Bladeren door velden','Nothing to import'=>'Er is niets om te importeren','. The Custom Post Type UI plugin can be deactivated.'=>'. De Custom Post Type UI plugin kan worden gedeactiveerd.','Imported %d item from Custom Post Type UI -'=>'%d item geïmporteerd uit Custom Post Type UI -' . "\0" . '%d items geïmporteerd uit Custom Post Type UI -','Failed to import taxonomies.'=>'Kan taxonomieën niet importeren.','Failed to import post types.'=>'Kan berichttypen niet importeren.','Nothing from Custom Post Type UI plugin selected for import.'=>'Niets van extra berichttype UI plugin geselecteerd voor import.','Imported 1 item'=>'1 item geïmporteerd' . "\0" . '%s items geïmporteerd','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Als je een berichttype of taxonomie importeert met dezelfde sleutel als een reeds bestaand berichttype of taxonomie, worden de instellingen voor het bestaande berichttype of de bestaande taxonomie overschreven met die van de import.','Import from Custom Post Type UI'=>'Importeer vanuit Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'De volgende code kan worden gebruikt om een lokale versie van de geselecteerde items te registreren. Het lokaal opslaan van veldgroepen, berichttypen of taxonomieën kan veel voordelen bieden, zoals snellere laadtijden, versiebeheer en dynamische velden/instellingen. Kopieer en plak de volgende code in het functions.php bestand van je thema of neem het op in een extern bestand, en deactiveer of verwijder vervolgens de items uit de ACF beheer.','Export - Generate PHP'=>'Exporteren - PHP genereren','Export'=>'Exporteren','Select Taxonomies'=>'Taxonomieën selecteren','Select Post Types'=>'Berichttypen selecteren','Exported 1 item.'=>'1 item geëxporteerd.' . "\0" . '%s items geëxporteerd.','Category'=>'Categorie','Tag'=>'Tag','%s taxonomy created'=>'%s taxonomie aangemaakt','%s taxonomy updated'=>'%s taxonomie geüpdatet','Taxonomy draft updated.'=>'Taxonomie concept geüpdatet.','Taxonomy scheduled for.'=>'Taxonomie ingepland voor.','Taxonomy submitted.'=>'Taxonomie ingediend.','Taxonomy saved.'=>'Taxonomie opgeslagen.','Taxonomy deleted.'=>'Taxonomie verwijderd.','Taxonomy updated.'=>'Taxonomie geüpdatet.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Deze taxonomie kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een andere taxonomie die door een andere plugin of thema is geregistreerd.','Taxonomy synchronized.'=>'Taxonomie gesynchroniseerd.' . "\0" . '%s taxonomieën gesynchroniseerd.','Taxonomy duplicated.'=>'Taxonomie gedupliceerd.' . "\0" . '%s taxonomieën gedupliceerd.','Taxonomy deactivated.'=>'Taxonomie gedeactiveerd.' . "\0" . '%s taxonomieën gedeactiveerd.','Taxonomy activated.'=>'Taxonomie geactiveerd.' . "\0" . '%s taxonomieën geactiveerd.','Terms'=>'Termen','Post type synchronized.'=>'Berichttype gesynchroniseerd.' . "\0" . '%s berichttypen gesynchroniseerd.','Post type duplicated.'=>'Berichttype gedupliceerd.' . "\0" . '%s berichttypen gedupliceerd.','Post type deactivated.'=>'Berichttype gedeactiveerd.' . "\0" . '%s berichttypen gedeactiveerd.','Post type activated.'=>'Berichttype geactiveerd.' . "\0" . '%s berichttypen geactiveerd.','Post Types'=>'Berichttypen','Advanced Settings'=>'Geavanceerde instellingen','Basic Settings'=>'Basisinstellingen','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Dit berichttype kon niet worden geregistreerd omdat de sleutel ervan in gebruik is door een ander berichttype dat door een andere plugin of een ander thema is geregistreerd.','Pages'=>'Pagina\'s','Link Existing Field Groups'=>'Link bestaande veld groepen','%s post type created'=>'%s berichttype aangemaakt','Add fields to %s'=>'Velden toevoegen aan %s','%s post type updated'=>'%s berichttype geüpdatet','Post type draft updated.'=>'Berichttype concept geüpdatet.','Post type scheduled for.'=>'Berichttype ingepland voor.','Post type submitted.'=>'Berichttype ingediend.','Post type saved.'=>'Berichttype opgeslagen.','Post type updated.'=>'Berichttype geüpdatet.','Post type deleted.'=>'Berichttype verwijderd.','Type to search...'=>'Typ om te zoeken...','PRO Only'=>'Alleen in PRO','Field groups linked successfully.'=>'Veldgroepen succesvol gelinkt.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importeer berichttypen en taxonomieën die zijn geregistreerd met extra berichttype UI en beheerder ze met ACF. Aan de slag.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'berichttype','Done'=>'Klaar','Field Group(s)'=>'Veld groep(en)','Select one or many field groups...'=>'Selecteer één of meerdere veldgroepen...','Please select the field groups to link.'=>'Selecteer de veldgroepen om te linken.','Field group linked successfully.'=>'Veldgroep succesvol gelinkt.' . "\0" . 'Veldgroepen succesvol gelinkt.','post statusRegistration Failed'=>'Registratie mislukt','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Dit item kon niet worden geregistreerd omdat zijn sleutel in gebruik is door een ander item geregistreerd door een andere plugin of thema.','REST API'=>'REST API','Permissions'=>'Rechten','URLs'=>'URL\'s','Visibility'=>'Zichtbaarheid','Labels'=>'Labels','Field Settings Tabs'=>'Tabs voor veldinstellingen','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF shortcode waarde uitgeschakeld voor voorbeeld]','Close Modal'=>'Modal sluiten','Field moved to other group'=>'Veld verplaatst naar andere groep','Close modal'=>'Modal sluiten','Start a new group of tabs at this tab.'=>'Begin een nieuwe groep van tabs bij dit tab.','New Tab Group'=>'Nieuwe tabgroep','Use a stylized checkbox using select2'=>'Een gestileerde checkbox gebruiken met select2','Save Other Choice'=>'Andere keuze opslaan','Allow Other Choice'=>'Andere keuze toestaan','Add Toggle All'=>'Toevoegen toggle alle','Save Custom Values'=>'Aangepaste waarden opslaan','Allow Custom Values'=>'Aangepaste waarden toestaan','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Aangepaste waarden van het selectievakje mogen niet leeg zijn. Vink lege waarden uit.','Updates'=>'Updates','Advanced Custom Fields logo'=>'Advanced Custom Fields logo','Save Changes'=>'Wijzigingen opslaan','Field Group Title'=>'Veldgroep titel','Add title'=>'Titel toevoegen','New to ACF? Take a look at our getting started guide.'=>'Ben je nieuw bij ACF? Bekijk onze startersgids.','Add Field Group'=>'Veldgroep toevoegen','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF gebruikt veldgroepen om aangepaste velden te groeperen, en die velden vervolgens te koppelen aan bewerkingsschermen.','Add Your First Field Group'=>'Voeg je eerste veldgroep toe','Options Pages'=>'Opties pagina\'s','ACF Blocks'=>'ACF blokken','Gallery Field'=>'Galerij veld','Flexible Content Field'=>'Flexibel inhoudsveld','Repeater Field'=>'Herhaler veld','Unlock Extra Features with ACF PRO'=>'Ontgrendel extra functies met ACF PRO','Delete Field Group'=>'Veldgroep verwijderen','Created on %1$s at %2$s'=>'Gemaakt op %1$s om %2$s','Group Settings'=>'Groepsinstellingen','Location Rules'=>'Locatieregels','Choose from over 30 field types. Learn more.'=>'Kies uit meer dan 30 veldtypes. Meer informatie.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Ga aan de slag met het maken van nieuwe aangepaste velden voor je berichten, pagina\'s, extra berichttypes en andere WordPress inhoud.','Add Your First Field'=>'Voeg je eerste veld toe','#'=>'#','Add Field'=>'Veld toevoegen','Presentation'=>'Presentatie','Validation'=>'Validatie','General'=>'Algemeen','Import JSON'=>'JSON importeren','Export As JSON'=>'Als JSON exporteren','Field group deactivated.'=>'Veldgroep gedeactiveerd.' . "\0" . '%s veldgroepen gedeactiveerd.','Field group activated.'=>'Veldgroep geactiveerd.' . "\0" . '%s veldgroepen geactiveerd.','Deactivate'=>'Deactiveren','Deactivate this item'=>'Deactiveer dit item','Activate'=>'Activeren','Activate this item'=>'Activeer dit item','Move field group to trash?'=>'Veldgroep naar prullenbak verplaatsen?','post statusInactive'=>'Inactief','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch gedeactiveerd.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields en Advanced Custom Fields PRO kunnen niet tegelijkertijd actief zijn. We hebben Advanced Custom Fields automatisch gedeactiveerd.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - We hebben een of meer aanroepen gedetecteerd om ACF veldwaarden op te halen voordat ACF is geïnitialiseerd. Dit wordt niet ondersteund en kan leiden tot verkeerd ingedeelde of ontbrekende gegevens. Meer informatie over hoe je dit kunt oplossen..','%1$s must have a user with the %2$s role.'=>'%1$s moet een gebruiker hebben met de rol %2$s.' . "\0" . '%1$s moet een gebruiker hebben met een van de volgende rollen %2$s','%1$s must have a valid user ID.'=>'%1$s moet een geldig gebruikers ID hebben.','Invalid request.'=>'Ongeldige aanvraag.','%1$s is not one of %2$s'=>'%1$s is niet een van %2$s','%1$s must have term %2$s.'=>'%1$s moet term %2$s hebben.' . "\0" . '%1$s moet een van de volgende termen hebben %2$s','%1$s must be of post type %2$s.'=>'%1$s moet van het berichttype %2$s zijn.' . "\0" . '%1$s moet van een van de volgende berichttypes zijn %2$s','%1$s must have a valid post ID.'=>'%1$s moet een geldig bericht ID hebben.','%s requires a valid attachment ID.'=>'%s vereist een geldig bijlage ID.','Show in REST API'=>'Toon in REST API','Enable Transparency'=>'Transparantie inschakelen','RGBA Array'=>'RGBA array','RGBA String'=>'RGBA string','Hex String'=>'Hex string','Upgrade to PRO'=>'Upgrade naar PRO','post statusActive'=>'Actief','\'%s\' is not a valid email address'=>'\'%s\' is geen geldig e-mailadres','Color value'=>'Kleurwaarde','Select default color'=>'Selecteer standaardkleur','Clear color'=>'Kleur wissen','Blocks'=>'Blokken','Options'=>'Opties','Users'=>'Gebruikers','Menu items'=>'Menu-items','Widgets'=>'Widgets','Attachments'=>'Bijlagen','Taxonomies'=>'Taxonomieën','Posts'=>'Berichten','Last updated: %s'=>'Laatst geüpdatet: %s','Sorry, this post is unavailable for diff comparison.'=>'Dit bericht is niet beschikbaar voor verschil vergelijking.','Invalid field group parameter(s).'=>'Ongeldige veldgroep parameter(s).','Awaiting save'=>'In afwachting van opslaan','Saved'=>'Opgeslagen','Import'=>'Importeren','Review changes'=>'Beoordeel wijzigingen','Located in: %s'=>'Bevindt zich in: %s','Located in plugin: %s'=>'Bevindt zich in plugin: %s','Located in theme: %s'=>'Bevindt zich in thema: %s','Various'=>'Diverse','Sync changes'=>'Synchroniseer wijzigingen','Loading diff'=>'Diff laden','Review local JSON changes'=>'Lokale JSON wijzigingen beoordelen','Visit website'=>'Bezoek site','View details'=>'Details bekijken','Version %s'=>'Versie %s','Information'=>'Informatie','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Helpdesk. De ondersteuning professionals op onze helpdesk zullen je helpen met meer diepgaande, technische uitdagingen.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussies. We hebben een actieve en vriendelijke community op onze community forums die je misschien kunnen helpen met de \'how-tos\' van de ACF wereld.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentatie. Onze uitgebreide documentatie bevat referenties en handleidingen voor de meeste situaties die je kunt tegenkomen.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Wij zijn fanatiek in ondersteuning en willen dat je met ACF het beste uit je site haalt. Als je problemen ondervindt, zijn er verschillende plaatsen waar je hulp kan vinden:','Help & Support'=>'Hulp & ondersteuning','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Gebruik de tab Hulp & ondersteuning om contact op te nemen als je hulp nodig hebt.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Voordat je je eerste veldgroep maakt, raden we je aan om eerst onze Aan de slag gids te lezen om je vertrouwd te maken met de filosofie en best practices van de plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'De Advanced Custom Fields plugin biedt een visuele formulierbouwer om WordPress bewerkingsschermen aan te passen met extra velden, en een intuïtieve API om aangepaste veldwaarden weer te geven in elk thema template bestand.','Overview'=>'Overzicht','Location type "%s" is already registered.'=>'Locatietype "%s" is al geregistreerd.','Class "%s" does not exist.'=>'Klasse "%s" bestaat niet.','Invalid nonce.'=>'Ongeldige nonce.','Error loading field.'=>'Fout tijdens laden van veld.','Error: %s'=>'Fout: %s','Widget'=>'Widget','User Role'=>'Gebruikersrol','Comment'=>'Reactie','Post Format'=>'Berichtformat','Menu Item'=>'Menu-item','Post Status'=>'Berichtstatus','Menus'=>'Menu\'s','Menu Locations'=>'Menulocaties','Menu'=>'Menu','Post Taxonomy'=>'Bericht taxonomie','Child Page (has parent)'=>'Subpagina (heeft hoofdpagina)','Parent Page (has children)'=>'Hoofdpagina (heeft subpagina\'s)','Top Level Page (no parent)'=>'Pagina op hoogste niveau (geen hoofdpagina)','Posts Page'=>'Berichtenpagina','Front Page'=>'Voorpagina','Page Type'=>'Paginatype','Viewing back end'=>'Back-end aan het bekijken','Viewing front end'=>'Front-end aan het bekijken','Logged in'=>'Ingelogd','Current User'=>'Huidige gebruiker','Page Template'=>'Pagina template','Register'=>'Registreren','Add / Edit'=>'Toevoegen / bewerken','User Form'=>'Gebruikersformulier','Page Parent'=>'Hoofdpagina','Super Admin'=>'Superbeheerder','Current User Role'=>'Huidige gebruikersrol','Default Template'=>'Standaard template','Post Template'=>'Bericht template','Post Category'=>'Berichtcategorie','All %s formats'=>'Alle %s formats','Attachment'=>'Bijlage','%s value is required'=>'%s waarde is verplicht','Show this field if'=>'Toon dit veld als','Conditional Logic'=>'Voorwaardelijke logica','and'=>'en','Local JSON'=>'Lokale JSON','Clone Field'=>'Veld klonen','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Controleer ook of alle premium add-ons (%s) zijn geüpdatet naar de nieuwste versie.','This version contains improvements to your database and requires an upgrade.'=>'Deze versie bevat verbeteringen voor je database en vereist een upgrade.','Thank you for updating to %1$s v%2$s!'=>'Bedankt voor het updaten naar %1$s v%2$s!','Database Upgrade Required'=>'Database-upgrade vereist','Options Page'=>'Opties pagina','Gallery'=>'Galerij','Flexible Content'=>'Flexibele inhoud','Repeater'=>'Herhaler','Back to all tools'=>'Terug naar alle gereedschappen','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)'=>'Als er meerdere veldgroepen op een bewerkingsscherm verschijnen, dan worden de opties van de eerste veldgroep gebruikt (degene met het laagste volgorde nummer)','Select items to hide them from the edit screen.'=>'Selecteer items om ze te verbergen in het bewerkingsscherm.','Hide on screen'=>'Verberg op scherm','Send Trackbacks'=>'Trackbacks verzenden','Tags'=>'Tags','Categories'=>'Categorieën','Page Attributes'=>'Pagina attributen','Format'=>'Format','Author'=>'Auteur','Slug'=>'Slug','Revisions'=>'Revisies','Comments'=>'Reacties','Discussion'=>'Discussie','Excerpt'=>'Samenvatting','Content Editor'=>'Inhoudseditor','Permalink'=>'Permalink','Shown in field group list'=>'Weergegeven in lijst met veldgroepen','Field groups with a lower order will appear first'=>'Veldgroepen met een lagere volgorde verschijnen als eerste','Order No.'=>'Volgorde nr.','Below fields'=>'Onder velden','Below labels'=>'Onder labels','Instruction Placement'=>'Instructie plaatsing','Label Placement'=>'Label plaatsing','Side'=>'Zijkant','Normal (after content)'=>'Normaal (na inhoud)','High (after title)'=>'Hoog (na titel)','Position'=>'Positie','Seamless (no metabox)'=>'Naadloos (geen meta box)','Standard (WP metabox)'=>'Standaard (met metabox)','Style'=>'Stijl','Type'=>'Type','Key'=>'Sleutel','Order'=>'Volgorde','Close Field'=>'Veld sluiten','id'=>'ID','class'=>'klasse','width'=>'breedte','Wrapper Attributes'=>'Wrapper attributen','Required'=>'Vereist','Instructions'=>'Instructies','Field Type'=>'Veldtype','Single word, no spaces. Underscores and dashes allowed'=>'Eén woord, geen spaties. Underscores en verbindingsstrepen toegestaan','Field Name'=>'Veldnaam','This is the name which will appear on the EDIT page'=>'Dit is de naam die op de BEWERK pagina zal verschijnen','Field Label'=>'Veldlabel','Delete'=>'Verwijderen','Delete field'=>'Veld verwijderen','Move'=>'Verplaatsen','Move field to another group'=>'Veld naar een andere groep verplaatsen','Duplicate field'=>'Veld dupliceren','Edit field'=>'Veld bewerken','Drag to reorder'=>'Sleep om te herschikken','Show this field group if'=>'Deze veldgroep weergeven als','No updates available.'=>'Er zijn geen updates beschikbaar.','Database upgrade complete. See what\'s new'=>'Database upgrade afgerond. Bekijk wat er nieuw is','Reading upgrade tasks...'=>'Upgradetaken lezen...','Upgrade failed.'=>'Upgrade mislukt.','Upgrade complete.'=>'Upgrade afgerond.','Upgrading data to version %s'=>'Gegevens upgraden naar versie %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Het is sterk aan te raden om eerst een back-up van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?','Please select at least one site to upgrade.'=>'Selecteer ten minste één site om te upgraden.','Database Upgrade complete. Return to network dashboard'=>'Database upgrade afgerond. Terug naar netwerk dashboard','Site is up to date'=>'Site is up-to-date','Site requires database upgrade from %1$s to %2$s'=>'Site vereist database upgrade van %1$s naar %2$s','Site'=>'Site','Upgrade Sites'=>'Sites upgraden','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'De volgende sites vereisen een upgrade van de database. Selecteer de sites die je wilt updaten en klik vervolgens op %s.','Add rule group'=>'Regelgroep toevoegen','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Maak een set met regels aan om te bepalen welke aangepaste schermen deze extra velden zullen gebruiken','Rules'=>'Regels','Copied'=>'Gekopieerd','Copy to clipboard'=>'Naar klembord kopiëren','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecteer de items die je wilt exporteren en selecteer dan je export methode. Exporteer als JSON om te exporteren naar een .json bestand dat je vervolgens kunt importeren in een andere ACF installatie. Genereer PHP om te exporteren naar PHP code die je in je thema kunt plaatsen.','Select Field Groups'=>'Veldgroepen selecteren','No field groups selected'=>'Geen veldgroepen geselecteerd','Generate PHP'=>'PHP genereren','Export Field Groups'=>'Veldgroepen exporteren','Import file empty'=>'Importbestand is leeg','Incorrect file type'=>'Onjuist bestandstype','Error uploading file. Please try again'=>'Fout bij uploaden van bestand. Probeer het opnieuw','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecteer het Advanced Custom Fields JSON bestand dat je wilt importeren. Wanneer je op de onderstaande import knop klikt, importeert ACF de items in dat bestand.','Import Field Groups'=>'Veldgroepen importeren','Sync'=>'Sync','Select %s'=>'Selecteer %s','Duplicate'=>'Dupliceren','Duplicate this item'=>'Dit item dupliceren','Supports'=>'Ondersteunt','Documentation'=>'Documentatie','Description'=>'Beschrijving','Sync available'=>'Synchronisatie beschikbaar','Field group synchronized.'=>'Veldgroep gesynchroniseerd.' . "\0" . '%s veld groepen gesynchroniseerd.','Field group duplicated.'=>'Veldgroep gedupliceerd.' . "\0" . '%s veldgroepen gedupliceerd.','Active (%s)'=>'Actief (%s)' . "\0" . 'Actief (%s)','Review sites & upgrade'=>'Beoordeel sites & upgrade','Upgrade Database'=>'Database upgraden','Custom Fields'=>'Aangepaste velden','Move Field'=>'Veld verplaatsen','Please select the destination for this field'=>'Selecteer de bestemming voor dit veld','The %1$s field can now be found in the %2$s field group'=>'Het %1$s veld is nu te vinden in de %2$s veldgroep','Move Complete.'=>'Verplaatsen afgerond.','Active'=>'Actief','Field Keys'=>'Veldsleutels','Settings'=>'Instellingen','Location'=>'Locatie','Null'=>'Null','copy'=>'kopie','(this field)'=>'(dit veld)','Checked'=>'Aangevinkt','Move Custom Field'=>'Aangepast veld verplaatsen','No toggle fields available'=>'Geen toggle velden beschikbaar','Field group title is required'=>'Veldgroep titel is vereist','This field cannot be moved until its changes have been saved'=>'Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen','The string "field_" may not be used at the start of a field name'=>'De string "field_" mag niet voor de veldnaam staan','Field group draft updated.'=>'Veldgroep concept geüpdatet.','Field group scheduled for.'=>'Veldgroep gepland voor.','Field group submitted.'=>'Veldgroep ingediend.','Field group saved.'=>'Veldgroep opgeslagen.','Field group published.'=>'Veldgroep gepubliceerd.','Field group deleted.'=>'Veldgroep verwijderd.','Field group updated.'=>'Veldgroep geüpdatet.','Tools'=>'Gereedschap','is not equal to'=>'is niet gelijk aan','is equal to'=>'is gelijk aan','Forms'=>'Formulieren','Page'=>'Pagina','Post'=>'Bericht','Relational'=>'Relationeel','Choice'=>'Keuze','Basic'=>'Basis','Unknown'=>'Onbekend','Field type does not exist'=>'Veldtype bestaat niet','Spam Detected'=>'Spam gevonden','Post updated'=>'Bericht geüpdatet','Update'=>'Updaten','Validate Email'=>'E-mailadres valideren','Content'=>'Inhoud','Title'=>'Titel','Edit field group'=>'Veldgroep bewerken','Selection is less than'=>'Selectie is minder dan','Selection is greater than'=>'Selectie is groter dan','Value is less than'=>'Waarde is minder dan','Value is greater than'=>'Waarde is groter dan','Value contains'=>'Waarde bevat','Value matches pattern'=>'Waarde komt overeen met patroon','Value is not equal to'=>'Waarde is niet gelijk aan','Value is equal to'=>'Waarde is gelijk aan','Has no value'=>'Heeft geen waarde','Has any value'=>'Heeft een waarde','Cancel'=>'Annuleren','Are you sure?'=>'Weet je het zeker?','%d fields require attention'=>'%d velden vereisen aandacht','1 field requires attention'=>'1 veld vereist aandacht','Validation failed'=>'Validatie mislukt','Validation successful'=>'Validatie geslaagd','Restricted'=>'Beperkt','Collapse Details'=>'Details dichtklappen','Expand Details'=>'Details uitklappen','Uploaded to this post'=>'Geüpload naar dit bericht','verbUpdate'=>'Updaten','verbEdit'=>'Bewerken','The changes you made will be lost if you navigate away from this page'=>'De aangebrachte wijzigingen gaan verloren als je deze pagina verlaat','File type must be %s.'=>'Het bestandstype moet %s zijn.','or'=>'of','File size must not exceed %s.'=>'De bestandsgrootte mag niet groter zijn dan %s.','File size must be at least %s.'=>'De bestandsgrootte moet minimaal %s zijn.','Image height must not exceed %dpx.'=>'De hoogte van de afbeelding mag niet hoger zijn dan %dpx.','Image height must be at least %dpx.'=>'De hoogte van de afbeelding moet minimaal %dpx zijn.','Image width must not exceed %dpx.'=>'De breedte van de afbeelding mag niet groter zijn dan %dpx.','Image width must be at least %dpx.'=>'De breedte van de afbeelding moet ten minste %dpx zijn.','(no title)'=>'(geen titel)','Full Size'=>'Volledige grootte','Large'=>'Groot','Medium'=>'Medium','Thumbnail'=>'Thumbnail','(no label)'=>'(geen label)','Sets the textarea height'=>'Bepaalt de hoogte van het tekstgebied','Rows'=>'Rijen','Text Area'=>'Tekstgebied','Prepend an extra checkbox to toggle all choices'=>'Voeg ervoor een extra selectievakje toe om alle keuzes te togglen','Save \'custom\' values to the field\'s choices'=>'Sla \'aangepaste\' waarden op in de keuzes van het veld','Allow \'custom\' values to be added'=>'Toestaan dat \'aangepaste\' waarden worden toegevoegd','Add new choice'=>'Nieuwe keuze toevoegen','Toggle All'=>'Toggle alles','Allow Archives URLs'=>'Archief URL\'s toestaan','Archives'=>'Archieven','Page Link'=>'Pagina link','Add'=>'Toevoegen','Name'=>'Naam','%s added'=>'%s toegevoegd','%s already exists'=>'%s bestaat al','User unable to add new %s'=>'Gebruiker kan geen nieuwe %s toevoegen','Term ID'=>'Term ID','Term Object'=>'Term object','Load value from posts terms'=>'Laad waarde van bericht termen','Load Terms'=>'Laad termen','Connect selected terms to the post'=>'Geselecteerde termen aan het bericht koppelen','Save Terms'=>'Termen opslaan','Allow new terms to be created whilst editing'=>'Toestaan dat nieuwe termen worden gemaakt tijdens het bewerken','Create Terms'=>'Termen maken','Radio Buttons'=>'Keuzerondjes','Single Value'=>'Eén waarde','Multi Select'=>'Multi selecteren','Checkbox'=>'Selectievakje','Multiple Values'=>'Meerdere waarden','Select the appearance of this field'=>'Selecteer de weergave van dit veld','Appearance'=>'Weergave','Select the taxonomy to be displayed'=>'Selecteer de taxonomie die moet worden weergegeven','No TermsNo %s'=>'Geen %s','Value must be equal to or lower than %d'=>'De waarde moet gelijk zijn aan of lager zijn dan %d','Value must be equal to or higher than %d'=>'De waarde moet gelijk zijn aan of hoger zijn dan %d','Value must be a number'=>'Waarde moet een getal zijn','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'\'Andere\' waarden opslaan in de keuzes van het veld','Add \'other\' choice to allow for custom values'=>'Voeg de keuze \'overig\' toe om aangepaste waarden toe te staan','Other'=>'Ander','Radio Button'=>'Keuzerondje','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definieer een endpoint waar de vorige accordeon moet stoppen. Deze accordeon is niet zichtbaar.','Allow this accordion to open without closing others.'=>'Deze accordeon openen zonder anderen te sluiten.','Multi-Expand'=>'Multi uitvouwen','Display this accordion as open on page load.'=>'Geef deze accordeon weer als geopend bij het laden van de pagina.','Open'=>'Openen','Accordion'=>'Accordeon','Restrict which files can be uploaded'=>'Beperken welke bestanden kunnen worden geüpload','File ID'=>'Bestands ID','File URL'=>'Bestands URL','File Array'=>'Bestands array','Add File'=>'Bestand toevoegen','No file selected'=>'Geen bestand geselecteerd','File name'=>'Bestandsnaam','Update File'=>'Bestand updaten','Edit File'=>'Bestand bewerken','Select File'=>'Bestand selecteren','File'=>'Bestand','Password'=>'Wachtwoord','Specify the value returned'=>'Geef de geretourneerde waarde op','Use AJAX to lazy load choices?'=>'Ajax gebruiken om keuzes te lazy-loaden?','Enter each default value on a new line'=>'Zet elke standaardwaarde op een nieuwe regel','verbSelect'=>'Selecteren','Select2 JS load_failLoading failed'=>'Laden mislukt','Select2 JS searchingSearching…'=>'Zoeken…','Select2 JS load_moreLoading more results…'=>'Meer resultaten laden…','Select2 JS selection_too_long_nYou can only select %d items'=>'Je kunt slechts %d items selecteren','Select2 JS selection_too_long_1You can only select 1 item'=>'Je kan slechts 1 item selecteren','Select2 JS input_too_long_nPlease delete %d characters'=>'Verwijder %d tekens','Select2 JS input_too_long_1Please delete 1 character'=>'Verwijder 1 teken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Voer %d of meer tekens in','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Voer 1 of meer tekens in','Select2 JS matches_0No matches found'=>'Geen overeenkomsten gevonden','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultaten zijn beschikbaar, gebruik de pijltoetsen omhoog en omlaag om te navigeren.','Select2 JS matches_1One result is available, press enter to select it.'=>'Er is één resultaat beschikbaar, druk op enter om het te selecteren.','nounSelect'=>'Selecteer','User ID'=>'Gebruikers-ID','User Object'=>'Gebruikersobject','User Array'=>'Gebruiker array','All user roles'=>'Alle gebruikersrollen','Filter by Role'=>'Filter op rol','User'=>'Gebruiker','Separator'=>'Scheidingsteken','Select Color'=>'Selecteer kleur','Default'=>'Standaard','Clear'=>'Wissen','Color Picker'=>'Kleurkiezer','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecteer','Date Time Picker JS closeTextDone'=>'Klaar','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tijdzone','Date Time Picker JS microsecTextMicrosecond'=>'Microseconde','Date Time Picker JS millisecTextMillisecond'=>'Milliseconde','Date Time Picker JS secondTextSecond'=>'Seconde','Date Time Picker JS minuteTextMinute'=>'Minuut','Date Time Picker JS hourTextHour'=>'Uur','Date Time Picker JS timeTextTime'=>'Tijd','Date Time Picker JS timeOnlyTitleChoose Time'=>'Kies tijd','Date Time Picker'=>'Datum tijd kiezer','Endpoint'=>'Endpoint','Left aligned'=>'Links uitgelijnd','Top aligned'=>'Boven uitgelijnd','Placement'=>'Plaatsing','Tab'=>'Tab','Value must be a valid URL'=>'Waarde moet een geldige URL zijn','Link URL'=>'Link URL','Link Array'=>'Link array','Opens in a new window/tab'=>'Opent in een nieuw venster/tab','Select Link'=>'Link selecteren','Link'=>'Link','Email'=>'E-mailadres','Step Size'=>'Stapgrootte','Maximum Value'=>'Maximale waarde','Minimum Value'=>'Minimum waarde','Range'=>'Bereik','Both (Array)'=>'Beide (array)','Label'=>'Label','Value'=>'Waarde','Vertical'=>'Verticaal','Horizontal'=>'Horizontaal','red : Red'=>'rood : Rood','For more control, you may specify both a value and label like this:'=>'Voor meer controle kan je zowel een waarde als een label als volgt specificeren:','Enter each choice on a new line.'=>'Voer elke keuze in op een nieuwe regel.','Choices'=>'Keuzes','Button Group'=>'Knopgroep','Allow Null'=>'Null toestaan','Parent'=>'Hoofd','TinyMCE will not be initialized until field is clicked'=>'TinyMCE wordt niet geïnitialiseerd totdat er op het veld wordt geklikt','Delay Initialization'=>'Initialisatie uitstellen','Show Media Upload Buttons'=>'Media upload knoppen weergeven','Toolbar'=>'Toolbar','Text Only'=>'Alleen tekst','Visual Only'=>'Alleen visueel','Visual & Text'=>'Visueel & tekst','Tabs'=>'Tabs','Click to initialize TinyMCE'=>'Klik om TinyMCE te initialiseren','Name for the Text editor tab (formerly HTML)Text'=>'Tekst','Visual'=>'Visueel','Value must not exceed %d characters'=>'De waarde mag niet langer zijn dan %d karakters','Leave blank for no limit'=>'Laat leeg voor geen limiet','Character Limit'=>'Karakterlimiet','Appears after the input'=>'Verschijnt na de invoer','Append'=>'Toevoegen','Appears before the input'=>'Verschijnt vóór de invoer','Prepend'=>'Voorvoegen','Appears within the input'=>'Wordt weergegeven in de invoer','Placeholder Text'=>'Plaatshouder tekst','Appears when creating a new post'=>'Wordt weergegeven bij het maken van een nieuw bericht','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s vereist minimaal %2$s selectie' . "\0" . '%1$s vereist minimaal %2$s selecties','Post ID'=>'Bericht ID','Post Object'=>'Bericht object','Maximum Posts'=>'Maximum aantal berichten','Minimum Posts'=>'Minimum aantal berichten','Featured Image'=>'Uitgelichte afbeelding','Selected elements will be displayed in each result'=>'Geselecteerde elementen worden weergegeven in elk resultaat','Elements'=>'Elementen','Taxonomy'=>'Taxonomie','Post Type'=>'Berichttype','Filters'=>'Filters','All taxonomies'=>'Alle taxonomieën','Filter by Taxonomy'=>'Filter op taxonomie','All post types'=>'Alle berichttypen','Filter by Post Type'=>'Filter op berichttype','Search...'=>'Zoeken...','Select taxonomy'=>'Taxonomie selecteren','Select post type'=>'Selecteer berichttype','No matches found'=>'Geen overeenkomsten gevonden','Loading'=>'Laden','Maximum values reached ( {max} values )'=>'Maximale waarden bereikt ( {max} waarden )','Relationship'=>'Verwantschap','Comma separated list. Leave blank for all types'=>'Komma gescheiden lijst. Laat leeg voor alle typen','Allowed File Types'=>'Toegestane bestandstypen','Maximum'=>'Maximum','File size'=>'Bestandsgrootte','Restrict which images can be uploaded'=>'Beperken welke afbeeldingen kunnen worden geüpload','Minimum'=>'Minimum','Uploaded to post'=>'Geüpload naar bericht','All'=>'Alle','Limit the media library choice'=>'Beperk de keuze van de mediabibliotheek','Library'=>'Bibliotheek','Preview Size'=>'Voorbeeld grootte','Image ID'=>'Afbeelding ID','Image URL'=>'Afbeelding URL','Image Array'=>'Afbeelding array','Specify the returned value on front end'=>'De geretourneerde waarde op de front-end opgeven','Return Value'=>'Retour waarde','Add Image'=>'Afbeelding toevoegen','No image selected'=>'Geen afbeelding geselecteerd','Remove'=>'Verwijderen','Edit'=>'Bewerken','All images'=>'Alle afbeeldingen','Update Image'=>'Afbeelding updaten','Edit Image'=>'Afbeelding bewerken','Select Image'=>'Selecteer afbeelding','Image'=>'Afbeelding','Allow HTML markup to display as visible text instead of rendering'=>'Sta toe dat HTML markeringen worden weergegeven als zichtbare tekst in plaats van als weergave','Escape HTML'=>'HTML escapen','No Formatting'=>'Geen opmaak','Automatically add <br>'=>'Automatisch <br> toevoegen;','Automatically add paragraphs'=>'Automatisch alinea\'s toevoegen','Controls how new lines are rendered'=>'Bepaalt hoe nieuwe regels worden weergegeven','New Lines'=>'Nieuwe regels','Week Starts On'=>'Week begint op','The format used when saving a value'=>'Het format dat wordt gebruikt bij het opslaan van een waarde','Save Format'=>'Format opslaan','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Vorige','Date Picker JS nextTextNext'=>'Volgende','Date Picker JS currentTextToday'=>'Vandaag','Date Picker JS closeTextDone'=>'Klaar','Date Picker'=>'Datumkiezer','Width'=>'Breedte','Embed Size'=>'Insluit grootte','Enter URL'=>'URL invoeren','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst getoond indien inactief','Off Text'=>'Uit tekst','Text shown when active'=>'Tekst getoond indien actief','On Text'=>'Op tekst','Stylized UI'=>'Gestileerde UI','Default Value'=>'Standaardwaarde','Displays text alongside the checkbox'=>'Toont tekst naast het selectievakje','Message'=>'Bericht','No'=>'Nee','Yes'=>'Ja','True / False'=>'True / False','Row'=>'Rij','Table'=>'Tabel','Block'=>'Blok','Specify the style used to render the selected fields'=>'Geef de stijl op die wordt gebruikt om de geselecteerde velden weer te geven','Layout'=>'Lay-out','Sub Fields'=>'Subvelden','Group'=>'Groep','Customize the map height'=>'De kaarthoogte aanpassen','Height'=>'Hoogte','Set the initial zoom level'=>'Het initiële zoomniveau instellen','Zoom'=>'Zoom','Center the initial map'=>'De eerste kaart centreren','Center'=>'Midden','Search for address...'=>'Zoek naar adres...','Find current location'=>'Huidige locatie opzoeken','Clear location'=>'Locatie wissen','Search'=>'Zoeken','Sorry, this browser does not support geolocation'=>'Deze browser ondersteunt geen geolocatie','Google Map'=>'Google Map','The format returned via template functions'=>'Het format dat wordt geretourneerd via templatefuncties','Return Format'=>'Retour format','Custom:'=>'Aangepast:','The format displayed when editing a post'=>'Het format dat wordt weergegeven bij het bewerken van een bericht','Display Format'=>'Weergave format','Time Picker'=>'Tijdkiezer','Inactive (%s)'=>'Inactief (%s)' . "\0" . 'Inactief (%s)','No Fields found in Trash'=>'Geen velden gevonden in de prullenbak','No Fields found'=>'Geen velden gevonden','Search Fields'=>'Velden zoeken','View Field'=>'Veld bekijken','New Field'=>'Nieuw veld','Edit Field'=>'Veld bewerken','Add New Field'=>'Nieuw veld toevoegen','Field'=>'Veld','Fields'=>'Velden','No Field Groups found in Trash'=>'Geen veldgroepen gevonden in de prullenbak','No Field Groups found'=>'Geen veldgroepen gevonden','Search Field Groups'=>'Veldgroepen zoeken','View Field Group'=>'Veldgroep bekijken','New Field Group'=>'Nieuwe veldgroep','Edit Field Group'=>'Veldgroep bewerken','Add New Field Group'=>'Nieuwe veldgroep toevoegen','Add New'=>'Nieuwe toevoegen','Field Group'=>'Veldgroep','Field Groups'=>'Veldgroepen','Customize WordPress with powerful, professional and intuitive fields.'=>'Pas WordPress aan met krachtige, professionele en intuïtieve velden.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Your ACF PRO license is no longer active. Please renew to continue to have access to updates, support, & PRO features.'=>'Uw ACF PRO licentie is niet langer actief. Verleng om toegang te blijven houden tot updates, ondersteuning en PRO functies.','Your license has expired. Please renew to continue to have access to updates, support & PRO features.'=>'Uw licentie is verlopen. Verleng om toegang te blijven houden tot updates, ondersteuning & PRO functies.','Activate your license to enable access to updates, support & PRO features.'=>'Activeer uw licentie om toegang te krijgen tot updates, ondersteuning & PRO functies.','A valid license is required to edit options pages.'=>'U heeft een geldige licentie nodig om opties pagina\'s te bewerken.','A valid license is required to edit field groups assigned to a block.'=>'U heeft een geldige licentie nodig om veldgroepen, die aan een blok zijn toegewezen, te bewerken.','Block type name is required.'=>'De naam van het bloktype is verplicht.','Block type "%s" is already registered.'=>'Bloktype “%s” is al geregistreerd.','The render template for this ACF Block was not found'=>'De rendertemplate voor dit ACF blok is niet gevonden','Switch to Edit'=>'Schakel naar bewerken','Switch to Preview'=>'Schakel naar voorbeeld','Change content alignment'=>'Inhoudsuitlijning wijzigen','An error occurred when loading the preview for this block.'=>'Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok.','An error occurred when loading the block in edit mode.'=>'Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus.','%s settings'=>'%s instellingen','This block contains no editable fields.'=>'Dit blok bevat geen bewerkbare velden.','Assign a field group to add fields to this block.'=>'Wijs een veldgroep toe om velden aan dit blok toe te voegen.','Options Updated'=>'Opties geüpdatet','To enable updates, please enter your license key on the Updates page. If you don\'t have a license key, please see details & pricing.'=>'Om updates te ontvangen, vult u hieronder uw licentiecode in. Als u geen licentiesleutel hebt, raadpleeg dan details & prijzen.','To enable updates, please enter your license key on the Updates page of the main site. If you don\'t have a license key, please see details & pricing.'=>'Om updates in te schakelen, voert u uw licentiesleutel in op de Updates pagina van de hoofdsite. Als u geen licentiesleutel hebt, raadpleeg dan details & prijzen.','Your defined license key has changed, but an error occurred when deactivating your old license'=>'Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout opgetreden bij het deactiveren van uw oude licentie','Your defined license key has changed, but an error occurred when connecting to activation server'=>'Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout opgetreden bij het verbinden met de activeringsserver','ACF PRO — Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'ACF PRO — Uw licentiesleutel is succesvol geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu ingeschakeld.','There was an issue activating your license key.'=>'Er is een probleem opgetreden bij het activeren van uw licentiesleutel.','An error occurred when connecting to activation server'=>'Er is een fout opgetreden bij het verbinden met de activeringsserver','The ACF activation service is temporarily unavailable. Please try again later.'=>'De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later nog eens.','The ACF activation service is temporarily unavailable for scheduled maintenance. Please try again later.'=>'De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland onderhoud. Probeer het later nog eens.','An upstream API error occurred when checking your ACF PRO license status. We will retry again shortly.'=>'Er is een API fout opgetreden bij het controleren van uw ACF PRO licentiestatus. We zullen het binnenkort opnieuw proberen.','You have reached the activation limit for the license.'=>'U heeft de activeringslimiet voor de licentie bereikt.','View your licenses'=>'Uw licenties bekijken','check again'=>'opnieuw controleren','%1$s or %2$s.'=>'%1$s of %2$s.','Your license key has expired and cannot be activated.'=>'Uw licentiesleutel is verlopen en kan niet worden geactiveerd.','View your subscriptions'=>'Uw abonnementen bekijken','License key not found. Make sure you have copied your license key exactly as it appears in your receipt or your account.'=>'Licentiesleutel niet gevonden. Zorg ervoor dat u de licentiesleutel precies zo hebt gekopieerd als op uw ontvangstbewijs of in uw account.','Your license key has been deactivated.'=>'Uw licentiesleutel is gedeactiveerd.','Your license key has been activated successfully. Access to updates, support & PRO features is now enabled.'=>'Uw licentiesleutel is succesvol geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu ingeschakeld.','An unknown error occurred while trying to communicate with the ACF activation service: %s.'=>'Er is een onbekende fout opgetreden tijdens het communiceren met de ACF activeringsservice: %s.','ACF PRO —'=>'ACF PRO —','Check again'=>'Opnieuw controleren','Could not connect to the activation server'=>'Kon niet verbinden met de activeringsserver','Your license key is valid but not activated on this site. Please deactivate and then reactivate the license.'=>'Uw licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw.','Your site URL has changed since last activating your license. We\'ve automatically activated it for this site URL.'=>'De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt geactiveerd. We hebben het automatisch geactiveerd voor deze site URL.','Your site URL has changed since last activating your license, but we weren\'t able to automatically reactivate it: %s'=>'De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen activeren: %s','Publish'=>'Publiceren','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Er zijn geen groepen gevonden voor deze opties pagina. Maak een extra veldgroep','Error. Could not connect to the update server'=>'Fout. Kon niet verbinden met de updateserver','An update to ACF is available, but it is not compatible with your version of WordPress. Please upgrade to WordPress %s or newer to update ACF.'=>'Er is een update voor ACF beschikbaar, maar deze is niet compatibel met uw versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten.','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fout. Kan het updatepakket niet verifiëren. Controleer opnieuw of deactiveer en heractiveer uw ACF PRO licentie.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fout. Uw licentie voor deze site is verlopen of gedeactiveerd. Activeer uw ACF PRO licentie opnieuw.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Hiermee kunt u bestaande velden selecteren en weergeven. Het dupliceert geen velden in de database, maar laadt en toont de geselecteerde velden bij run-time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of de geselecteerde velden weergeven als een groep subvelden.','Select one or more fields you wish to clone'=>'Selecteer één of meer velden om te klonen','Display'=>'Weergeven','Specify the style used to render the clone field'=>'Kies de gebruikte stijl bij het renderen van het gekloonde veld','Group (displays selected fields in a group within this field)'=>'Groep (toont geselecteerde velden in een groep binnen dit veld)','Seamless (replaces this field with selected fields)'=>'Naadloos (vervangt dit veld met de geselecteerde velden)','Labels will be displayed as %s'=>'Labels worden weergegeven als %s','Prefix Field Labels'=>'Prefix veld labels','Values will be saved as %s'=>'Waarden worden opgeslagen als %s','Prefix Field Names'=>'Prefix veld namen','Unknown field'=>'Onbekend veld','Unknown field group'=>'Onbekend groep','All fields from %s field group'=>'Alle velden van %s veldgroep','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Hiermee kunt u inhoud definiëren, creëren en beheren met volledige controle door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren kunnen kiezen.','Add Row'=>'Nieuwe rij','layout'=>'lay-out' . "\0" . 'lay-outs','layouts'=>'lay-outs','This field requires at least {min} {label} {identifier}'=>'Dit veld vereist op zijn minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Dit veld heeft een limiet van {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} beschikbaar (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} verplicht (min {min})','Flexible Content requires at least 1 layout'=>'Flexibele inhoud vereist minimaal 1 lay-out','Click the "%s" button below to start creating your layout'=>'Klik op de "%s" knop om een nieuwe lay-out te maken','Add layout'=>'Lay-out toevoegen','Duplicate layout'=>'Lay-out dupliceren','Remove layout'=>'Lay-out verwijderen','Click to toggle'=>'Klik om in/uit te klappen','Delete Layout'=>'Lay-out verwijderen','Duplicate Layout'=>'Lay-out dupliceren','Add New Layout'=>'Nieuwe layout','Add Layout'=>'Lay-out toevoegen','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimale layouts','Maximum Layouts'=>'Maximale lay-outs','Button Label'=>'Knop label','%s must be of type array or null.'=>'%s moet van het type array of null zijn.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s moet minstens %2$s %3$s lay-out bevatten.' . "\0" . '%1$s moet minstens %2$s %3$s lay-outs bevatten.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s moet hoogstens %2$s %3$s lay-out bevatten.' . "\0" . '%1$s moet hoogstens %2$s %3$s lay-outs bevatten.','An interactive interface for managing a collection of attachments, such as images.'=>'Een interactieve interface voor het beheer van een verzameling van bijlagen, zoals afbeeldingen.','Add Image to Gallery'=>'Afbeelding toevoegen aan galerij','Maximum selection reached'=>'Maximale selectie bereikt','Length'=>'Lengte','Caption'=>'Onderschrift','Alt Text'=>'Alt tekst','Add to gallery'=>'Afbeelding(en) toevoegen','Bulk actions'=>'Bulkacties','Sort by date uploaded'=>'Sorteren op datum geüpload','Sort by date modified'=>'Sorteren op datum aangepast','Sort by title'=>'Sorteren op titel','Reverse current order'=>'Volgorde omkeren','Close'=>'Sluiten','Minimum Selection'=>'Minimale selectie','Maximum Selection'=>'Maximale selectie','Insert'=>'Invoegen','Specify where new attachments are added'=>'Geef aan waar nieuwe bijlagen worden toegevoegd','Append to the end'=>'Toevoegen aan het einde','Prepend to the beginning'=>'Toevoegen aan het begin','Provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en call-to-action tegels, door te dienen als een hoofditem voor een set subvelden die steeds opnieuw kunnen worden herhaald.','Minimum rows not reached ({min} rows)'=>'Minimum aantal rijen bereikt ({min} rijen)','Maximum rows reached ({max} rows)'=>'Maximum aantal rijen bereikt ({max} rijen)','Error loading page'=>'Fout bij het laden van de pagina','Order will be assigned upon save'=>'Volgorde zal worden toegewezen bij opslaan','Useful for fields with a large number of rows.'=>'Nuttig voor velden met een groot aantal rijen.','Rows Per Page'=>'Rijen per pagina','Set the number of rows to be displayed on a page.'=>'Stel het aantal rijen in om weer te geven op een pagina.','Minimum Rows'=>'Minimum aantal rijen','Maximum Rows'=>'Maximum aantal rijen','Collapsed'=>'Ingeklapt','Select a sub field to show when row is collapsed'=>'Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is','Invalid field key or name.'=>'Ongeldige veldsleutel of -naam.','There was an error retrieving the field.'=>'Er is een fout opgetreden bij het ophalen van het veld.','Click to reorder'=>'Klik om te herschikken','Add row'=>'Nieuwe rij','Duplicate row'=>'Rij dupliceren','Remove row'=>'Regel verwijderen','Current Page'=>'Huidige pagina','First Page'=>'Eerste pagina','Previous Page'=>'Vorige pagina','paging%1$s of %2$s'=>'%1$s van %2$s','Next Page'=>'Volgende pagina','Last Page'=>'Laatste pagina','No block types exist'=>'Er bestaan geen bloktypes','Select options page...'=>'Opties pagina selecteren…','Add New Options Page'=>'Nieuwe opties pagina toevoegen','Edit Options Page'=>'Opties pagina bewerken','New Options Page'=>'Nieuwe opties pagina','View Options Page'=>'Opties pagina bekijken','Search Options Pages'=>'Opties pagina’s zoeken','No Options Pages found'=>'Geen opties pagina’s gevonden','No Options Pages found in Trash'=>'Geen opties pagina’s gevonden in prullenbak','The menu slug must only contain lower case alphanumeric characters, underscores or dashes.'=>'De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes bevatten.','This Menu Slug is already in use by another ACF Options Page.'=>'Deze menuslug wordt al gebruikt door een andere ACF opties pagina.','Options page deleted.'=>'Opties pagina verwijderd.','Options page updated.'=>'Opties pagina geüpdatet.','Options page saved.'=>'Opties pagina opgeslagen.','Options page submitted.'=>'Opties pagina ingediend.','Options page scheduled for.'=>'Opties pagina gepland voor.','Options page draft updated.'=>'Opties pagina concept geüpdatet.','%s options page updated'=>'%s opties pagina geüpdatet','%s options page created'=>'%s opties pagina aangemaakt','Link existing field groups'=>'Koppel bestaande veldgroepen','No Parent'=>'Geen hoofditem','The provided Menu Slug already exists.'=>'De opgegeven menuslug bestaat al.','Options page activated.'=>'Opties pagina geactiveerd.' . "\0" . '%s opties pagina’s geactiveerd.','Options page deactivated.'=>'Opties pagina gedeactiveerd.' . "\0" . '%s opties pagina’s gedeactiveerd.','Options page duplicated.'=>'Opties pagina gedupliceerd.' . "\0" . '%s opties pagina’s gedupliceerd.','Options page synchronized.'=>'Opties pagina gesynchroniseerd.' . "\0" . '%s opties pagina\'s gesynchroniseerd.','Deactivate License'=>'Licentiecode deactiveren','Activate License'=>'Licentie activeren','license statusInactive'=>'Inactief','license statusCancelled'=>'Geannuleerd','license statusExpired'=>'Verlopen','license statusActive'=>'Actief','Subscription Status'=>'Abonnementsstatus','Subscription Type'=>'Abonnementstype','Lifetime - '=>'Levenslang - ','Subscription Expires'=>'Abonnement verloopt','Subscription Expired'=>'Abonnement verlopen','Renew Subscription'=>'Abonnement verlengen','License Information'=>'Licentie informatie','License Key'=>'Licentiecode','Recheck License'=>'Licentie opnieuw controleren','Your license key is defined in wp-config.php.'=>'Uw licentiesleutel wordt gedefinieerd in wp-config.php.','View pricing & purchase'=>'Prijzen bekijken & kopen','Don\'t have an ACF PRO license? %s'=>'Heeft u geen ACF PRO licentie? %s','Update Information'=>'Informatie updaten','Current Version'=>'Huidige versie','Latest Version'=>'Nieuwste versie','Update Available'=>'Update beschikbaar','Upgrade Notice'=>'Upgrade opmerking','Check For Updates'=>'Controleren op updates','Enter your license key to unlock updates'=>'Vul uw licentiecode hierboven in om updates te ontgrendelen','Update Plugin'=>'Plugin updaten','Updates must be manually installed in this configuration'=>'Updates moeten handmatig worden geïnstalleerd in deze configuratie','Update ACF in Network Admin'=>'ACF updaten in netwerkbeheer','Please reactivate your license to unlock updates'=>'Activeer uw licentie opnieuw om updates te ontgrendelen','Please upgrade WordPress to update ACF'=>'Upgrade WordPress om ACF te updaten','Dashicon class name'=>'Dashicon class naam','The icon used for the options page menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon.','Menu Title'=>'Menutitel','Learn more about menu positions.'=>'Meer informatie over menuposities.','The position in the menu where this page should appear. %s'=>'De positie in het menu waar deze pagina moet verschijnen. %s','The position in the menu where this child page should appear. The first child page is 0, the next is 1, etc.'=>'De positie in het menu waar deze subpagina moet verschijnen. De eerste subpagina is 0, de volgende is 1, etc.','Redirect to Child Page'=>'Doorverwijzen naar subpagina','When child pages exist for this parent page, this page will redirect to the first child page.'=>'Als er subpagina\'s bestaan voor deze hoofdpagina, zal deze pagina doorsturen naar de eerste subpagina.','A descriptive summary of the options page.'=>'Een beschrijvende samenvatting van de opties pagina.','Update Button Label'=>'Update knop label','The label used for the submit button which updates the fields on the options page.'=>'Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de opties pagina worden geüpdatet.','Updated Message'=>'Bericht geüpdatet','The message that is displayed after successfully updating the options page.'=>'Het bericht dat wordt weergegeven na het succesvol updaten van de opties pagina.','Updated Options'=>'Geüpdatete opties','Capability'=>'Rechten','The capability required for this menu to be displayed to the user.'=>'De rechten die nodig zijn om dit menu weer te geven aan de gebruiker.','Data Storage'=>'Gegevensopslag','By default, the option page stores field data in the options table. You can make the page load field data from a post, user, or term.'=>'Standaard slaat de opties pagina veldgegevens op in de optietabel. U kunt de pagina veldgegevens laten laden van een bericht, gebruiker of term.','Custom Storage'=>'Aangepaste opslag','Learn more about available settings.'=>'Meer informatie over beschikbare instellingen.','Set a custom storage location. Can be a numeric post ID (123), or a string (`user_2`). %s'=>'Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn (123) of een tekenreeks (`user_2`). %s','Autoload Options'=>'Autoload opties','Improve performance by loading the fields in the option records automatically when WordPress loads.'=>'Verbeter de prestaties door de velden in de optie-records automatisch te laden wanneer WordPress wordt geladen.','Page Title'=>'Paginatitel','Site Settings'=>'Site instellingen','Menu Slug'=>'Menuslug','Parent Page'=>'Hoofdpagina','Add Your First Options Page'=>'Voeg uw eerste opties pagina toe'],'language'=>'nl_NL_formal','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-nl_NL_formal.mo b/lang/acf-nl_NL_formal.mo
index d11fcc3..2b2fcd2 100644
Binary files a/lang/acf-nl_NL_formal.mo and b/lang/acf-nl_NL_formal.mo differ
diff --git a/lang/acf-nl_NL_formal.po b/lang/acf-nl_NL_formal.po
index cf6d93d..15d2e54 100644
--- a/lang/acf-nl_NL_formal.po
+++ b/lang/acf-nl_NL_formal.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: nl_NL_formal\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,31 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Meer informatie"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de verstrekte nonce niet geverifieerd "
+"kon worden."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+"ACF kon geen validatie uitvoeren omdat de server geen nonce heeft ontvangen."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "worden ontwikkeld en onderhouden door"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Bron updaten"
@@ -66,14 +91,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF kon de validatie niet uitvoeren omdat er een ongeldige nonce voor de "
-"beveiliging was verstrekt."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Toegang tot waarde toestaan in UI van editor"
@@ -2066,21 +2083,21 @@ msgstr "Velden toevoegen"
msgid "This Field"
msgstr "Dit veld"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Ondersteuning"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "is ontwikkeld en wordt onderhouden door"
@@ -4648,7 +4665,7 @@ msgstr ""
"Importeer berichttypen en taxonomieën die zijn geregistreerd met extra "
"berichttype UI en beheerder ze met ACF. Aan de slag."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4982,7 +4999,7 @@ msgstr "Activeer dit item"
msgid "Move field group to trash?"
msgstr "Veldgroep naar prullenbak verplaatsen?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4995,7 +5012,7 @@ msgstr "Inactief"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -5004,7 +5021,7 @@ msgstr ""
"tegelijkertijd actief zijn. We hebben Advanced Custom Fields PRO automatisch "
"gedeactiveerd."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5457,7 +5474,7 @@ msgstr "Alle %s formats"
msgid "Attachment"
msgstr "Bijlage"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s waarde is verplicht"
@@ -5949,7 +5966,7 @@ msgstr "Dit item dupliceren"
msgid "Supports"
msgstr "Ondersteunt"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentatie"
@@ -6247,8 +6264,8 @@ msgstr "%d velden vereisen aandacht"
msgid "1 field requires attention"
msgstr "1 veld vereist aandacht"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validatie mislukt"
@@ -7630,90 +7647,90 @@ msgid "Time Picker"
msgstr "Tijdkiezer"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactief (%s)"
msgstr[1] "Inactief (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Geen velden gevonden in de prullenbak"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Geen velden gevonden"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Velden zoeken"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Veld bekijken"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nieuw veld"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Veld bewerken"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Nieuw veld toevoegen"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Veld"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Velden"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Geen veldgroepen gevonden in de prullenbak"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Geen veldgroepen gevonden"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Veldgroepen zoeken"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Veldgroep bekijken"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nieuwe veldgroep"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Veldgroep bewerken"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Nieuwe veldgroep toevoegen"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Nieuwe toevoegen"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Veldgroep"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
@@ -7733,3 +7750,1088 @@ msgstr "https://www.advancedcustomfields.com"
#: acf.php acf.php:93
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"
+
+#: pro/acf-pro.php:21
+msgid "Advanced Custom Fields PRO"
+msgstr "Advanced Custom Fields PRO"
+
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+msgstr ""
+"Uw ACF PRO licentie is niet langer actief. Verleng om toegang te blijven "
+"houden tot updates, ondersteuning en PRO functies."
+
+#: pro/acf-pro.php:171
+msgid ""
+"Your license has expired. Please renew to continue to have access to "
+"updates, support & PRO features."
+msgstr ""
+"Uw licentie is verlopen. Verleng om toegang te blijven houden tot updates, "
+"ondersteuning & PRO functies."
+
+#: pro/acf-pro.php:168
+msgid ""
+"Activate your license to enable access to updates, support & PRO "
+"features."
+msgstr ""
+"Activeer uw licentie om toegang te krijgen tot updates, ondersteuning & "
+"PRO functies."
+
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "U heeft een geldige licentie nodig om opties pagina's te bewerken."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr ""
+"U heeft een geldige licentie nodig om veldgroepen, die aan een blok zijn "
+"toegewezen, te bewerken."
+
+#: pro/blocks.php:186
+msgid "Block type name is required."
+msgstr "De naam van het bloktype is verplicht."
+
+#. translators: The name of the block type
+#: pro/blocks.php:194
+msgid "Block type \"%s\" is already registered."
+msgstr "Bloktype “%s” is al geregistreerd."
+
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr "De rendertemplate voor dit ACF blok is niet gevonden"
+
+#: pro/blocks.php:790
+msgid "Switch to Edit"
+msgstr "Schakel naar bewerken"
+
+#: pro/blocks.php:791
+msgid "Switch to Preview"
+msgstr "Schakel naar voorbeeld"
+
+#: pro/blocks.php:792
+msgid "Change content alignment"
+msgstr "Inhoudsuitlijning wijzigen"
+
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok."
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus."
+
+#. translators: %s: Block type title
+#: pro/blocks.php:797
+msgid "%s settings"
+msgstr "%s instellingen"
+
+#: pro/blocks.php:1039
+msgid "This block contains no editable fields."
+msgstr "Dit blok bevat geen bewerkbare velden."
+
+#. translators: %s: an admin URL to the field group edit screen
+#: pro/blocks.php:1045
+msgid ""
+"Assign a field group to add fields to "
+"this block."
+msgstr ""
+"Wijs een veldgroep toe om velden aan dit "
+"blok toe te voegen."
+
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
+msgid "Options Updated"
+msgstr "Opties geüpdatet"
+
+#. translators: %1 A link to the updates page. %2 link to the pricing page
+#: pro/updates.php:75
+msgid ""
+"To enable updates, please enter your license key on the Updates page. If you don't have a license key, please see "
+"details & pricing."
+msgstr ""
+"Om updates te ontvangen, vult u hieronder uw licentiecode in. Als u geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:71
+msgid ""
+"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
+"key, please see details & pricing."
+msgstr ""
+"Om updates in te schakelen, voert u uw licentiesleutel in op de Updates pagina van de hoofdsite. Als u geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:136
+msgid ""
+"Your defined license key has changed, but an error occurred when "
+"deactivating your old license"
+msgstr ""
+"Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het deactiveren van uw oude licentie"
+
+#: pro/updates.php:133
+msgid ""
+"Your defined license key has changed, but an error occurred when connecting "
+"to activation server"
+msgstr ""
+"Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:168
+msgid ""
+"ACF PRO — Your license key has been activated "
+"successfully. Access to updates, support & PRO features is now enabled."
+msgstr ""
+"ACF PRO — Uw licentiesleutel is succesvol "
+"geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu "
+"ingeschakeld."
+
+#: pro/updates.php:159
+msgid "There was an issue activating your license key."
+msgstr ""
+"Er is een probleem opgetreden bij het activeren van uw licentiesleutel."
+
+#: pro/updates.php:155
+msgid "An error occurred when connecting to activation server"
+msgstr "Er is een fout opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:258
+msgid ""
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later "
+"nog eens."
+
+#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland "
+"onderhoud. Probeer het later nog eens."
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"Er is een API fout opgetreden bij het controleren van uw ACF PRO "
+"licentiestatus. We zullen het binnenkort opnieuw proberen."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "U heeft de activeringslimiet voor de licentie bereikt."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "Uw licenties bekijken"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr "opnieuw controleren"
+
+#: pro/updates.php:250
+msgid "%1$s or %2$s."
+msgstr "%1$s of %2$s."
+
+#: pro/updates.php:210
+msgid "Your license key has expired and cannot be activated."
+msgstr "Uw licentiesleutel is verlopen en kan niet worden geactiveerd."
+
+#: pro/updates.php:219
+msgid "View your subscriptions"
+msgstr "Uw abonnementen bekijken"
+
+#: pro/updates.php:196
+msgid ""
+"License key not found. Make sure you have copied your license key exactly as "
+"it appears in your receipt or your account."
+msgstr ""
+"Licentiesleutel niet gevonden. Zorg ervoor dat u de licentiesleutel precies "
+"zo hebt gekopieerd als op uw ontvangstbewijs of in uw account."
+
+#: pro/updates.php:194
+msgid "Your license key has been deactivated."
+msgstr "Uw licentiesleutel is gedeactiveerd."
+
+#: pro/updates.php:192
+msgid ""
+"Your license key has been activated successfully. Access to updates, support "
+"& PRO features is now enabled."
+msgstr ""
+"Uw licentiesleutel is succesvol geactiveerd. Toegang tot updates, "
+"ondersteuning & PRO functies is nu ingeschakeld."
+
+#. translators: %s an untranslatable internal upstream error message
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
+msgstr ""
+"Er is een onbekende fout opgetreden tijdens het communiceren met de ACF "
+"activeringsservice: %s."
+
+#: pro/updates.php:333, pro/updates.php:949
+msgid "ACF PRO —"
+msgstr "ACF PRO —"
+
+#: pro/updates.php:342
+msgid "Check again"
+msgstr "Opnieuw controleren"
+
+#: pro/updates.php:657
+msgid "Could not connect to the activation server"
+msgstr "Kon niet verbinden met de activeringsserver"
+
+#. translators: %s - URL to ACF updates page
+#: pro/updates.php:727
+msgid ""
+"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
+msgstr ""
+"Uw licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw."
+
+#: pro/updates.php:949
+msgid ""
+"Your site URL has changed since last activating your license. We've "
+"automatically activated it for this site URL."
+msgstr ""
+"De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt "
+"geactiveerd. We hebben het automatisch geactiveerd voor deze site URL."
+
+#: pro/updates.php:941
+msgid ""
+"Your site URL has changed since last activating your license, but we weren't "
+"able to automatically reactivate it: %s"
+msgstr ""
+"De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt "
+"geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen activeren: %s"
+
+#: pro/admin/admin-options-page.php:159
+msgid "Publish"
+msgstr "Publiceren"
+
+#: pro/admin/admin-options-page.php:162
+msgid ""
+"No Custom Field Groups found for this options page. Create a "
+"Custom Field Group"
+msgstr ""
+"Er zijn geen groepen gevonden voor deze opties pagina. Maak "
+"een extra veldgroep"
+
+#: pro/admin/admin-updates.php:52
+msgid "Error. Could not connect to the update server"
+msgstr "Fout. Kon niet verbinden met de updateserver"
+
+#. translators: %s the version of WordPress required for this ACF update
+#: pro/admin/admin-updates.php:203
+msgid ""
+"An update to ACF is available, but it is not compatible with your version of "
+"WordPress. Please upgrade to WordPress %s or newer to update ACF."
+msgstr ""
+"Er is een update voor ACF beschikbaar, maar deze is niet compatibel met uw "
+"versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten."
+
+#: pro/admin/admin-updates.php:224
+msgid ""
+"Error. Could not authenticate update package. Please check "
+"again or deactivate and reactivate your ACF PRO license."
+msgstr ""
+"Fout. Kan het updatepakket niet verifiëren. Controleer "
+"opnieuw of deactiveer en heractiveer uw ACF PRO licentie."
+
+#: pro/admin/admin-updates.php:214
+msgid ""
+"Error. Your license for this site has expired or been "
+"deactivated. Please reactivate your ACF PRO license."
+msgstr ""
+"Fout. Uw licentie voor deze site is verlopen of "
+"gedeactiveerd. Activeer uw ACF PRO licentie opnieuw."
+
+#: pro/fields/class-acf-field-clone.php:24
+msgid ""
+"Allows you to select and display existing fields. It does not duplicate any "
+"fields in the database, but loads and displays the selected fields at run-"
+"time. The Clone field can either replace itself with the selected fields or "
+"display the selected fields as a group of subfields."
+msgstr ""
+"Hiermee kunt u bestaande velden selecteren en weergeven. Het dupliceert geen "
+"velden in de database, maar laadt en toont de geselecteerde velden bij run-"
+"time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of "
+"de geselecteerde velden weergeven als een groep subvelden."
+
+#: pro/fields/class-acf-field-clone.php:725
+msgid "Select one or more fields you wish to clone"
+msgstr "Selecteer één of meer velden om te klonen"
+
+#: pro/fields/class-acf-field-clone.php:745
+msgid "Display"
+msgstr "Weergeven"
+
+#: pro/fields/class-acf-field-clone.php:746
+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:751
+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:752
+msgid "Seamless (replaces this field with selected fields)"
+msgstr "Naadloos (vervangt dit veld met de geselecteerde velden)"
+
+#: pro/fields/class-acf-field-clone.php:775
+msgid "Labels will be displayed as %s"
+msgstr "Labels worden weergegeven als %s"
+
+#: pro/fields/class-acf-field-clone.php:780
+msgid "Prefix Field Labels"
+msgstr "Prefix veld labels"
+
+#: pro/fields/class-acf-field-clone.php:790
+msgid "Values will be saved as %s"
+msgstr "Waarden worden opgeslagen als %s"
+
+#: pro/fields/class-acf-field-clone.php:795
+msgid "Prefix Field Names"
+msgstr "Prefix veld namen"
+
+#: pro/fields/class-acf-field-clone.php:892
+msgid "Unknown field"
+msgstr "Onbekend veld"
+
+#: pro/fields/class-acf-field-clone.php:925
+msgid "Unknown field group"
+msgstr "Onbekend groep"
+
+#: pro/fields/class-acf-field-clone.php:929
+msgid "All fields from %s field group"
+msgstr "Alle velden van %s veldgroep"
+
+#: pro/fields/class-acf-field-flexible-content.php:24
+msgid ""
+"Allows you to define, create and manage content with total control by "
+"creating layouts that contain subfields that content editors can choose from."
+msgstr ""
+"Hiermee kunt u inhoud definiëren, creëren en beheren met volledige controle "
+"door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren "
+"kunnen kiezen."
+
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
+msgid "Add Row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
+msgid "layout"
+msgid_plural "layouts"
+msgstr[0] "lay-out"
+msgstr[1] "lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:71
+msgid "layouts"
+msgstr "lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
+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:76
+msgid "This field has a limit of {max} {label} {identifier}"
+msgstr "Dit veld heeft een limiet van {max} {label} {identifier}"
+
+#: pro/fields/class-acf-field-flexible-content.php:79
+msgid "{available} {label} {identifier} available (max {max})"
+msgstr "{available} {label} {identifier} beschikbaar (max {max})"
+
+#: pro/fields/class-acf-field-flexible-content.php:80
+msgid "{required} {label} {identifier} required (min {min})"
+msgstr "{required} {label} {identifier} verplicht (min {min})"
+
+#: pro/fields/class-acf-field-flexible-content.php:83
+msgid "Flexible Content requires at least 1 layout"
+msgstr "Flexibele inhoud vereist minimaal 1 lay-out"
+
+#. translators: %s the button label used for adding a new layout.
+#: pro/fields/class-acf-field-flexible-content.php:255
+msgid "Click the \"%s\" button below to start creating your layout"
+msgstr "Klik op de \"%s\" knop om een nieuwe lay-out te maken"
+
+#: pro/fields/class-acf-field-flexible-content.php:378
+msgid "Add layout"
+msgstr "Lay-out toevoegen"
+
+#: pro/fields/class-acf-field-flexible-content.php:379
+msgid "Duplicate layout"
+msgstr "Lay-out dupliceren"
+
+#: pro/fields/class-acf-field-flexible-content.php:380
+msgid "Remove layout"
+msgstr "Lay-out verwijderen"
+
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
+msgid "Click to toggle"
+msgstr "Klik om in/uit te klappen"
+
+#: pro/fields/class-acf-field-flexible-content.php:517
+msgid "Delete Layout"
+msgstr "Lay-out verwijderen"
+
+#: pro/fields/class-acf-field-flexible-content.php:518
+msgid "Duplicate Layout"
+msgstr "Lay-out dupliceren"
+
+#: pro/fields/class-acf-field-flexible-content.php:519
+msgid "Add New Layout"
+msgstr "Nieuwe layout"
+
+#: pro/fields/class-acf-field-flexible-content.php:519
+msgid "Add Layout"
+msgstr "Lay-out toevoegen"
+
+#: pro/fields/class-acf-field-flexible-content.php:603
+msgid "Min"
+msgstr "Min"
+
+#: pro/fields/class-acf-field-flexible-content.php:618
+msgid "Max"
+msgstr "Max"
+
+#: pro/fields/class-acf-field-flexible-content.php:659
+msgid "Minimum Layouts"
+msgstr "Minimale layouts"
+
+#: pro/fields/class-acf-field-flexible-content.php:670
+msgid "Maximum Layouts"
+msgstr "Maximale lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
+msgid "Button Label"
+msgstr "Knop label"
+
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
+msgid "%s must be of type array or null."
+msgstr "%s moet van het type array of null zijn."
+
+#: pro/fields/class-acf-field-flexible-content.php:1563
+msgid "%1$s must contain at least %2$s %3$s layout."
+msgid_plural "%1$s must contain at least %2$s %3$s layouts."
+msgstr[0] "%1$s moet minstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet minstens %2$s %3$s lay-outs bevatten."
+
+#: pro/fields/class-acf-field-flexible-content.php:1579
+msgid "%1$s must contain at most %2$s %3$s layout."
+msgid_plural "%1$s must contain at most %2$s %3$s layouts."
+msgstr[0] "%1$s moet hoogstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet hoogstens %2$s %3$s lay-outs bevatten."
+
+#: pro/fields/class-acf-field-gallery.php:24
+msgid ""
+"An interactive interface for managing a collection of attachments, such as "
+"images."
+msgstr ""
+"Een interactieve interface voor het beheer van een verzameling van bijlagen, "
+"zoals afbeeldingen."
+
+#: pro/fields/class-acf-field-gallery.php:72
+msgid "Add Image to Gallery"
+msgstr "Afbeelding toevoegen aan galerij"
+
+#: pro/fields/class-acf-field-gallery.php:73
+msgid "Maximum selection reached"
+msgstr "Maximale selectie bereikt"
+
+#: pro/fields/class-acf-field-gallery.php:282
+msgid "Length"
+msgstr "Lengte"
+
+#: pro/fields/class-acf-field-gallery.php:326
+msgid "Caption"
+msgstr "Onderschrift"
+
+#: pro/fields/class-acf-field-gallery.php:338
+msgid "Alt Text"
+msgstr "Alt tekst"
+
+#: pro/fields/class-acf-field-gallery.php:460
+msgid "Add to gallery"
+msgstr "Afbeelding(en) toevoegen"
+
+#: pro/fields/class-acf-field-gallery.php:464
+msgid "Bulk actions"
+msgstr "Bulkacties"
+
+#: pro/fields/class-acf-field-gallery.php:465
+msgid "Sort by date uploaded"
+msgstr "Sorteren op datum geüpload"
+
+#: pro/fields/class-acf-field-gallery.php:466
+msgid "Sort by date modified"
+msgstr "Sorteren op datum aangepast"
+
+#: pro/fields/class-acf-field-gallery.php:467
+msgid "Sort by title"
+msgstr "Sorteren op titel"
+
+#: pro/fields/class-acf-field-gallery.php:468
+msgid "Reverse current order"
+msgstr "Volgorde omkeren"
+
+#: pro/fields/class-acf-field-gallery.php:480
+msgid "Close"
+msgstr "Sluiten"
+
+#: pro/fields/class-acf-field-gallery.php:567
+msgid "Minimum Selection"
+msgstr "Minimale selectie"
+
+#: pro/fields/class-acf-field-gallery.php:577
+msgid "Maximum Selection"
+msgstr "Maximale selectie"
+
+#: pro/fields/class-acf-field-gallery.php:679
+msgid "Insert"
+msgstr "Invoegen"
+
+#: pro/fields/class-acf-field-gallery.php:680
+msgid "Specify where new attachments are added"
+msgstr "Geef aan waar nieuwe bijlagen worden toegevoegd"
+
+#: pro/fields/class-acf-field-gallery.php:684
+msgid "Append to the end"
+msgstr "Toevoegen aan het einde"
+
+#: pro/fields/class-acf-field-gallery.php:685
+msgid "Prepend to the beginning"
+msgstr "Toevoegen aan het begin"
+
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+"Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en "
+"call-to-action tegels, door te dienen als een hoofditem voor een set "
+"subvelden die steeds opnieuw kunnen worden herhaald."
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
+msgid "Minimum rows not reached ({min} rows)"
+msgstr "Minimum aantal rijen bereikt ({min} rijen)"
+
+#: pro/fields/class-acf-field-repeater.php:68
+msgid "Maximum rows reached ({max} rows)"
+msgstr "Maximum aantal rijen bereikt ({max} rijen)"
+
+#: pro/fields/class-acf-field-repeater.php:69
+msgid "Error loading page"
+msgstr "Fout bij het laden van de pagina"
+
+#: pro/fields/class-acf-field-repeater.php:70
+msgid "Order will be assigned upon save"
+msgstr "Volgorde zal worden toegewezen bij opslaan"
+
+#: pro/fields/class-acf-field-repeater.php:197
+msgid "Useful for fields with a large number of rows."
+msgstr "Nuttig voor velden met een groot aantal rijen."
+
+#: pro/fields/class-acf-field-repeater.php:208
+msgid "Rows Per Page"
+msgstr "Rijen per pagina"
+
+#: pro/fields/class-acf-field-repeater.php:209
+msgid "Set the number of rows to be displayed on a page."
+msgstr "Stel het aantal rijen in om weer te geven op een pagina."
+
+#: pro/fields/class-acf-field-repeater.php:241
+msgid "Minimum Rows"
+msgstr "Minimum aantal rijen"
+
+#: pro/fields/class-acf-field-repeater.php:252
+msgid "Maximum Rows"
+msgstr "Maximum aantal rijen"
+
+#: pro/fields/class-acf-field-repeater.php:282
+msgid "Collapsed"
+msgstr "Ingeklapt"
+
+#: pro/fields/class-acf-field-repeater.php:283
+msgid "Select a sub field to show when row is collapsed"
+msgstr "Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is"
+
+#: pro/fields/class-acf-field-repeater.php:1055
+msgid "Invalid field key or name."
+msgstr "Ongeldige veldsleutel of -naam."
+
+#: pro/fields/class-acf-field-repeater.php:1064
+msgid "There was an error retrieving the field."
+msgstr "Er is een fout opgetreden bij het ophalen van het veld."
+
+#: pro/fields/class-acf-repeater-table.php:367
+msgid "Click to reorder"
+msgstr "Klik om te herschikken"
+
+#: pro/fields/class-acf-repeater-table.php:400
+msgid "Add row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-repeater-table.php:401
+msgid "Duplicate row"
+msgstr "Rij dupliceren"
+
+#: pro/fields/class-acf-repeater-table.php:402
+msgid "Remove row"
+msgstr "Regel verwijderen"
+
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
+msgid "Current Page"
+msgstr "Huidige pagina"
+
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
+msgid "First Page"
+msgstr "Eerste pagina"
+
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
+msgid "Previous Page"
+msgstr "Vorige pagina"
+
+#. translators: 1: Current page, 2: Total pages.
+#: pro/fields/class-acf-repeater-table.php:468
+msgctxt "paging"
+msgid "%1$s of %2$s"
+msgstr "%1$s van %2$s"
+
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
+msgid "Next Page"
+msgstr "Volgende pagina"
+
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
+msgid "Last Page"
+msgstr "Laatste pagina"
+
+#: pro/locations/class-acf-location-block.php:73
+msgid "No block types exist"
+msgstr "Er bestaan geen bloktypes"
+
+#: pro/locations/class-acf-location-options-page.php:70
+msgid "Select options page..."
+msgstr "Opties pagina selecteren…"
+
+#: pro/locations/class-acf-location-options-page.php:74,
+#: pro/post-types/acf-ui-options-page.php:95,
+#: pro/admin/post-types/admin-ui-options-page.php:482
+msgid "Add New Options Page"
+msgstr "Nieuwe opties pagina toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:96
+msgid "Edit Options Page"
+msgstr "Opties pagina bewerken"
+
+#: pro/post-types/acf-ui-options-page.php:97
+msgid "New Options Page"
+msgstr "Nieuwe opties pagina"
+
+#: pro/post-types/acf-ui-options-page.php:98
+msgid "View Options Page"
+msgstr "Opties pagina bekijken"
+
+#: pro/post-types/acf-ui-options-page.php:99
+msgid "Search Options Pages"
+msgstr "Opties pagina’s zoeken"
+
+#: pro/post-types/acf-ui-options-page.php:100
+msgid "No Options Pages found"
+msgstr "Geen opties pagina’s gevonden"
+
+#: pro/post-types/acf-ui-options-page.php:101
+msgid "No Options Pages found in Trash"
+msgstr "Geen opties pagina’s gevonden in prullenbak"
+
+#: pro/post-types/acf-ui-options-page.php:203
+msgid ""
+"The menu slug must only contain lower case alphanumeric characters, "
+"underscores or dashes."
+msgstr ""
+"De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes "
+"bevatten."
+
+#: pro/post-types/acf-ui-options-page.php:235
+msgid "This Menu Slug is already in use by another ACF Options Page."
+msgstr "Deze menuslug wordt al gebruikt door een andere ACF opties pagina."
+
+#: pro/admin/post-types/admin-ui-options-page.php:56
+msgid "Options page deleted."
+msgstr "Opties pagina verwijderd."
+
+#: pro/admin/post-types/admin-ui-options-page.php:57
+msgid "Options page updated."
+msgstr "Opties pagina geüpdatet."
+
+#: pro/admin/post-types/admin-ui-options-page.php:60
+msgid "Options page saved."
+msgstr "Opties pagina opgeslagen."
+
+#: pro/admin/post-types/admin-ui-options-page.php:61
+msgid "Options page submitted."
+msgstr "Opties pagina ingediend."
+
+#: pro/admin/post-types/admin-ui-options-page.php:62
+msgid "Options page scheduled for."
+msgstr "Opties pagina gepland voor."
+
+#: pro/admin/post-types/admin-ui-options-page.php:63
+msgid "Options page draft updated."
+msgstr "Opties pagina concept geüpdatet."
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:83
+msgid "%s options page updated"
+msgstr "%s opties pagina geüpdatet"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:89
+msgid "%s options page created"
+msgstr "%s opties pagina aangemaakt"
+
+#: pro/admin/post-types/admin-ui-options-page.php:102
+msgid "Link existing field groups"
+msgstr "Koppel bestaande veldgroepen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:361
+msgid "No Parent"
+msgstr "Geen hoofditem"
+
+#: pro/admin/post-types/admin-ui-options-page.php:450
+msgid "The provided Menu Slug already exists."
+msgstr "De opgegeven menuslug bestaat al."
+
+#. translators: %s number of post types activated
+#: pro/admin/post-types/admin-ui-options-pages.php:179
+msgid "Options page activated."
+msgid_plural "%s options pages activated."
+msgstr[0] "Opties pagina geactiveerd."
+msgstr[1] "%s opties pagina’s geactiveerd."
+
+#. translators: %s number of post types deactivated
+#: pro/admin/post-types/admin-ui-options-pages.php:186
+msgid "Options page deactivated."
+msgid_plural "%s options pages deactivated."
+msgstr[0] "Opties pagina gedeactiveerd."
+msgstr[1] "%s opties pagina’s gedeactiveerd."
+
+#. translators: %s number of post types duplicated
+#: pro/admin/post-types/admin-ui-options-pages.php:193
+msgid "Options page duplicated."
+msgid_plural "%s options pages duplicated."
+msgstr[0] "Opties pagina gedupliceerd."
+msgstr[1] "%s opties pagina’s gedupliceerd."
+
+#. translators: %s number of post types synchronized
+#: pro/admin/post-types/admin-ui-options-pages.php:200
+msgid "Options page synchronized."
+msgid_plural "%s options pages synchronized."
+msgstr[0] "Opties pagina gesynchroniseerd."
+msgstr[1] "%s opties pagina's gesynchroniseerd."
+
+#: pro/admin/views/html-settings-updates.php:9
+msgid "Deactivate License"
+msgstr "Licentiecode deactiveren"
+
+#: pro/admin/views/html-settings-updates.php:9
+msgid "Activate License"
+msgstr "Licentie activeren"
+
+#: pro/admin/views/html-settings-updates.php:26
+msgctxt "license status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/views/html-settings-updates.php:34
+msgctxt "license status"
+msgid "Cancelled"
+msgstr "Geannuleerd"
+
+#: pro/admin/views/html-settings-updates.php:32
+msgctxt "license status"
+msgid "Expired"
+msgstr "Verlopen"
+
+#: pro/admin/views/html-settings-updates.php:30
+msgctxt "license status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/views/html-settings-updates.php:47
+msgid "Subscription Status"
+msgstr "Abonnementsstatus"
+
+#: pro/admin/views/html-settings-updates.php:60
+msgid "Subscription Type"
+msgstr "Abonnementstype"
+
+#: pro/admin/views/html-settings-updates.php:67
+msgid "Lifetime - "
+msgstr "Levenslang - "
+
+#: pro/admin/views/html-settings-updates.php:81
+msgid "Subscription Expires"
+msgstr "Abonnement verloopt"
+
+#: pro/admin/views/html-settings-updates.php:79
+msgid "Subscription Expired"
+msgstr "Abonnement verlopen"
+
+#: pro/admin/views/html-settings-updates.php:118
+msgid "Renew Subscription"
+msgstr "Abonnement verlengen"
+
+#: pro/admin/views/html-settings-updates.php:136
+msgid "License Information"
+msgstr "Licentie informatie"
+
+#: pro/admin/views/html-settings-updates.php:170
+msgid "License Key"
+msgstr "Licentiecode"
+
+#: pro/admin/views/html-settings-updates.php:191,
+#: pro/admin/views/html-settings-updates.php:157
+msgid "Recheck License"
+msgstr "Licentie opnieuw controleren"
+
+#: pro/admin/views/html-settings-updates.php:142
+msgid "Your license key is defined in wp-config.php."
+msgstr "Uw licentiesleutel wordt gedefinieerd in wp-config.php."
+
+#: pro/admin/views/html-settings-updates.php:211
+msgid "View pricing & purchase"
+msgstr "Prijzen bekijken & kopen"
+
+#. translators: %s - link to ACF website
+#: pro/admin/views/html-settings-updates.php:220
+msgid "Don't have an ACF PRO license? %s"
+msgstr "Heeft u geen ACF PRO licentie? %s"
+
+#: pro/admin/views/html-settings-updates.php:235
+msgid "Update Information"
+msgstr "Informatie updaten"
+
+#: pro/admin/views/html-settings-updates.php:242
+msgid "Current Version"
+msgstr "Huidige versie"
+
+#: pro/admin/views/html-settings-updates.php:250
+msgid "Latest Version"
+msgstr "Nieuwste versie"
+
+#: pro/admin/views/html-settings-updates.php:258
+msgid "Update Available"
+msgstr "Update beschikbaar"
+
+#: pro/admin/views/html-settings-updates.php:272
+msgid "Upgrade Notice"
+msgstr "Upgrade opmerking"
+
+#: pro/admin/views/html-settings-updates.php:303
+msgid "Check For Updates"
+msgstr "Controleren op updates"
+
+#: pro/admin/views/html-settings-updates.php:300
+msgid "Enter your license key to unlock updates"
+msgstr "Vul uw licentiecode hierboven in om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:298
+msgid "Update Plugin"
+msgstr "Plugin updaten"
+
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr "Updates moeten handmatig worden geïnstalleerd in deze configuratie"
+
+#: pro/admin/views/html-settings-updates.php:294
+msgid "Update ACF in Network Admin"
+msgstr "ACF updaten in netwerkbeheer"
+
+#: pro/admin/views/html-settings-updates.php:292
+msgid "Please reactivate your license to unlock updates"
+msgstr "Activeer uw licentie opnieuw om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:290
+msgid "Please upgrade WordPress to update ACF"
+msgstr "Upgrade WordPress om ACF te updaten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:20
+msgid "Dashicon class name"
+msgstr "Dashicon class naam"
+
+#. translators: %s = "dashicon class name", link to the WordPress dashicon documentation.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:25
+msgid ""
+"The icon used for the options page menu item in the admin dashboard. Can be "
+"a URL or %s to use for the icon."
+msgstr ""
+"Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het "
+"beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+msgid "Menu Title"
+msgstr "Menutitel"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
+msgid "Learn more about menu positions."
+msgstr "Meer informatie over menuposities."
+
+#. translators: %s - link to WordPress docs to learn more about menu positions.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
+msgid "The position in the menu where this page should appear. %s"
+msgstr "De positie in het menu waar deze pagina moet verschijnen. %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
+msgid ""
+"The position in the menu where this child page should appear. The first "
+"child page is 0, the next is 1, etc."
+msgstr ""
+"De positie in het menu waar deze subpagina moet verschijnen. De eerste "
+"subpagina is 0, de volgende is 1, etc."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
+msgid "Redirect to Child Page"
+msgstr "Doorverwijzen naar subpagina"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
+msgid ""
+"When child pages exist for this parent page, this page will redirect to the "
+"first child page."
+msgstr ""
+"Als er subpagina's bestaan voor deze hoofdpagina, zal deze pagina doorsturen "
+"naar de eerste subpagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
+msgid "A descriptive summary of the options page."
+msgstr "Een beschrijvende samenvatting van de opties pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
+msgid "Update Button Label"
+msgstr "Update knop label"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
+msgid ""
+"The label used for the submit button which updates the fields on the options "
+"page."
+msgstr ""
+"Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de "
+"opties pagina worden geüpdatet."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
+msgid "Updated Message"
+msgstr "Bericht geüpdatet"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
+msgid ""
+"The message that is displayed after successfully updating the options page."
+msgstr ""
+"Het bericht dat wordt weergegeven na het succesvol updaten van de opties "
+"pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
+msgid "Updated Options"
+msgstr "Geüpdatete opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
+msgid "Capability"
+msgstr "Rechten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
+msgid "The capability required for this menu to be displayed to the user."
+msgstr "De rechten die nodig zijn om dit menu weer te geven aan de gebruiker."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
+msgid "Data Storage"
+msgstr "Gegevensopslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+msgid ""
+"By default, the option page stores field data in the options table. You can "
+"make the page load field data from a post, user, or term."
+msgstr ""
+"Standaard slaat de opties pagina veldgegevens op in de optietabel. U kunt de "
+"pagina veldgegevens laten laden van een bericht, gebruiker of term."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
+msgid "Custom Storage"
+msgstr "Aangepaste opslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
+msgid "Learn more about available settings."
+msgstr "Meer informatie over beschikbare instellingen."
+
+#. translators: %s = link to learn more about storage locations.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
+msgid ""
+"Set a custom storage location. Can be a numeric post ID (123), or a string "
+"(`user_2`). %s"
+msgstr ""
+"Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn "
+"(123) of een tekenreeks (`user_2`). %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
+msgid "Autoload Options"
+msgstr "Autoload opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
+msgid ""
+"Improve performance by loading the fields in the option records "
+"automatically when WordPress loads."
+msgstr ""
+"Verbeter de prestaties door de velden in de optie-records automatisch te "
+"laden wanneer WordPress wordt geladen."
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
+msgid "Page Title"
+msgstr "Paginatitel"
+
+#. translators: example options page name
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
+msgid "Site Settings"
+msgstr "Site instellingen"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
+msgid "Menu Slug"
+msgstr "Menuslug"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
+msgid "Parent Page"
+msgstr "Hoofdpagina"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
+msgid "Add Your First Options Page"
+msgstr "Voeg uw eerste opties pagina toe"
diff --git a/lang/acf-pl_PL.l10n.php b/lang/acf-pl_PL.l10n.php
index 7d19cb3..0edbe17 100644
--- a/lang/acf-pl_PL.l10n.php
+++ b/lang/acf-pl_PL.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'pl_PL','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['By default only admin users can edit this setting.'=>'Domyślnie tylko administratorzy mogą edytować to ustawienie.','By default only super admin users can edit this setting.'=>'Domyślnie tylko superadministratorzy mogą edytować to ustawienie.','Close and Add Field'=>'Zamknij i dodaj pole','Learn more.'=>'Dowiedz się więcej.','Businessman Icon'=>'Ikonka biznesmena','YouTube Icon'=>'Ikonka YouTube','Xing Icon'=>'Ikonka Xing','WordPress (alt) Icon'=>'Ikonka WordPress (alt)','WhatsApp Icon'=>'Ikonka WhatsApp','Twitch Icon'=>'Ikonka Twitch','Superhero Icon'=>'Ikonka superbohatera','Spotify Icon'=>'Ikonka Spotify','RSS Icon'=>'Ikonka RSS','REST API Icon'=>'Ikonka REST API','Reddit Icon'=>'Ikonka Reddit','Printer Icon'=>'Ikonka drukarki','Podio Icon'=>'Ikonka Podio','Pinterest Icon'=>'Ikonka Pinterest','PDF Icon'=>'Ikonka PDF','LinkedIn Icon'=>'Ikonka LinkedIn','Instagram Icon'=>'Ikonka Instagramu','Google Icon'=>'Ikonka Google','BuddyPress Icon'=>'Ikonka BuddyPress','bbPress Icon'=>'Ikonka bbPress','Invalid request args.'=>'Nieprawidłowe argumenty żądania.','ACF PRO logo'=>'Logo ACF PRO','ACF PRO Logo'=>'Logo ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s wymaga poprawnego identyfikatora załącznika, gdy rodzaj jest ustawiony na „media_library”.','%s is a required property of acf.'=>'%s jest wymaganą właściwością dla ACF.','The value of icon to save.'=>'Wartość ikonki do zapisania.','The type of icon to save.'=>'Rodzaj ikonki do zapisania.','WordPress Icon'=>'Ikonka WordPress','Twitter Icon'=>'Ikonka Twitter','Array'=>'Tablica','String'=>'Ciąg znaków','Browse Media Library'=>'Przeglądaj bibliotekę mediów','Search icons...'=>'Szukaj ikonek...','Media Library'=>'Multimedia','Icon Picker'=>'Wybór ikonki','REST API Format'=>'Format REST API','Active Plugins'=>'Wtyczki włączone','Parent Theme'=>'Motyw nadrzędny','Active Theme'=>'Włączony motyw','MySQL Version'=>'Wersja MySQL','WordPress Version'=>'Wersja WordPressa','Subscription Expiry Date'=>'Data wygaśnięcia subskrypcji','License Status'=>'Status licencji','License Type'=>'Rodzaj licencji','Licensed URL'=>'Adres URL licencji','License Activated'=>'Licencja została aktywowana','Free'=>'Darmowy','Plugin Type'=>'Rodzaj wtyczki','Plugin Version'=>'Wersja wtyczki','Dismiss permanently'=>'Odrzuć na zawsze','The core ACF block binding source name for fields on the current pageACF Fields'=>'Pola ACF','ACF PRO Feature'=>'Funkcja ACF PRO','Renew PRO to Unlock'=>'Odnów PRO, aby odblokować','Renew PRO License'=>'Odnów licencję PRO','Learn more'=>'Dowiedz się więcej','Hide details'=>'Ukryj szczegóły','Show details'=>'Pokaż szczegóły','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - wyświetlane przez %3$s','Renew ACF PRO License'=>'Odnów licencję ACF PRO','Renew License'=>'Odnów licencję','Manage License'=>'Zarządzaj licencją','\'High\' position not supported in the Block Editor'=>'Pozycja „Wysoka” nie jest obsługiwana w edytorze blokowym.','Upgrade to ACF PRO'=>'Kup ACF-a PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Strony opcji ACF-a to własne strony administracyjne umożliwiające zarządzanie globalnymi ustawieniami za pomocą pól. Można tworzyć wiele stron i podstron.','Add Options Page'=>'Dodaj stronę opcji','In the editor used as the placeholder of the title.'=>'W edytorze, używane jako tekst zastępczy tytułu.','Title Placeholder'=>'Placeholder (tekst zastępczy) tytułu','4 Months Free'=>'4 miesiące za darmo','(Duplicated from %s)'=>'(zduplikowane z %s)','Select Options Pages'=>'Wybierz strony opcji','Duplicate taxonomy'=>'Duplikuj taksonomię','Create taxonomy'=>'Utwórz taksonomię','Duplicate post type'=>'Duplikuj typ treści','Create post type'=>'Utwórz typ treści','Link field groups'=>'Powiąż grupy pól','Add fields'=>'Dodaj pola','This Field'=>'To pole','ACF PRO'=>'ACF PRO','Feedback'=>'Uwagi','Support'=>'Pomoc techniczna','is developed and maintained by'=>'jest rozwijany i utrzymywany przez','Add this %s to the location rules of the selected field groups.'=>'Dodaj ten element (%s) do reguł lokalizacji wybranych grup pól.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Włączenie opcji dwukierunkowości pozwala na aktualizowanie wartości pól docelowych w każdym elemencie wybranym w tym polu, dodając lub usuwając identyfikator aktualizowanego wpisu, terminu taksonomii lub użytkownika. Aby uzyskać więcej informacji przeczytaj dokumentację.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Wybierz pole(-a), gdzie zapisywać odwołanie do aktualizowanego elementu. Możesz wybrać to pole. Pola docelowe muszą być zgodne z miejscem wyświetlania tego pola. Przykładowo, jeśli to pole jest wyświetlane w terminie taksonomii, pole docelowe musi mieć rodzaj Taksonomia.','Target Field'=>'Pole docelowe','Update a field on the selected values, referencing back to this ID'=>'Zaktualizuj pole w wybranych elementach, odwołując się do tego identyfikatora','Bidirectional'=>'Dwukierunkowe','%s Field'=>'Pole „%s”','Select Multiple'=>'Wielokrotny wybór','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Tylko małe litery, myślniki i podkreślniki. Maksymalnie 32 znaki.','The capability name for assigning terms of this taxonomy.'=>'Nazwa uprawnienia do przypisywania terminów tej taksonomii.','Assign Terms Capability'=>'Uprawnienie do przypisywania terminów','The capability name for deleting terms of this taxonomy.'=>'Nazwa uprawnienia do usuwania terminów tej taksonomii.','Delete Terms Capability'=>'Uprawnienie do usuwania terminów','The capability name for editing terms of this taxonomy.'=>'Nazwa uprawnienia do edytowania terminów tej taksonomii.','Edit Terms Capability'=>'Uprawnienie do edytowania terminów','The capability name for managing terms of this taxonomy.'=>'Nazwa uprawnienia do zarządzania terminami tej taksonomii.','Manage Terms Capability'=>'Uprawnienie do zarządzania terminami','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Określa czy wpisy powinny być wykluczone z wyników wyszukiwania oraz stron archiwów taksonomii.','More Tools from WP Engine'=>'Więcej narzędzi od WP Engine','Built for those that build with WordPress, by the team at %s'=>'Stworzone dla tych, których tworzą przy pomocy WordPressa, przez zespół %s','View Pricing & Upgrade'=>'Zobacz cennik i kup PRO','Learn More'=>'Dowiedz się więcej','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Przyśpiesz swoją pracę i twórz lepsze witryny przy pomocy funkcji takich jak bloki ACF-a i strony opcji oraz wyrafinowanych rodzajów pól takich jak pole powtarzalne, elastyczna treść, klon, czy galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Odblokuj zaawansowane funkcje i zbuduj więcej przy pomocy ACF-a PRO','%s fields'=>'Pola „%s”','No terms'=>'Brak terminów','No post types'=>'Brak typów treści','No posts'=>'Brak wpisów','No taxonomies'=>'Brak taksonomii','No field groups'=>'Brak grup pól','No fields'=>'Brak pól','No description'=>'Brak opisu','Any post status'=>'Dowolny status wpisu','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Ten klucz taksonomii jest już używany przez inną taksonomię zarejestrowaną poza ACF-em i nie może zostać użyty.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Ten klucz taksonomii jest już używany przez inną taksonomię w ACF-ie i nie może zostać użyty.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klucz taksonomii może zawierać wyłącznie małe litery, cyfry, myślniki i podkreślniki.','The taxonomy key must be under 32 characters.'=>'Klucz taksonomii musi mieć mniej niż 32 znaków.','No Taxonomies found in Trash'=>'Nie znaleziono żadnych taksonomii w koszu','No Taxonomies found'=>'Nie znaleziono żadnych taksonomii','Search Taxonomies'=>'Szukaj taksonomii','View Taxonomy'=>'Zobacz taksonomię','New Taxonomy'=>'Nowa taksonomia','Edit Taxonomy'=>'Edytuj taksonomię','Add New Taxonomy'=>'Utwórz taksonomię','No Post Types found in Trash'=>'Nie znaleziono żadnych typów treści w koszu','No Post Types found'=>'Nie znaleziono żadnych typów treści','Search Post Types'=>'Szukaj typów treści','View Post Type'=>'Zobacz typ treści','New Post Type'=>'Nowy typ treści','Edit Post Type'=>'Edytuj typ treści','Add New Post Type'=>'Utwórz typ treści','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Ten klucz typu treści jest już używany przez inny typ treści zarejestrowany poza ACF-em i nie może zostać użyty.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Ten klucz typu treści jest już używany przez inny typ treści w ACF-ie i nie może zostać użyty.','This field must not be a WordPress reserved term.'=>'Pole nie może być terminem zastrzeżonym przez WordPressa.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klucz typu treści może zawierać wyłącznie małe litery, cyfry, myślniki i podkreślniki.','The post type key must be under 20 characters.'=>'Klucz typu treści musi mieć mniej niż 20 znaków.','We do not recommend using this field in ACF Blocks.'=>'Nie zalecamy używania tego pola w blokach ACF-a.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Wyświetla edytor WYSIWYG WordPressa, taki jak we wpisach czy stronach, który pozwala na formatowanie tekstu oraz użycie treści multimedialnych.','WYSIWYG Editor'=>'Edytor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Pozwala na wybór jednego lub kliku użytkowników do tworzenia relacji między obiektami danych.','A text input specifically designed for storing web addresses.'=>'Pole tekstowe przeznaczone do przechowywania adresów URL.','URL'=>'Adres URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Przełącznik pozwalający na wybranie wartości 1 lub 0 (włączone lub wyłączone, prawda lub fałsz, itp.). Może być wyświetlany jako ostylowany przełącznik lub pole zaznaczenia.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania godziny. Zwracany format czasu można dostosować przy użyciu ustawień pola.','A basic textarea input for storing paragraphs of text.'=>'Prosty obszar tekstowy do przechowywania akapitów tekstu.','A basic text input, useful for storing single string values.'=>'Proste pole tekstowe, przydatne do przechowywania wartości pojedynczych ciągów.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Pozwala na wybór jednego lub kliku terminów taksonomii w oparciu o kryteria i opcje określone w ustawieniach pola.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Pozwala na grupowanie pól w zakładkach na ekranie edycji. Przydatne do utrzymywania porządku i struktury pól.','A dropdown list with a selection of choices that you specify.'=>'Lista rozwijana z wyborem określonych opcji.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Interfejs dwukolumnowy do wybierania jednego lub kilku wpisów, stron lub elementów własnych typów treści, aby stworzyć relację z obecnie edytowanym elementem. Posiada wyszukiwarkę i filtrowanie.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Pole do wybierania wartości liczbowej z określonego zakresu za pomocą suwaka.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Grupa pól wyboru pozwalająca użytkownikowi na wybór jednej spośród określonych wartości.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktywny i konfigurowalny interfejs użytkownika do wybierania jednego lub kilku wpisów, stron, elementów typów treści. Posiada wyszukiwarkę. ','An input for providing a password using a masked field.'=>'Maskowane pole do wpisywania hasła.','Filter by Post Status'=>'Filtruj wg statusu wpisu','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Interaktywna lista rozwijana do wybierania jednego lub kilku wpisów, stron, elementów własnych typów treści lub adresów URL archiwów. Posiada wyszukiwarkę.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Interaktywny element do osadzania filmów, obrazków, tweetów, audio i innych treści przy użyciu natywnej funkcji oEmbed WordPressa.','An input limited to numerical values.'=>'Pole ograniczone do wartości liczbowych.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Używane do wyświetlania wiadomości dla redaktorów obok innych pól. Przydatne do przekazywania dodatkowego kontekstu lub instrukcji dotyczących pól.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Pozwala na określenie odnośnika i jego właściwości, takich jak tytuł czy cel, przy użyciu natywnego wyboru odnośników WordPressa.','Uses the native WordPress media picker to upload, or choose images.'=>'Używa natywnego wyboru mediów WordPressa do przesyłania lub wyboru obrazków.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Zapewnia sposób na uporządkowanie pól w grupy w celu lepszej organizacji danych i ekranu edycji.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktywny interfejs użytkownika do wybierania lokalizacji przy użyciu Map Google. Do poprawnego wyświetlania wymagany jest klucz API Google Maps oraz dodatkowa konfiguracja.','Uses the native WordPress media picker to upload, or choose files.'=>'Używa natywnego wyboru mediów WordPressa do przesyłania lub wyboru plików.','A text input specifically designed for storing email addresses.'=>'Pole tekstowe przeznaczone do przechowywania adresów e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania daty i godziny. Zwracany format daty można dostosować przy użyciu ustawień pola.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania daty. Zwracany format daty można dostosować przy użyciu ustawień pola.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktywny interfejs użytkownika do wybierania koloru lub określenia wartości Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Grupa pól zaznaczenia, która pozwala użytkownikowi na wybranie jednej lub kilku określonych wartości.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Grupa przycisków z określonymi wartościami, z których użytkownik może wybrać jedną opcję.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Pozwala na grupowanie i organizowanie własnych pól w zwijanych panelach wyświetlanych podczas edytowania treści. Przydatne do utrzymywania porządku przy dużej ilości danych.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Zapewnie rozwiązanie dla powtarzalnych treści, takich jak slajdy, członkowie zespołu, czy kafelki. Działa jak element nadrzędny dla zestawu podpól, który może być powtarzany wiele razy.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Zapewnia interaktywny interfejs do zarządzania zbiorem załączników. Większość opcji jest podobna do rodzaju pola Obrazek. Dodatkowe opcje pozwalają na określenie miejsca w galerii w którym nowe załączniki są dodawane oraz minimalną i maksymalną liczbę dozwolonych załączników.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Zapewnia prosty, uporządkowany edytor oparty na układach. Pole elastycznej treści pozwala na pełną kontrolę nad definiowaniem, tworzeniem i zarządzaniem treścią przy użyciu układów i podpól w celu zaprojektowania dostępnych bloków.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Pozwala na wybór i wyświetlanie istniejących pól. Zamiast powielania pól w bazie danych, wczytuje i wyświetla wybrane pola w trakcie wykonywania kodu strony. Pole klona może być zastąpione przez wybrane pola lub wyświetlać wybrane pola jak grupa podpól.','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Zaawansowane','JSON (newer)'=>'JSON (nowszy)','Original'=>'Oryginalny','Invalid post ID.'=>'Nieprawidłowy identyfikator wpisu.','Invalid post type selected for review.'=>'Wybrano nieprawidłowy typ treści do porównania.','More'=>'Więcej','Tutorial'=>'Poradnik','Select Field'=>'Wybierz pole','Try a different search term or browse %s'=>'Spróbuj innej frazy lub przejrzyj %s','Popular fields'=>'Popularne pola','No search results for \'%s\''=>'Brak wyników wyszukiwania dla „%s”','Search fields...'=>'Szukaj pól…','Select Field Type'=>'Wybierz rodzaj pola','Popular'=>'Popularne','Add Taxonomy'=>'Dodaj taksonomię','Create custom taxonomies to classify post type content'=>'Twórz własne taksonomie, aby klasyfikować typy treści','Add Your First Taxonomy'=>'Dodaj swoją pierwszą taksonomię','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchiczne taksonomie mogą posiadać elementy potomne (jak kategorie).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Powoduje, że taksonomia jest widoczna w witrynie oraz w kokpicie administratora.','One or many post types that can be classified with this taxonomy.'=>'Jeden lub klika typów wpisów, które będą klasyfikowane za pomocą tej taksonomii.','genre'=>'gatunek','Genre'=>'Gatunek','Genres'=>'Gatunki','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Opcjonalny własny kontroler do użycia zamiast `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Pokaż ten typ treści w REST API.','Customize the query variable name'=>'Dostosuj nazwę zmiennej zapytania','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terminy są dostępne za pomocą nieprzyjaznych bezpośrednich odnośników, np. {zmienna_zapytania}={uproszczona_nazwa_terminu}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Terminy nadrzędne i potomne w adresach URL dla hierarchicznych taksonomii.','Customize the slug used in the URL'=>'Dostosuj uproszczoną nazwę używaną w adresie URL','Permalinks for this taxonomy are disabled.'=>'Bezpośrednie odnośniki tej taksonomii są wyłączone.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Przepisuj adres URL używając klucza taksonomii jako uproszczonej nazwy. Struktura bezpośrednich odnośników będzie następująca','Taxonomy Key'=>'Klucz taksonomii','Select the type of permalink to use for this taxonomy.'=>'Wybierz rodzaj bezpośredniego odnośnika używanego dla tego taksonomii.','Display a column for the taxonomy on post type listing screens.'=>'Wyświetl kolumnę taksonomii na ekranach list typów treści.','Show Admin Column'=>'Pokaż kolumnę administratora','Show the taxonomy in the quick/bulk edit panel.'=>'Pokaż taksonomię w panelu szybkiej/masowej edycji.','Quick Edit'=>'Szybka edycja','List the taxonomy in the Tag Cloud Widget controls.'=>'Pokaż taksonomię w ustawieniach widżetu Chmury tagów.','Tag Cloud'=>'Chmura tagów','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Nazwa funkcji PHP, która będzie wzywana do oczyszczania danych taksonomii z metaboksa.','Meta Box Sanitization Callback'=>'Funkcja zwrotna oczyszczania metaboksa','Register Meta Box Callback'=>'Funkcja zwrotna rejestrowania metaboksa','No Meta Box'=>'Brak metaboksa','Custom Meta Box'=>'Własny metaboks','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Kontroluje metaboks na ekranie edytora treści. Domyślnie metaboks Kategorii jest wyświetlany dla hierarchicznych taksonomii, a metaboks Tagów dla taksonomii niehierarchicznych.','Meta Box'=>'Metaboks','Categories Meta Box'=>'Metaboks kategorii','Tags Meta Box'=>'Metaboks tagów','A link to a tag'=>'Dodaj odnośnik do tagu','Describes a navigation link block variation used in the block editor.'=>'Opisuje wersję bloku odnośnika używanego w edytorze blokowym.','A link to a %s'=>'Odnośnik do „%s”','Tag Link'=>'Odnośnik tagu','Assigns a title for navigation link block variation used in the block editor.'=>'Przypisuje tytuł wersji bloku odnośnika używanego w edytorze blokowym.','← Go to tags'=>'← Przejdź do tagów','Assigns the text used to link back to the main index after updating a term.'=>'Przypisuje tekst używany w odnośniku powrotu do głównego indeksu po zaktualizowaniu terminu.','Back To Items'=>'Powrót do elementów','← Go to %s'=>'← Przejdź do „%s”','Tags list'=>'Lista tagów','Assigns text to the table hidden heading.'=>'Przypisuje tekst do ukrytego nagłówka tabeli.','Tags list navigation'=>'Nawigacja listy tagów','Assigns text to the table pagination hidden heading.'=>'Przypisuje tekst do ukrytego nagłówka stronicowania tabeli.','Filter by category'=>'Filtruj wg kategorii','Assigns text to the filter button in the posts lists table.'=>'Przypisuje tekst do przycisku filtrowania w tabeli listy wpisów.','Filter By Item'=>'Filtruj wg elementu','Filter by %s'=>'Filtruj wg „%s”','The description is not prominent by default; however, some themes may show it.'=>'Opis zwykle nie jest eksponowany, jednak niektóre motywy mogą go wyświetlać.','Describes the Description field on the Edit Tags screen.'=>'Opisuje pole opisu na ekranie edycji tagów.','Description Field Description'=>'Opis pola opisu','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Przypisz pojęcie nadrzędne, aby utworzyć hierarchię. Na przykład pojęcie Jazz byłoby rodzicem dla Bebop i Big Band','Describes the Parent field on the Edit Tags screen.'=>'Opisuje pole elementu nadrzędnego na ekranie edycji tagów.','Parent Field Description'=>'Opis pola nadrzędnego','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'„Uproszczona nazwa” jest przyjazną dla adresu URL wersją nazwy. Zwykle składa się wyłącznie z małych liter, cyfr i myślników.','Describes the Slug field on the Edit Tags screen.'=>'Opisuje pole uproszczonej nazwy na ekranie edycji tagów.','Slug Field Description'=>'Opis pola uproszczonej nazwy','The name is how it appears on your site'=>'Nazwa jak pojawia się w witrynie','Describes the Name field on the Edit Tags screen.'=>'Opisuje pole nazwy na ekranie edycji tagów.','Name Field Description'=>'Opis pola nazwy','No tags'=>'Brak tagów','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Przypisuje tekst wyświetlany w tabelach list wpisów i mediów gdy nie ma żadnych tagów, ani kategorii.','No Terms'=>'Brak terminów','No %s'=>'Brak „%s”','No tags found'=>'Nie znaleziono żadnych tagów','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Przypisuje tekst wyświetlany po kliknięciu „Wybierz z najczęściej używanych” w metaboksie taksonomii gdy nie ma żadnych tagów, ani kategorii oraz tekst używany w tabeli listy terminów gdy nie ma elementów z tej taksonomii.','Not Found'=>'Nie znaleziono','Assigns text to the Title field of the Most Used tab.'=>'Przypisuje tekst do pola Tytuł zakładki najczęściej używanych.','Most Used'=>'Najczęściej używane','Choose from the most used tags'=>'Wybierz z najczęściej używanych tagów','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Przypisuje tekst „Wybierz z najczęściej używanych” w metaboksie, gdy JavaScript jest wyłączony. Używane tylko w taksonomiach niehierarchicznych.','Choose From Most Used'=>'Wybierz z najczęściej używanych','Choose from the most used %s'=>'Wybierz z najczęściej używanych „%s”','Add or remove tags'=>'Dodaj lub usuń tagi','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Przypisuje tekst dot. dodawania lub usuwania elementów w metaboksie, gdy JavaScript jest wyłączony. Używane tylko w taksonomiach niehierarchicznych','Add Or Remove Items'=>'Dodaj lub usuń elementy','Add or remove %s'=>'Dodaj lub usuń %s','Separate tags with commas'=>'Oddziel tagi przecinkami','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Przypisuje tekst dot. oddzielania elementów przecinkami w metaboksie taksonomii. Używane tylko w taksonomiach niehierarchicznych.','Separate Items With Commas'=>'Oddziel elementy przecinkami','Separate %s with commas'=>'Oddziel %s przecinkami','Popular Tags'=>'Popularne tagi','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Przypisuje tekst popularnych elementów. Używane tylko w taksonomiach niehierarchicznych.','Popular Items'=>'Popularne elementy','Popular %s'=>'Popularne %s','Search Tags'=>'Szukaj tagów','Assigns search items text.'=>'Przypisuje tekst wyszukiwania elementów.','Parent Category:'=>'Kategoria nadrzędna:','Assigns parent item text, but with a colon (:) added to the end.'=>'Przypisuje tekst elementu nadrzędnego, ale z dodanym na końcu dwukropkiem (:).','Parent Item With Colon'=>'Element nadrzędny z dwukropkiem','Parent Category'=>'Kategoria nadrzędna','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Przypisuje tekst elementu nadrzędnego. Używane tylko w taksonomiach hierarchicznych.','Parent Item'=>'Element nadrzędny','Parent %s'=>'Element nadrzędny „%s”','New Tag Name'=>'Nazwa nowego tagu','Assigns the new item name text.'=>'Przypisuje tekst nazwy nowego elementu.','New Item Name'=>'Nazwa nowego elementu','New %s Name'=>'Nazwa nowego „%s”','Add New Tag'=>'Utwórz tag','Assigns the add new item text.'=>'Przypisuje tekst dodania nowego elementu.','Update Tag'=>'Aktualizuj tag','Assigns the update item text.'=>'Przypisuje tekst zaktualizowania elementu.','Update Item'=>'Aktualizuj element','Update %s'=>'Aktualizuj „%s”','View Tag'=>'Zobacz tag','In the admin bar to view term during editing.'=>'Na pasku administratora do zobaczenia terminu podczas edycji.','Edit Tag'=>'Edytuj tag','At the top of the editor screen when editing a term.'=>'Na górze ekranu edycji podczas edytowania terminu.','All Tags'=>'Wszystkie tagi','Assigns the all items text.'=>'Przypisuje tekst wszystkich elementów.','Assigns the menu name text.'=>'Przypisuje tekst nazwy menu.','Menu Label'=>'Etykieta menu','Active taxonomies are enabled and registered with WordPress.'=>'Włączone taksonomie są uruchamiane i rejestrowane razem z WordPressem.','A descriptive summary of the taxonomy.'=>'Podsumowanie opisujące taksonomię.','A descriptive summary of the term.'=>'Podsumowanie opisujące termin.','Term Description'=>'Opis terminu','Single word, no spaces. Underscores and dashes allowed.'=>'Pojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślniki.','Term Slug'=>'Uproszczona nazwa terminu','The name of the default term.'=>'Nazwa domyślnego terminu.','Term Name'=>'Nazwa terminu','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Utwórz termin taksonomii, którego nie będzie można usunąć. Nie będzie on domyślnie wybrany dla wpisów.','Default Term'=>'Domyślny termin','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Czy terminy tej taksonomii powinny być posortowane w kolejności, w jakiej są przekazywane do `wp_set_object_terms()`.','Sort Terms'=>'Sortuj terminy','Add Post Type'=>'Dodaj typ treści','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Rozszerz funkcjonalność WordPressa ponad standardowe wpisy i strony za pomocą własnych typów treści.','Add Your First Post Type'=>'Dodaj swój pierwszy typ treści','I know what I\'m doing, show me all the options.'=>'Wiem co robię, pokaż mi wszystkie opcje.','Advanced Configuration'=>'Zaawansowana konfiguracja','Hierarchical post types can have descendants (like pages).'=>'Hierarchiczne typy treści mogą posiadać elementy potomne (jak strony).','Hierarchical'=>'Hierarchiczne','Visible on the frontend and in the admin dashboard.'=>'Widoczne w witrynie oraz w kokpicie administratora.','Public'=>'Publiczne','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Tylko małe litery, myślniki i podkreślniki. Maksymalnie 20 znaków.','Movie'=>'Film','Singular Label'=>'Etykieta w liczbie pojedynczej','Movies'=>'Filmy','Plural Label'=>'Etykieta w liczbie mnogiej','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Opcjonalny własny kontroler do użycia zamiast `WP_REST_Posts_Controller`.','Controller Class'=>'Klasa kontrolera','The namespace part of the REST API URL.'=>'Część przestrzeni nazw adresu URL REST API.','Namespace Route'=>'Ścieżka przestrzeni nazw','The base URL for the post type REST API URLs.'=>'Bazowy adres URL tego typu treści dla adresów URL REST API.','Base URL'=>'Bazowy adres URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Pokaż ten typ treści w REST API. Wymagane, aby używać edytora blokowego.','Show In REST API'=>'Pokaż w REST API','Customize the query variable name.'=>'Dostosuj nazwę zmiennej zapytania.','Query Variable'=>'Zmienna zapytania','No Query Variable Support'=>'Brak obsługi zmiennej zapytania','Custom Query Variable'=>'Własna zmienna zapytania','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elementy są dostępne za pomocą nieprzyjaznych bezpośrednich odnośników, np. {typ_treści}={uproszczona_nazwa_wpisu}.','Query Variable Support'=>'Obsługa zmiennej zapytania','URLs for an item and items can be accessed with a query string.'=>'Adresy URL elementu i elementów są dostępne za pomocą ciągu znaków zapytania.','Publicly Queryable'=>'Publicznie dostępne','Custom slug for the Archive URL.'=>'Własna uproszczona nazwa dla adresu URL archiwum.','Archive Slug'=>'Uproszczona nazwa archiwum','Has an item archive that can be customized with an archive template file in your theme.'=>'Posiada archiwum elementów, które można dostosować za pomocą szablonu archiwum w motywie.','Archive'=>'Archiwum','Pagination support for the items URLs such as the archives.'=>'Obsługa stronicowania adresów URL elementów takich jak archiwa.','Pagination'=>'Stronicowanie','RSS feed URL for the post type items.'=>'Adres URL kanału RSS elementów tego typu treści.','Feed URL'=>'Adres URL kanału informacyjnego','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Modyfikuje strukturę bezpośrednich odnośników dodając prefiks `WP_Rewrite::$front` do adresów URL.','Front URL Prefix'=>'Prefiks adresu URL','Customize the slug used in the URL.'=>'Dostosuj uproszczoną nazwę używaną w adresie URL.','URL Slug'=>'Uproszczona nazwa w adresie URL','Permalinks for this post type are disabled.'=>'Bezpośrednie odnośniki tego typu treści są wyłączone.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Przepisuj adres URL używając własnej uproszczonej nazwy określonej w polu poniżej. Struktura bezpośrednich odnośników będzie następująca','No Permalink (prevent URL rewriting)'=>'Brak bezpośredniego odnośnika (wyłącz przepisywanie adresów URL)','Custom Permalink'=>'Własny bezpośredni odnośnik','Post Type Key'=>'Klucz typu treści','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Przepisuj adres URL używając klucza typu treści jako uproszczonej nazwy. Struktura bezpośrednich odnośników będzie następująca','Permalink Rewrite'=>'Przepisywanie bezpośrednich odnośników','Delete items by a user when that user is deleted.'=>'Usuwaj elementy należące do użytkownika podczas jego usuwania.','Delete With User'=>'Usuń wraz z użytkownikiem','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Zezwól na eksportowanie tego typu treści na ekranie „Narzędzia > Eksport”.','Can Export'=>'Można eksportować','Optionally provide a plural to be used in capabilities.'=>'Opcjonalnie podaj liczbę mnogą, aby użyć jej w uprawnieniach.','Plural Capability Name'=>'Nazwa uprawnienia w liczbie mnogiej','Choose another post type to base the capabilities for this post type.'=>'Wybierz inny typ treści, aby bazować na jego uprawnieniach dla tego typu treści.','Singular Capability Name'=>'Nazwa uprawnienia w liczbie pojedynczej','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Domyślnie nazwy uprawnienia tego typu treści zostaną odziedziczone z uprawnień typu „Wpis”, np. edit_post, delete_posts. Włącz, aby użyć w tym typie treści własnych uprawnień, np. edit_{liczba pojedyncza}, delete_{liczba mnoga}.','Rename Capabilities'=>'Zmień nazwy uprawnień','Exclude From Search'=>'Wyklucz z wyszukiwania','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Zezwól na dodawanie elementów do menu na ekranie „Wygląd > Menu”. Należy je włączyć w „Opcjach ekranu”.','Appearance Menus Support'=>'Obsługa menu wyglądu','Appears as an item in the \'New\' menu in the admin bar.'=>'Pojawia się jako element w menu „Utwórz” na pasku administratora.','Show In Admin Bar'=>'Pokaż na pasku administratora','Custom Meta Box Callback'=>'Własna funkcja zwrotna metaboksa','Menu Icon'=>'Ikonka menu','The position in the sidebar menu in the admin dashboard.'=>'Pozycja w menu w panelu bocznym w kokpicie administratora.','Menu Position'=>'Pozycja menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Domyślnie typ treści otrzyma nowy element najwyższego poziomu w menu administratora. Jeżeli zostanie tu podany istniejący element najwyższego poziomu, typ treści zostanie dodany do niego jako element podmenu.','Admin Menu Parent'=>'Element nadrzędny menu administratora','Admin editor navigation in the sidebar menu.'=>'Nawigacja w menu w panelu bocznym kokpitu administratora.','Show In Admin Menu'=>'Pokaż w menu administratora','Items can be edited and managed in the admin dashboard.'=>'Elementy mogą być edytowanie i zarządzane w kokpicie administratora.','Show In UI'=>'Pokaż w interfejsie użytkownika','A link to a post.'=>'Odnośnik do wpisu.','Description for a navigation link block variation.'=>'Opis wersji bloku odnośnika.','Item Link Description'=>'Opis odnośnika elementu','A link to a %s.'=>'Odnośnik do „%s”.','Post Link'=>'Odnośnik wpisu','Title for a navigation link block variation.'=>'Tytuł wersji bloku odnośnika.','Item Link'=>'Odnośnik elementu','%s Link'=>'Odnośnik „%s”','Post updated.'=>'Wpis został zaktualizowany.','In the editor notice after an item is updated.'=>'Powiadomienie w edytorze po zaktualizowaniu elementu.','Item Updated'=>'Element został zaktualizowany','%s updated.'=>'„%s” został zaktualizowany.','Post scheduled.'=>'Zaplanowano publikację wpisu.','In the editor notice after scheduling an item.'=>'Powiadomienie w edytorze po zaplanowaniu publikacji elementu.','Item Scheduled'=>'Zaplanowano publikację elementu','%s scheduled.'=>'Zaplanowano publikację „%s”.','Post reverted to draft.'=>'Wpis zamieniony w szkic.','In the editor notice after reverting an item to draft.'=>'Powiadomienie w edytorze po zamienieniu elementu w szkic.','Item Reverted To Draft'=>'Element zamieniony w szkic','%s reverted to draft.'=>'„%s” zamieniony w szkic.','Post published privately.'=>'Wpis został opublikowany jako prywatny.','In the editor notice after publishing a private item.'=>'Powiadomienie w edytorze po opublikowaniu elementu jako prywatny.','Item Published Privately'=>'Element został opublikowany jako prywatny','%s published privately.'=>'„%s” został opublikowany jako prywatny.','Post published.'=>'Wpis został opublikowany.','In the editor notice after publishing an item.'=>'Powiadomienie w edytorze po opublikowaniu elementu.','Item Published'=>'Element został opublikowany','%s published.'=>'„%s” został opublikowany.','Posts list'=>'Lista wpisów','Used by screen readers for the items list on the post type list screen.'=>'Używane przez czytniki ekranu do listy elementów na ekranie listy wpisów tego typu treści.','Items List'=>'Lista elementów','%s list'=>'Lista „%s”','Posts list navigation'=>'Nawigacja listy wpisów','Used by screen readers for the filter list pagination on the post type list screen.'=>'Używane przez czytniki ekranu do stronicowania na liście filtrów na ekranie listy wpisów tego typu treści.','Items List Navigation'=>'Nawigacja listy elementów','%s list navigation'=>'Nawigacja listy „%s”','Filter posts by date'=>'Filtruj wpisy wg daty','Used by screen readers for the filter by date heading on the post type list screen.'=>'Używane przez czytniki ekranu do nagłówka filtrowania wg daty na ekranie listy wpisów tego typu treści.','Filter Items By Date'=>'Filtruj elementy wg daty','Filter %s by date'=>'Filtruj %s wg daty','Filter posts list'=>'Filtrowanie listy wpisów','Used by screen readers for the filter links heading on the post type list screen.'=>'Używane przez czytniki ekranu do nagłówka odnośników filtrowania na ekranie listy wpisów tego typu treści.','Filter Items List'=>'Filtrowanie listy elementów','Filter %s list'=>'Filtrowanie listy „%s”','In the media modal showing all media uploaded to this item.'=>'W oknie mediów wyświetlającym wszystkie media wgrane do tego elementu.','Uploaded To This Item'=>'Wgrane do elementu','Uploaded to this %s'=>'Wgrane do „%s”','Insert into post'=>'Wstaw do wpisu','As the button label when adding media to content.'=>'Jako etykieta przycisku podczas dodawania mediów do treści.','Insert Into Media Button'=>'Przycisk wstawiania mediów','Insert into %s'=>'Wstaw do „%s”','Use as featured image'=>'Użyj jako obrazek wyróżniający','As the button label for selecting to use an image as the featured image.'=>'Jako etykieta przycisku podczas wybierania obrazka do użycia jako obrazka wyróżniającego.','Use Featured Image'=>'Użyj obrazka wyróżniającego','Remove featured image'=>'Usuń obrazek wyróżniający','As the button label when removing the featured image.'=>'Jako etykieta przycisku podczas usuwania obrazka wyróżniającego.','Remove Featured Image'=>'Usuń obrazek wyróżniający','Set featured image'=>'Ustaw obrazek wyróżniający','As the button label when setting the featured image.'=>'Jako etykieta przycisku podczas ustawiania obrazka wyróżniającego.','Set Featured Image'=>'Ustaw obrazek wyróżniający','Featured image'=>'Obrazek wyróżniający','In the editor used for the title of the featured image meta box.'=>'W edytorze, używane jako tytuł metaboksa obrazka wyróżniającego.','Featured Image Meta Box'=>'Metaboks obrazka wyróżniającego','Post Attributes'=>'Atrybuty wpisu','In the editor used for the title of the post attributes meta box.'=>'W edytorze, używane jako tytuł metaboksa atrybutów wpisu.','Attributes Meta Box'=>'Metaboks atrybutów','%s Attributes'=>'Atrybuty „%s”','Post Archives'=>'Archiwa wpisów','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Dodaje element „Archiwa typu treści”, o tej etykiecie, do listy wpisów własnych typów treści z włączonymi archiwami, wyświetlanych podczas dodawania elementów do istniejącego menu. Pojawia się podczas edytowania menu w trybie „Podgląd na żywo”, gdy podano własną uproszczoną nazwę archiwów.','Archives Nav Menu'=>'Menu nawigacyjne archiwów','%s Archives'=>'Archiwa „%s”','No posts found in Trash'=>'Nie znaleziono żadnych wpisów w koszu','At the top of the post type list screen when there are no posts in the trash.'=>'Na górze ekranu listy wpisów typu treści gdy brak wpisów w koszu.','No Items Found in Trash'=>'Nie znaleziono żadnych elementów w koszu','No %s found in Trash'=>'Nie znaleziono żadnych „%s” w koszu','No posts found'=>'Nie znaleziono żadnych wpisów','At the top of the post type list screen when there are no posts to display.'=>'Na górze ekranu listy wpisów typu treści gdy brak wpisów do wyświetlenia.','No Items Found'=>'Nie znaleziono żadnych elementów','No %s found'=>'Nie znaleziono żadnych „%s”','Search Posts'=>'Szukaj wpisów','At the top of the items screen when searching for an item.'=>'Na górze ekranu elementów podczas szukania elementu.','Search Items'=>'Szukaj elementów','Search %s'=>'Szukaj „%s”','Parent Page:'=>'Strona nadrzędna:','For hierarchical types in the post type list screen.'=>'Dla hierarchicznych typów na ekranie listy wpisów tego typu treści.','Parent Item Prefix'=>'Prefiks elementu nadrzędnego','Parent %s:'=>'Nadrzędny „%s”:','New Post'=>'Nowy wpis','New Item'=>'Nowy element','New %s'=>'Nowy „%s”','Add New Post'=>'Utwórz wpis','At the top of the editor screen when adding a new item.'=>'Na górze ekranu edycji podczas dodawania nowego elementu.','Add New Item'=>'Utwórz element','Add New %s'=>'Utwórz „%s”','View Posts'=>'Zobacz wpisy','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Pojawia się na pasku administratora w widoku „Wszystkie wpisy”, pod warunkiem, że typ treści obsługuje archiwa, a strona główna nie jest archiwum tego typu treści.','View Items'=>'Zobacz elementy','View Post'=>'Zobacz wpis','In the admin bar to view item when editing it.'=>'Na pasku administratora do zobaczenia elementu podczas jego edycji.','View Item'=>'Zobacz element','View %s'=>'Zobacz „%s”','Edit Post'=>'Edytuj wpis','At the top of the editor screen when editing an item.'=>'Na górze ekranu edycji podczas edytowania elementu.','Edit Item'=>'Edytuj element','Edit %s'=>'Edytuj „%s”','All Posts'=>'Wszystkie wpisy','In the post type submenu in the admin dashboard.'=>'W podmenu typu treści w kokpicie administratora.','All Items'=>'Wszystkie elementy','All %s'=>'Wszystkie %s','Admin menu name for the post type.'=>'Nazwa menu administracyjnego tego typu treści.','Menu Name'=>'Nazwa menu','Regenerate all labels using the Singular and Plural labels'=>'Odnów wszystkie etykiety używając etykiet w liczbie pojedynczej i mnogiej','Regenerate'=>'Odnów','Active post types are enabled and registered with WordPress.'=>'Włączone typy treści są uruchamiane i rejestrowane razem z WordPressem.','A descriptive summary of the post type.'=>'Podsumowanie opisujące typ treści.','Add Custom'=>'Dodaj własną','Enable various features in the content editor.'=>'Włącz różne funkcje w edytorze treści.','Post Formats'=>'Formaty wpisów','Editor'=>'Edytor','Trackbacks'=>'Trackbacki','Select existing taxonomies to classify items of the post type.'=>'Wybierz istniejące taksonomie, aby klasyfikować ten typ treści.','Browse Fields'=>'Przeglądaj pola','Nothing to import'=>'Brak danych do importu','. The Custom Post Type UI plugin can be deactivated.'=>'. Wtyczka „Custom Post Type UI” może zostać wyłączona.','Imported %d item from Custom Post Type UI -'=>'Zaimportowano %d element z „Custom Post Type UI” -' . "\0" . 'Zaimportowano %d elementy z „Custom Post Type UI” -' . "\0" . 'Zaimportowano %d elementów z „Custom Post Type UI” -','Failed to import taxonomies.'=>'Nie udało się zaimportować taksonomii.','Failed to import post types.'=>'Nie udało się zaimportować typów treści.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nie wybrano niczego do zaimportowania z wtyczki „Custom Post Type UI”.','Imported 1 item'=>'Zaimportowano 1 element' . "\0" . 'Zaimportowano %s elementy' . "\0" . 'Zaimportowano %s elementów','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Zaimportowanie typu treści lub taksonomii, z tym samym kluczem co już istniejący element, nadpisze ustawienia istniejącego typu treści lub taksonomii używając zaimportowanych danych.','Import from Custom Post Type UI'=>'Importuj z „Custom Post Type UI”','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Następujący kod może zostać użyty do zarejestrowania lokalnej wersji wybranych elementów. Przechowywanie grup pól, typów treści czy taksonomii lokalnie może pozytywnie wpłynąć na szybsze czasy wczytywania, kontrolę wersji i dynamiczne pola oraz ustawienia. Skopiuj i wklej następujący kod do pliku function.php w twoim motywie lub załącz go w oddzielnym pliku, a następnie wyłącz lub usuń te elementy z ACF-a.','Export - Generate PHP'=>'Eksport - wygeneruj PHP','Export'=>'Eksportuj','Select Taxonomies'=>'Wybierz taksonomie','Select Post Types'=>'Wybierz typy treści','Exported 1 item.'=>'Wyeksportowano 1 element.' . "\0" . 'Wyeksportowano %s elementy.' . "\0" . 'Wyeksportowano %s elementów.','Category'=>'Kategoria','Tag'=>'Tag','%s taxonomy created'=>'Taksonomia %s została utworzona','%s taxonomy updated'=>'Taksonomia %s została zaktualizowana','Taxonomy draft updated.'=>'Szkic taksonomii został zaktualizowany.','Taxonomy scheduled for.'=>'Publikacja taksonomii została zaplanowana.','Taxonomy submitted.'=>'Taksonomia została dodana.','Taxonomy saved.'=>'Taksonomia została zapisana.','Taxonomy deleted.'=>'Taksonomia została usunięta.','Taxonomy updated.'=>'Taksonomia została zaktualizowana.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Nie można było zarejestrować tej taksonomii, ponieważ jej klucz jest już używany przez inną taksonomię zarejestrowaną przez inną wtyczkę lub motyw.','Taxonomy synchronized.'=>'Taksonomia została zsynchronizowana.' . "\0" . '%s taksonomie zostały zsynchronizowane.' . "\0" . '%s taksonomii zostało zsynchronizowanych.','Taxonomy duplicated.'=>'Taksonomia została zduplikowana.' . "\0" . '%s taksonomie zostały zduplikowane.' . "\0" . '%s taksonomii zostało zduplikowanych.','Taxonomy deactivated.'=>'Taksonomia została wyłączona.' . "\0" . '%s taksonomie zostały wyłączone.' . "\0" . '%s taksonomii zostało wyłączonych.','Taxonomy activated.'=>'Taksonomia została włączona.' . "\0" . '%s taksonomie zostały włączone.' . "\0" . '%s taksonomii zostało włączonych.','Terms'=>'Terminy','Post type synchronized.'=>'Typ treści został zsynchronizowany.' . "\0" . '%s typy treści zostały zsynchronizowane.' . "\0" . '%s typów treści zostało zsynchronizowanych.','Post type duplicated.'=>'Typ treści został zduplikowany.' . "\0" . '%s typy treści zostały zduplikowane.' . "\0" . '%s typów treści zostało zduplikowanych.','Post type deactivated.'=>'Typ treści został wyłączony.' . "\0" . '%s typy treści zostały wyłączone.' . "\0" . '%s typów treści zostało wyłączonych.','Post type activated.'=>'Typ treści został włączony.' . "\0" . '%s typy treści zostały włączone.' . "\0" . '%s typów treści zostało włączonych.','Post Types'=>'Typy treści','Advanced Settings'=>'Ustawienia zaawansowane','Basic Settings'=>'Ustawienia podstawowe','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Nie można było zarejestrować tego typu treści, ponieważ jego klucz jest już używany przez inny typ treści zarejestrowany przez inną wtyczkę lub motyw.','Pages'=>'Strony','Link Existing Field Groups'=>'Powiąż istniejące grupy pól','%s post type created'=>'Typ treści %s został utworzony','Add fields to %s'=>'Dodaj pola do „%s”','%s post type updated'=>'Typ treści %s został zaktualizowany','Post type draft updated.'=>'Szkic typu treści został zaktualizowany.','Post type scheduled for.'=>'Publikacja typu treści została zaplanowana.','Post type submitted.'=>'Typ teści został dodany.','Post type saved.'=>'Typ treści został zapisany.','Post type updated.'=>'Typ treści został zaktualizowany.','Post type deleted.'=>'Typ treści został usunięty.','Type to search...'=>'Zacznij pisać, aby wyszukać…','PRO Only'=>'Tylko w PRO','Field groups linked successfully.'=>'Grupy pól zostały powiązane.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importuj typy treści i taksonomie zarejestrowane za pomocą wtyczki „Custom Post Type UI” i zarządzaj nimi w ACF-ie. Rozpocznij.','ACF'=>'ACF','taxonomy'=>'taksonomia','post type'=>'typ treści','Done'=>'Gotowe','Field Group(s)'=>'Grupa(-y) pól','Select one or many field groups...'=>'Wybierz jedną lub klika grup pól…','Please select the field groups to link.'=>'Proszę wybrać grupy pól do powiązania.','Field group linked successfully.'=>'Grupa pól została powiązana.' . "\0" . 'Grupy pól zostały powiązane.' . "\0" . 'Grupy pól zostały powiązane.','post statusRegistration Failed'=>'Rejestracja nieudana','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Nie można było zarejestrować tego elementu, ponieważ jego klucz jest już używany przez inny element zarejestrowany przez inną wtyczkę lub motyw.','REST API'=>'REST API','Permissions'=>'Uprawnienia','URLs'=>'Adresy URL','Visibility'=>'Widoczność','Labels'=>'Etykiety','Field Settings Tabs'=>'Ustawienia pól w zakładkach','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Wartość shortcode\'u ACF-a wyłączona podczas podglądu]','Close Modal'=>'Zamknij okno','Field moved to other group'=>'Pole zostało przeniesione do innej grupy','Close modal'=>'Zamknij okno','Start a new group of tabs at this tab.'=>'Rozpocznij od tej zakładki nową grupę zakładek.','New Tab Group'=>'Nowa grupa zakładek','Use a stylized checkbox using select2'=>'Użyj ostylowanego pola select2','Save Other Choice'=>'Zapisz inny wybór','Allow Other Choice'=>'Zezwól na inny wybór','Add Toggle All'=>'Dodaj „Przełącz wszystko”','Save Custom Values'=>'Zapisz własne wartości','Allow Custom Values'=>'Zezwól na własne wartości','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Własne wartości pola zaznaczenia nie mogą być puste. Odznacz wszystkie puste wartości.','Updates'=>'Aktualizacje','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Zapisz zmiany','Field Group Title'=>'Tytuł grupy pól','Add title'=>'Dodaj tytuł','New to ACF? Take a look at our getting started guide.'=>'Nie znasz ACF-a? Zapoznaj się z naszym przewodnikiem jak zacząć.','Add Field Group'=>'Dodaj grupę pól','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF używa grup pól do łączenia własnych pól, a następnie dołączania tych pól do ekranów edycji.','Add Your First Field Group'=>'Dodaj swoją pierwszą grupę pól','Options Pages'=>'Strony opcji','ACF Blocks'=>'Bloki ACF-a','Gallery Field'=>'Pole galerii','Flexible Content Field'=>'Pole elastycznej treści','Repeater Field'=>'Pole powtarzalne','Unlock Extra Features with ACF PRO'=>'Odblokuj dodatkowe funkcje przy pomocy ACF-a PRO','Delete Field Group'=>'Usuń grupę pól','Created on %1$s at %2$s'=>'Utworzono %1$s o %2$s','Group Settings'=>'Ustawienia grupy','Location Rules'=>'Reguły lokalizacji','Choose from over 30 field types. Learn more.'=>'Wybierz spośród ponad 30 rodzajów pól. Dowiedz się więcej.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Zacznij tworzyć nowe własne pola dla swoich wpisów, stron, własnych typów treści i innych treści WordPressa.','Add Your First Field'=>'Dodaj swoje pierwsze pole','#'=>'#','Add Field'=>'Dodaj pole','Presentation'=>'Prezentacja','Validation'=>'Walidacja','General'=>'Ogólne','Import JSON'=>'Importuj JSON','Export As JSON'=>'Eksportuj jako JSON','Field group deactivated.'=>'Grupa pól została wyłączona.' . "\0" . '%s grupy pól zostały wyłączone.' . "\0" . '%s grup pól zostało wyłączonych.','Field group activated.'=>'Grupa pól została włączona.' . "\0" . '%s grupy pól zostały włączone.' . "\0" . '%s grup pól zostało włączonych.','Deactivate'=>'Wyłącz','Deactivate this item'=>'Wyłącz ten element','Activate'=>'Włącz','Activate this item'=>'Włącz ten element','Move field group to trash?'=>'Przenieść grupę pól do kosza?','post statusInactive'=>'Wyłączone','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Wtyczki Advanced Custom Fields i Advanced Custom Fields PRO nie powinny być włączone jednocześnie. Automatycznie wyłączyliśmy Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Wtyczki Advanced Custom Fields i Advanced Custom Fields PRO nie powinny być włączone jednocześnie. Automatycznie wyłączyliśmy Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Wykryliśmy jedno lub kilka wywołań, które pobierają wartości pól przez zainicjowaniem ACF-a. Nie są one obsłużone i może to powodować nieprawidłowe lub brakujące dane. Dowiedz się, jak to naprawić.','%1$s must have a user with the %2$s role.'=>'%1$s musi mieć użytkownika z rolą %2$s.' . "\0" . '%1$s musi mieć użytkownika z jedną z następujących ról: %2$s' . "\0" . '%1$s musi mieć użytkownika z jedną z następujących ról: %2$s','%1$s must have a valid user ID.'=>'%1$s musi mieć prawidłowy identyfikator użytkownika.','Invalid request.'=>'Nieprawidłowe żądanie.','%1$s is not one of %2$s'=>'%1$s nie zawiera się w %2$s','%1$s must have term %2$s.'=>'%1$s musi należeć do taksonomii %2$s.' . "\0" . '%1$s musi należeć do jednej z następujących taksonomii: %2$s' . "\0" . '%1$s musi należeć do jednej z następujących taksonomii: %2$s','%1$s must be of post type %2$s.'=>'%1$s musi należeć do typu treści %2$s.' . "\0" . '%1$s musi należeć do jednego z następujących typów treści: %2$s' . "\0" . '%1$s musi należeć do jednego z następujących typów treści: %2$s','%1$s must have a valid post ID.'=>'%1$s musi mieć prawidłowy identyfikator wpisu.','%s requires a valid attachment ID.'=>'%s wymaga prawidłowego identyfikatora załącznika.','Show in REST API'=>'Pokaż w REST API','Enable Transparency'=>'Włącz przezroczystość','RGBA Array'=>'Tablica RGBA','RGBA String'=>'Ciąg RGBA','Hex String'=>'Ciąg Hex','Upgrade to PRO'=>'Kup PRO','post statusActive'=>'Włączone','\'%s\' is not a valid email address'=>'„%s” nie jest poprawnym adresem e-mail','Color value'=>'Kolor','Select default color'=>'Wybierz domyślny kolor','Clear color'=>'Wyczyść kolor','Blocks'=>'Bloki','Options'=>'Opcje','Users'=>'Użytkownicy','Menu items'=>'Elementy menu','Widgets'=>'Widżety','Attachments'=>'Załączniki','Taxonomies'=>'Taksonomie','Posts'=>'Wpisy','Last updated: %s'=>'Ostatnia aktualizacja: %s','Sorry, this post is unavailable for diff comparison.'=>'Przepraszamy, ten wpis jest niedostępny dla porównania różnic.','Invalid field group parameter(s).'=>'Nieprawidłowy parametr(y) grupy pól.','Awaiting save'=>'Oczekiwanie na zapis','Saved'=>'Zapisana','Import'=>'Importuj','Review changes'=>'Przejrzyj zmiany','Located in: %s'=>'Znajduje się w: %s','Located in plugin: %s'=>'Znalezione we wtyczce: %s','Located in theme: %s'=>'Znalezione w motywie: %s','Various'=>'Różne','Sync changes'=>'Synchronizuj zmiany','Loading diff'=>'Ładowanie różnic','Review local JSON changes'=>'Przegląd lokalnych zmian JSON','Visit website'=>'Odwiedź stronę','View details'=>'Zobacz szczegóły','Version %s'=>'Wersja %s','Information'=>'Informacje','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Pomoc. Nasi pracownicy pomocy technicznej pomogą w bardziej dogłębnych wyzwaniach technicznych.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Dyskusje. Mamy aktywną i przyjazną społeczność na naszych forach społecznościowych, która pomoże Ci poznać tajniki świata ACF-a.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentacja. Nasza obszerna dokumentacja zawiera opisy i przewodniki dotyczące większości sytuacji, które możesz napotkać.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Jesteśmy fanatyczni, jeśli chodzi o wsparcie i chcemy, abyś w pełni wykorzystał swoją stronę internetową dzięki ACF-owi. Jeśli napotkasz jakiekolwiek trudności, jest kilka miejsc, w których możesz znaleźć pomoc:','Help & Support'=>'Pomoc i wsparcie','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Skorzystaj z zakładki Pomoc i wsparcie, aby skontaktować się, jeśli potrzebujesz pomocy.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Przed utworzeniem pierwszej grupy pól zalecamy najpierw przeczytanie naszego przewodnika Pierwsze kroki, aby zapoznać się z filozofią wtyczki i sprawdzonymi metodami.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Wtyczka Advanced Custom Fields zapewnia wizualny kreator formularzy do dostosowywania ekranów edycji WordPress z dodatkowymi polami oraz intuicyjny interfejs API do wyświetlania niestandardowych wartości pól w dowolnym pliku szablonu motywu.','Overview'=>'Przegląd','Location type "%s" is already registered.'=>'Typ lokalizacji „%s” jest już zarejestrowany.','Class "%s" does not exist.'=>'Klasa „%s” nie istnieje.','Invalid nonce.'=>'Nieprawidłowy kod jednorazowy.','Error loading field.'=>'Błąd ładowania pola.','Error: %s'=>'Błąd: %s','Widget'=>'Widżet','User Role'=>'Rola użytkownika','Comment'=>'Komentarz','Post Format'=>'Format wpisu','Menu Item'=>'Element menu','Post Status'=>'Status wpisu','Menus'=>'Menu','Menu Locations'=>'Położenia menu','Menu'=>'Menu','Post Taxonomy'=>'Taksonomia wpisu','Child Page (has parent)'=>'Strona potomna (ma stronę nadrzędną)','Parent Page (has children)'=>'Strona nadrzędna (ma strony potomne)','Top Level Page (no parent)'=>'Strona najwyższego poziomu (bez strony nadrzędnej)','Posts Page'=>'Strona z wpisami','Front Page'=>'Strona główna','Page Type'=>'Typ strony','Viewing back end'=>'Wyświetla kokpit administratora','Viewing front end'=>'Wyświetla witrynę','Logged in'=>'Zalogowany','Current User'=>'Bieżący użytkownik','Page Template'=>'Szablon strony','Register'=>'Zarejestruj się','Add / Edit'=>'Dodaj / Edytuj','User Form'=>'Formularz użytkownika','Page Parent'=>'Strona nadrzędna','Super Admin'=>'Superadministrator','Current User Role'=>'Rola bieżącego użytkownika','Default Template'=>'Domyślny szablon','Post Template'=>'Szablon wpisu','Post Category'=>'Kategoria wpisu','All %s formats'=>'Wszystkie formaty %s','Attachment'=>'Załącznik','%s value is required'=>'%s wartość jest wymagana','Show this field if'=>'Pokaż to pole jeśli','Conditional Logic'=>'Wyświetlanie warunkowe','and'=>'oraz','Local JSON'=>'Lokalny JSON','Clone Field'=>'Pole klona','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Proszę również sprawdzić, czy wszystkie dodatki premium (%s) są zaktualizowane do najnowszej wersji.','This version contains improvements to your database and requires an upgrade.'=>'Ta wersja zawiera ulepszenia bazy danych i wymaga uaktualnienia.','Thank you for updating to %1$s v%2$s!'=>'Dziękujemy za aktualizację %1$s do wersji %2$s!','Database Upgrade Required'=>'Wymagana jest aktualizacja bazy danych','Options Page'=>'Strona opcji','Gallery'=>'Galeria','Flexible Content'=>'Elastyczna treść','Repeater'=>'Pole powtarzalne','Back to all tools'=>'Wróć do wszystkich narzędzi','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)'=>'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)','Select items to hide them from the edit screen.'=>'Wybierz elementy, które chcesz ukryć na stronie edycji.','Hide on screen'=>'Ukryj na ekranie','Send Trackbacks'=>'Wyślij trackbacki','Tags'=>'Tagi','Categories'=>'Kategorie','Page Attributes'=>'Atrybuty strony','Format'=>'Format','Author'=>'Autor','Slug'=>'Uproszczona nazwa','Revisions'=>'Wersje','Comments'=>'Komentarze','Discussion'=>'Dyskusja','Excerpt'=>'Zajawka','Content Editor'=>'Edytor treści','Permalink'=>'Bezpośredni odnośnik','Shown in field group list'=>'Wyświetlany na liście grup pól','Field groups with a lower order will appear first'=>'Grupy pól z niższym numerem pojawią się pierwsze','Order No.'=>'Nr w kolejności.','Below fields'=>'Pod polami','Below labels'=>'Pod etykietami','Instruction Placement'=>'Położenie instrukcji','Label Placement'=>'Położenie etykiety','Side'=>'Boczna','Normal (after content)'=>'Normalna (pod treścią)','High (after title)'=>'Wysoka (pod tytułem)','Position'=>'Pozycja','Seamless (no metabox)'=>'Bezpodziałowy (brak metaboksa)','Standard (WP metabox)'=>'Standardowy (metabox WP)','Style'=>'Styl','Type'=>'Rodzaj','Key'=>'Klucz','Order'=>'Kolejność','Close Field'=>'Zamknij pole','id'=>'id','class'=>'class','width'=>'szerokość','Wrapper Attributes'=>'Atrybuty kontenera','Required'=>'Wymagane','Instructions'=>'Instrukcje','Field Type'=>'Rodzaj pola','Single word, no spaces. Underscores and dashes allowed'=>'Pojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślniki','Field Name'=>'Nazwa pola','This is the name which will appear on the EDIT page'=>'Ta nazwa będzie widoczna na stronie edycji','Field Label'=>'Etykieta pola','Delete'=>'Usuń','Delete field'=>'Usuń pole','Move'=>'Przenieś','Move field to another group'=>'Przenieś pole do innej grupy','Duplicate field'=>'Duplikuj to pole','Edit field'=>'Edytuj pole','Drag to reorder'=>'Przeciągnij aby zmienić kolejność','Show this field group if'=>'Pokaż tę grupę pól jeśli','No updates available.'=>'Brak dostępnych aktualizacji.','Database upgrade complete. See what\'s new'=>'Aktualizacja bazy danych zakończona. Zobacz co nowego','Reading upgrade tasks...'=>'Czytam zadania aktualizacji…','Upgrade failed.'=>'Aktualizacja nie powiodła się.','Upgrade complete.'=>'Aktualizacja zakończona.','Upgrading data to version %s'=>'Aktualizowanie danych do wersji %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Zdecydowanie zaleca się wykonanie kopii zapasowej bazy danych przed kontynuowaniem. Czy na pewno chcesz teraz uruchomić aktualizacje?','Please select at least one site to upgrade.'=>'Proszę wybrać co najmniej jedną witrynę do uaktualnienia.','Database Upgrade complete. Return to network dashboard'=>'Aktualizacja bazy danych zakończona. Wróć do kokpitu sieci','Site is up to date'=>'Oprogramowanie witryny jest aktualne','Site requires database upgrade from %1$s to %2$s'=>'Witryna wymaga aktualizacji bazy danych z %1$s do %2$s','Site'=>'Witryna','Upgrade Sites'=>'Zaktualizuj witryny','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Następujące witryny wymagają aktualizacji bazy danych. Zaznacz te, które chcesz zaktualizować i kliknij %s.','Add rule group'=>'Dodaj grupę warunków','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Utwórz zestaw warunków, które określą w których miejscach będą wykorzystane zdefiniowane tutaj własne pola','Rules'=>'Reguły','Copied'=>'Skopiowano','Copy to clipboard'=>'Skopiuj do schowka','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wybierz elementy, które chcesz wyeksportować, a następnie wybierz metodę eksportu. Użyj „Eksportuj jako JSON” aby wyeksportować do pliku .json, który można następnie zaimportować do innej instalacji ACF. Użyj „Utwórz PHP” do wyeksportowania ustawień do kodu PHP, który można umieścić w motywie.','Select Field Groups'=>'Wybierz grupy pól','No field groups selected'=>'Nie zaznaczono żadnej grupy pól','Generate PHP'=>'Utwórz PHP','Export Field Groups'=>'Eksportuj grupy pól','Import file empty'=>'Importowany plik jest pusty','Incorrect file type'=>'Błędny typ pliku','Error uploading file. Please try again'=>'Błąd przesyłania pliku. Proszę spróbować ponownie','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Wybierz plik JSON Advanced Custom Fields, który chcesz zaimportować. Po kliknięciu przycisku importu poniżej, ACF zaimportuje elementy z tego pliku.','Import Field Groups'=>'Importuj grupy pól','Sync'=>'Synchronizuj','Select %s'=>'Wybierz %s','Duplicate'=>'Duplikuj','Duplicate this item'=>'Duplikuj ten element','Supports'=>'Obsługuje','Documentation'=>'Dokumentacja','Description'=>'Opis','Sync available'=>'Synchronizacja jest dostępna','Field group synchronized.'=>'Grupa pól została zsynchronizowana.' . "\0" . '%s grupy pól zostały zsynchronizowane.' . "\0" . '%s grup pól zostało zsynchronizowanych.','Field group duplicated.'=>'Grupa pól została zduplikowana.' . "\0" . '%s grupy pól zostały zduplikowane.' . "\0" . '%s grup pól zostało zduplikowanych.','Active (%s)'=>'Włączone (%s)' . "\0" . 'Włączone (%s)' . "\0" . 'Włączone (%s)','Review sites & upgrade'=>'Strona opinii i aktualizacji','Upgrade Database'=>'Aktualizuj bazę danych','Custom Fields'=>'Własne pola','Move Field'=>'Przenieś pole','Please select the destination for this field'=>'Proszę wybrać miejsce przeznaczenia dla tego pola','The %1$s field can now be found in the %2$s field group'=>'Pole %1$s znajduje się teraz w grupie pól %2$s','Move Complete.'=>'Przenoszenie zakończone.','Active'=>'Włączone','Field Keys'=>'Klucze pola','Settings'=>'Ustawienia','Location'=>'Lokalizacja','Null'=>'Pusty','copy'=>'kopia','(this field)'=>'(to pole)','Checked'=>'Zaznaczone','Move Custom Field'=>'Przenieś pole','No toggle fields available'=>'Brak dostępnych pól','Field group title is required'=>'Tytuł grupy pól jest wymagany','This field cannot be moved until its changes have been saved'=>'To pole nie może zostać przeniesione zanim zmiany nie zostaną zapisane','The string "field_" may not be used at the start of a field name'=>'Ciąg znaków „field_” nie może zostać użyty na początku nazwy pola','Field group draft updated.'=>'Szkic grupy pól został zaktualizowany.','Field group scheduled for.'=>'Publikacja grupy pól została zaplanowana.','Field group submitted.'=>'Grupa pól została dodana.','Field group saved.'=>'Grupa pól została zapisana.','Field group published.'=>'Grupa pól została opublikowana.','Field group deleted.'=>'Grupa pól została usunięta.','Field group updated.'=>'Grupa pól została zaktualizowana.','Tools'=>'Narzędzia','is not equal to'=>'nie jest równe','is equal to'=>'jest równe','Forms'=>'Formularze','Page'=>'Strona','Post'=>'Wpis','Relational'=>'Relacyjne','Choice'=>'Wybór','Basic'=>'Podstawowe','Unknown'=>'Nieznany','Field type does not exist'=>'Rodzaj pola nie istnieje','Spam Detected'=>'Wykryto spam','Post updated'=>'Wpis został zaktualizowany','Update'=>'Aktualizuj','Validate Email'=>'Potwierdź e-mail','Content'=>'Treść','Title'=>'Tytuł','Edit field group'=>'Edytuj grupę pól','Selection is less than'=>'Wybór jest mniejszy niż','Selection is greater than'=>'Wybór jest większy niż','Value is less than'=>'Wartość jest mniejsza niż','Value is greater than'=>'Wartość jest większa niż','Value contains'=>'Wartość zawiera','Value matches pattern'=>'Wartość musi pasować do wzoru','Value is not equal to'=>'Wartość nie jest równa','Value is equal to'=>'Wartość jest równa','Has no value'=>'Nie ma wartości','Has any value'=>'Ma dowolną wartość','Cancel'=>'Anuluj','Are you sure?'=>'Czy na pewno?','%d fields require attention'=>'%d pola(-ól) wymaga uwagi','1 field requires attention'=>'1 pole wymaga uwagi','Validation failed'=>'Walidacja nie powiodła się','Validation successful'=>'Walidacja zakończona sukcesem','Restricted'=>'Ograniczone','Collapse Details'=>'Zwiń szczegóły','Expand Details'=>'Rozwiń szczegóły','Uploaded to this post'=>'Wgrane do wpisu','verbUpdate'=>'Aktualizuj','verbEdit'=>'Edytuj','The changes you made will be lost if you navigate away from this page'=>'Wprowadzone przez Ciebie zmiany przepadną jeśli przejdziesz do innej strony','File type must be %s.'=>'Wymagany typ pliku to %s.','or'=>'lub','File size must not exceed %s.'=>'Rozmiar pliku nie może przekraczać %s.','File size must be at least %s.'=>'Rozmiar pliku musi wynosić co najmniej %s.','Image height must not exceed %dpx.'=>'Wysokość obrazka nie może przekraczać %dpx.','Image height must be at least %dpx.'=>'Obrazek musi mieć co najmniej %dpx wysokości.','Image width must not exceed %dpx.'=>'Szerokość obrazka nie może przekraczać %dpx.','Image width must be at least %dpx.'=>'Obrazek musi mieć co najmniej %dpx szerokości.','(no title)'=>'(brak tytułu)','Full Size'=>'Pełny rozmiar','Large'=>'Duży','Medium'=>'Średni','Thumbnail'=>'Miniatura','(no label)'=>'(brak etykiety)','Sets the textarea height'=>'Określa wysokość obszaru tekstowego','Rows'=>'Wiersze','Text Area'=>'Obszar tekstowy','Prepend an extra checkbox to toggle all choices'=>'Dołącz dodatkowe pole, aby grupowo włączać/wyłączać wszystkie wybory','Save \'custom\' values to the field\'s choices'=>'Dopisz własne wartości do wyborów pola','Allow \'custom\' values to be added'=>'Zezwól na dodawanie własnych wartości','Add new choice'=>'Dodaj nowy wybór','Toggle All'=>'Przełącz wszystko','Allow Archives URLs'=>'Zezwól na adresy URL archiwów','Archives'=>'Archiwa','Page Link'=>'Odnośnik do strony','Add'=>'Dodaj','Name'=>'Nazwa','%s added'=>'Dodano %s','%s already exists'=>'%s już istnieje','User unable to add new %s'=>'Użytkownik nie może dodać nowych „%s”','Term ID'=>'Identyfikator terminu','Term Object'=>'Obiekt terminu','Load value from posts terms'=>'Wczytaj wartości z terminów taksonomii z wpisu','Load Terms'=>'Wczytaj terminy taksonomii','Connect selected terms to the post'=>'Przypisz wybrane terminy taksonomii do wpisu','Save Terms'=>'Zapisz terminy taksonomii','Allow new terms to be created whilst editing'=>'Zezwól na tworzenie nowych terminów taksonomii podczas edycji','Create Terms'=>'Tworzenie terminów taksonomii','Radio Buttons'=>'Pola wyboru','Single Value'=>'Pojedyncza wartość','Multi Select'=>'Wybór wielokrotny','Checkbox'=>'Pole zaznaczenia','Multiple Values'=>'Wiele wartości','Select the appearance of this field'=>'Określ wygląd tego pola','Appearance'=>'Wygląd','Select the taxonomy to be displayed'=>'Wybierz taksonomię do wyświetlenia','No TermsNo %s'=>'Brak „%s”','Value must be equal to or lower than %d'=>'Wartość musi być równa lub niższa od %d','Value must be equal to or higher than %d'=>'Wartość musi być równa lub wyższa od %d','Value must be a number'=>'Wartość musi być liczbą','Number'=>'Liczba','Save \'other\' values to the field\'s choices'=>'Dopisz wartości wyboru „inne” do wyborów pola','Add \'other\' choice to allow for custom values'=>'Dodaj wybór „inne”, aby zezwolić na własne wartości','Other'=>'Inne','Radio Button'=>'Pole wyboru','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Zdefiniuj punkt końcowy dla zatrzymania poprzedniego panelu zwijanego. Ten panel zwijany nie będzie widoczny.','Allow this accordion to open without closing others.'=>'Zezwól, aby ten zwijany panel otwierał się bez zamykania innych.','Multi-Expand'=>'Multi-expand','Display this accordion as open on page load.'=>'Pokaż ten zwijany panel jako otwarty po załadowaniu strony.','Open'=>'Otwórz','Accordion'=>'Zwijany panel','Restrict which files can be uploaded'=>'Określ jakie pliki mogą być przesyłane','File ID'=>'Identyfikator pliku','File URL'=>'Adres URL pliku','File Array'=>'Tablica pliku','Add File'=>'Dodaj plik','No file selected'=>'Nie wybrano pliku','File name'=>'Nazwa pliku','Update File'=>'Aktualizuj plik','Edit File'=>'Edytuj plik','Select File'=>'Wybierz plik','File'=>'Plik','Password'=>'Hasło','Specify the value returned'=>'Określ zwracaną wartość','Use AJAX to lazy load choices?'=>'Używaj AJAX do wczytywania wyborów?','Enter each default value on a new line'=>'Wpisz każdą domyślną wartość w osobnej linii','verbSelect'=>'Wybierz','Select2 JS load_failLoading failed'=>'Wczytywanie zakończone niepowodzeniem','Select2 JS searchingSearching…'=>'Szukam…','Select2 JS load_moreLoading more results…'=>'Wczytuję więcej wyników…','Select2 JS selection_too_long_nYou can only select %d items'=>'Możesz wybrać tylko %d elementy(-tów)','Select2 JS selection_too_long_1You can only select 1 item'=>'Możesz wybrać tylko 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Proszę usunąć %d znaki(-ów)','Select2 JS input_too_long_1Please delete 1 character'=>'Proszę usunąć 1 znak','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Wpisz %d lub więcej znaków','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Wpisz 1 lub więcej znaków','Select2 JS matches_0No matches found'=>'Brak pasujących wyników','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Dostępnych wyników: %d. Użyj strzałek w górę i w dół, aby nawigować.','Select2 JS matches_1One result is available, press enter to select it.'=>'Dostępny jest jeden wynik. Aby go wybrać, naciśnij Enter.','nounSelect'=>'Lista wyboru','User ID'=>'Identyfikator użytkownika','User Object'=>'Obiekt użytkownika','User Array'=>'Tablica użytkownika','All user roles'=>'Wszystkie role użytkownika','Filter by Role'=>'Filtruj wg roli','User'=>'Użytkownik','Separator'=>'Separator','Select Color'=>'Wybierz kolor','Default'=>'Domyślne','Clear'=>'Wyczyść','Color Picker'=>'Wybór koloru','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Wybierz','Date Time Picker JS closeTextDone'=>'Gotowe','Date Time Picker JS currentTextNow'=>'Teraz','Date Time Picker JS timezoneTextTime Zone'=>'Strefa czasowa','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunda','Date Time Picker JS millisecTextMillisecond'=>'Milisekunda','Date Time Picker JS secondTextSecond'=>'Sekunda','Date Time Picker JS minuteTextMinute'=>'Minuta','Date Time Picker JS hourTextHour'=>'Godzina','Date Time Picker JS timeTextTime'=>'Czas','Date Time Picker JS timeOnlyTitleChoose Time'=>'Określ czas','Date Time Picker'=>'Wybór daty i godziny','Endpoint'=>'Punkt końcowy','Left aligned'=>'Wyrównanie do lewej','Top aligned'=>'Wyrównanie do góry','Placement'=>'Położenie','Tab'=>'Zakładka','Value must be a valid URL'=>'Wartość musi być poprawnym adresem URL','Link URL'=>'Adres URL odnośnika','Link Array'=>'Tablica odnośnika','Opens in a new window/tab'=>'Otwiera się w nowym oknie/karcie','Select Link'=>'Wybierz odnośnik','Link'=>'Odnośnik','Email'=>'E-mail','Step Size'=>'Wielkość kroku','Maximum Value'=>'Wartość maksymalna','Minimum Value'=>'Wartość minimalna','Range'=>'Zakres','Both (Array)'=>'Oba (tablica)','Label'=>'Etykieta','Value'=>'Wartość','Vertical'=>'Pionowy','Horizontal'=>'Poziomy','red : Red'=>'czerwony : Czerwony','For more control, you may specify both a value and label like this:'=>'Aby uzyskać większą kontrolę, można określić wartość i etykietę w niniejszy sposób:','Enter each choice on a new line.'=>'Wpisz każdy z wyborów w osobnej linii.','Choices'=>'Wybory','Button Group'=>'Grupa przycisków','Allow Null'=>'Zezwól na pusty','Parent'=>'Element nadrzędny','TinyMCE will not be initialized until field is clicked'=>'TinyMCE nie zostanie zainicjowany, dopóki to pole nie zostanie kliknięte','Delay Initialization'=>'Opóźnij inicjowanie','Show Media Upload Buttons'=>'Pokaż przycisk dodawania mediów','Toolbar'=>'Pasek narzędzi','Text Only'=>'Tylko tekstowa','Visual Only'=>'Tylko wizualna','Visual & Text'=>'Wizualna i tekstowa','Tabs'=>'Zakładki','Click to initialize TinyMCE'=>'Kliknij, aby zainicjować TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Tekstowy','Visual'=>'Wizualny','Value must not exceed %d characters'=>'Wartość nie może przekraczać %d znaków','Leave blank for no limit'=>'Pozostaw puste w przypadku braku limitu','Character Limit'=>'Limit znaków','Appears after the input'=>'Pojawia się za polem','Append'=>'Za polem (sufiks)','Appears before the input'=>'Pojawia się przed polem','Prepend'=>'Przed polem (prefiks)','Appears within the input'=>'Pojawia się w polu','Placeholder Text'=>'Placeholder (tekst zastępczy)','Appears when creating a new post'=>'Wyświetlana podczas tworzenia nowego wpisu','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s wymaga co najmniej %2$s wyboru' . "\0" . '%1$s wymaga co najmniej %2$s wyborów' . "\0" . '%1$s wymaga co najmniej %2$s wyborów','Post ID'=>'Identyfikator wpisu','Post Object'=>'Obiekt wpisu','Maximum Posts'=>'Maksimum wpisów','Minimum Posts'=>'Minimum wpisów','Featured Image'=>'Obrazek wyróżniający','Selected elements will be displayed in each result'=>'Wybrane elementy będą wyświetlone przy każdym wyniku','Elements'=>'Elementy','Taxonomy'=>'Taksonomia','Post Type'=>'Typ treści','Filters'=>'Filtry','All taxonomies'=>'Wszystkie taksonomie','Filter by Taxonomy'=>'Filtruj wg taksonomii','All post types'=>'Wszystkie typy treści','Filter by Post Type'=>'Filtruj wg typu treści','Search...'=>'Wyszukiwanie…','Select taxonomy'=>'Wybierz taksonomię','Select post type'=>'Wybierz typ treści','No matches found'=>'Brak pasujących wyników','Loading'=>'Wczytywanie','Maximum values reached ( {max} values )'=>'Maksymalna liczba wartości została przekroczona ( {max} wartości )','Relationship'=>'Relacja','Comma separated list. Leave blank for all types'=>'Lista oddzielona przecinkami. Pozostaw puste dla wszystkich typów','Allowed File Types'=>'Dozwolone typy plików','Maximum'=>'Maksimum','File size'=>'Wielkość pliku','Restrict which images can be uploaded'=>'Określ jakie obrazy mogą być przesyłane','Minimum'=>'Minimum','Uploaded to post'=>'Wgrane do wpisu','All'=>'Wszystkie','Limit the media library choice'=>'Ogranicz wybór do biblioteki mediów','Library'=>'Biblioteka','Preview Size'=>'Rozmiar podglądu','Image ID'=>'Identyfikator obrazka','Image URL'=>'Adres URL obrazka','Image Array'=>'Tablica obrazków','Specify the returned value on front end'=>'Określ wartość zwracaną w witrynie','Return Value'=>'Zwracana wartość','Add Image'=>'Dodaj obrazek','No image selected'=>'Nie wybrano obrazka','Remove'=>'Usuń','Edit'=>'Edytuj','All images'=>'Wszystkie obrazki','Update Image'=>'Aktualizuj obrazek','Edit Image'=>'Edytuj obrazek','Select Image'=>'Wybierz obrazek','Image'=>'Obrazek','Allow HTML markup to display as visible text instead of rendering'=>'Zezwól aby znaczniki HTML były wyświetlane jako widoczny tekst, a nie renderowane','Escape HTML'=>'Dodawaj znaki ucieczki do HTML (escape HTML)','No Formatting'=>'Brak formatowania','Automatically add <br>'=>'Automatycznie dodaj <br>','Automatically add paragraphs'=>'Automatycznie twórz akapity','Controls how new lines are rendered'=>'Kontroluje jak są renderowane nowe linie','New Lines'=>'Nowe linie','Week Starts On'=>'Pierwszy dzień tygodnia','The format used when saving a value'=>'Format używany podczas zapisywania wartości','Save Format'=>'Zapisz format','Date Picker JS weekHeaderWk'=>'Tydz','Date Picker JS prevTextPrev'=>'Wstecz','Date Picker JS nextTextNext'=>'Dalej','Date Picker JS currentTextToday'=>'Dzisiaj','Date Picker JS closeTextDone'=>'Gotowe','Date Picker'=>'Wybór daty','Width'=>'Szerokość','Embed Size'=>'Rozmiar osadzenia','Enter URL'=>'Wpisz adres URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst wyświetlany, gdy jest wyłączone','Off Text'=>'Tekst, gdy wyłączone','Text shown when active'=>'Tekst wyświetlany, gdy jest włączone','On Text'=>'Tekst, gdy włączone','Stylized UI'=>'Ostylowany interfejs użytkownika','Default Value'=>'Wartość domyślna','Displays text alongside the checkbox'=>'Wyświetla tekst obok pola','Message'=>'Wiadomość','No'=>'Nie','Yes'=>'Tak','True / False'=>'Prawda / Fałsz','Row'=>'Wiersz','Table'=>'Tabela','Block'=>'Blok','Specify the style used to render the selected fields'=>'Określ style stosowane to renderowania wybranych pól','Layout'=>'Układ','Sub Fields'=>'Pola podrzędne','Group'=>'Grupa','Customize the map height'=>'Dostosuj wysokość mapy','Height'=>'Wysokość','Set the initial zoom level'=>'Ustaw początkowe powiększenie','Zoom'=>'Powiększenie','Center the initial map'=>'Wyśrodkuj początkową mapę','Center'=>'Wyśrodkowanie','Search for address...'=>'Szukaj adresu…','Find current location'=>'Znajdź aktualną lokalizację','Clear location'=>'Wyczyść lokalizację','Search'=>'Szukaj','Sorry, this browser does not support geolocation'=>'Przepraszamy, ta przeglądarka nie obsługuje geolokalizacji','Google Map'=>'Mapa Google','The format returned via template functions'=>'Wartość zwracana przez funkcje w szablonie','Return Format'=>'Zwracany format','Custom:'=>'Własny:','The format displayed when editing a post'=>'Format wyświetlany przy edycji wpisu','Display Format'=>'Format wyświetlania','Time Picker'=>'Wybór godziny','Inactive (%s)'=>'Wyłączone (%s)' . "\0" . 'Wyłączone (%s)' . "\0" . 'Wyłączone (%s)','No Fields found in Trash'=>'Nie znaleziono żadnych pól w koszu','No Fields found'=>'Nie znaleziono żadnych pól','Search Fields'=>'Szukaj pól','View Field'=>'Zobacz pole','New Field'=>'Nowe pole','Edit Field'=>'Edytuj pole','Add New Field'=>'Dodaj nowe pole','Field'=>'Pole','Fields'=>'Pola','No Field Groups found in Trash'=>'Nie znaleziono żadnych grup pól w koszu','No Field Groups found'=>'Nie znaleziono żadnych grup pól','Search Field Groups'=>'Szukaj grup pól','View Field Group'=>'Zobacz grupę pól','New Field Group'=>'Nowa grupa pól','Edit Field Group'=>'Edytuj grupę pól','Add New Field Group'=>'Dodaj nową grupę pól','Add New'=>'Dodaj','Field Group'=>'Grupa pól','Field Groups'=>'Grupy pól','Customize WordPress with powerful, professional and intuitive fields.'=>'Dostosuj WordPressa za pomocą wszechstronnych, profesjonalnych i intuicyjnych pól.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Nazwa typu bloku jest wymagana.','Block type "%s" is already registered.'=>'Typ bloku "%s" jest już zarejestrowany.','Switch to Edit'=>'Przejdź do Edytuj','Switch to Preview'=>'Przejdź do Podglądu','Change content alignment'=>'Zmień wyrównanie treści','%s settings'=>'Ustawienia %s','This block contains no editable fields.'=>'Ten blok nie zawiera żadnych edytowalnych pól.','Assign a field group to add fields to this block.'=>'Przypisz grupę pól, aby dodać pola do tego bloku.','Options Updated'=>'Ustawienia zostały zaktualizowane','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Aby włączyć aktualizacje, należy wprowadzić klucz licencyjny na stronie Aktualizacje. Jeśli nie posiadasz klucza licencyjnego, zapoznaj się z informacjami szczegółowymi i cenami.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Błąd aktywacji ACF. Zdefiniowany przez Państwa klucz licencyjny uległ zmianie, ale podczas dezaktywacji starej licencji wystąpił błąd','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Błąd aktywacji ACF. Twój zdefiniowany klucz licencyjny uległ zmianie, ale wystąpił błąd podczas łączenia się z serwerem aktywacyjnym','ACF Activation Error'=>'ACF Błąd aktywacji','ACF Activation Error. An error occurred when connecting to activation server'=>'Błąd aktywacji ACF. Wystąpił błąd podczas łączenia się z serwerem aktywacyjnym','Check Again'=>'Sprawdź ponownie','ACF Activation Error. Could not connect to activation server'=>'Błąd aktywacji ACF. Nie można połączyć się z serwerem aktywacyjnym','Publish'=>'Opublikuj','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Żadna grupa pól nie została dodana do tej strony opcji. Utwórz grupę własnych pól','Error. Could not connect to update server'=>'Błąd. Nie można połączyć z serwerem aktualizacji','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. Nie można uwierzytelnić pakietu aktualizacyjnego. Proszę sprawdzić ponownie lub dezaktywować i ponownie uaktywnić licencję ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Błąd. Twoja licencja dla tej strony wygasła lub została dezaktywowana. Proszę ponownie aktywować licencję ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Umożliwia wybranie i wyświetlenie istniejących pól. Nie duplikuje żadnych pól w bazie danych, ale ładuje i wyświetla wybrane pola w czasie wykonywania. Pole Klonuj może zastąpić się wybranymi polami lub wyświetlić wybrane pola jako grupę podpól.','Select one or more fields you wish to clone'=>'Wybierz jedno lub więcej pól które chcesz sklonować','Display'=>'Wyświetl','Specify the style used to render the clone field'=>'Określ styl wykorzystywany do stosowania w klonowanych polach','Group (displays selected fields in a group within this field)'=>'Grupuj (wyświetla wybrane pola w grupie)','Seamless (replaces this field with selected fields)'=>'Ujednolicenie (zastępuje to pole wybranymi polami)','Labels will be displayed as %s'=>'Etykiety będą wyświetlane jako %s','Prefix Field Labels'=>'Prefiks Etykiet Pól','Values will be saved as %s'=>'Wartości będą zapisane jako %s','Prefix Field Names'=>'Prefiks Nazw Pól','Unknown field'=>'Nieznane pole','Unknown field group'=>'Nieznana grupa pól','All fields from %s field group'=>'Wszystkie pola z grupy pola %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Umożliwia definiowanie, tworzenie i zarządzanie treścią z pełną kontrolą poprzez tworzenie układów zawierających podpola, które edytorzy treści mogą wybierać.','Add Row'=>'Dodaj wiersz','layout'=>'układ' . "\0" . 'układy' . "\0" . 'układów','layouts'=>'układy','This field requires at least {min} {label} {identifier}'=>'To pole wymaga przynajmniej {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'To pole ma ograniczenie {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostępne (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} wymagane (min {min})','Flexible Content requires at least 1 layout'=>'Elastyczne pole wymaga przynajmniej 1 układu','Click the "%s" button below to start creating your layout'=>'Kliknij przycisk "%s" poniżej, aby zacząć tworzyć nowy układ','Add layout'=>'Dodaj układ','Duplicate layout'=>'Powiel układ','Remove layout'=>'Usuń układ','Click to toggle'=>'Kliknij, aby przełączyć','Delete Layout'=>'Usuń układ','Duplicate Layout'=>'Duplikuj układ','Add New Layout'=>'Dodaj nowy układ','Add Layout'=>'Dodaj układ','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimalna liczba układów','Maximum Layouts'=>'Maksymalna liczba układów','Button Label'=>'Etykieta przycisku','%s must be of type array or null.'=>'%s musi być typu tablicy lub null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s musi zawierać co najmniej %2$s %3$s układ.' . "\0" . '%1$s musi zawierać co najmniej %2$s %3$s układy.' . "\0" . '%1$s musi zawierać co najmniej %2$s %3$s układów.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s musi zawierać co najwyżej %2$s %3$s układ.' . "\0" . '%1$s musi zawierać co najwyżej %2$s %3$s układy.' . "\0" . '%1$s musi zawierać co najwyżej %2$s %3$s układów.','An interactive interface for managing a collection of attachments, such as images.'=>'Interaktywny interfejs do zarządzania kolekcją załączników, takich jak obrazy.','Add Image to Gallery'=>'Dodaj obraz do galerii','Maximum selection reached'=>'Maksimum ilości wyborów osiągnięte','Length'=>'Długość','Caption'=>'Etykieta','Alt Text'=>'Tekst alternatywny','Add to gallery'=>'Dodaj do galerii','Bulk actions'=>'Działania na wielu','Sort by date uploaded'=>'Sortuj po dacie przesłania','Sort by date modified'=>'Sortuj po dacie modyfikacji','Sort by title'=>'Sortuj po tytule','Reverse current order'=>'Odwróć aktualną kolejność','Close'=>'Zamknij','Minimum Selection'=>'Minimalna liczba wybranych elementów','Maximum Selection'=>'Maksymalna liczba wybranych elementów','Allowed file types'=>'Dozwolone typy plików','Insert'=>'Wstaw','Specify where new attachments are added'=>'Określ gdzie są dodawane nowe załączniki','Append to the end'=>'Dodaj na końcu','Prepend to the beginning'=>'Dodaj do początku','Minimum rows not reached ({min} rows)'=>'Nie osiągnięto minimalnej liczby wierszy ({min} wierszy)','Maximum rows reached ({max} rows)'=>'Osiągnięto maksimum liczby wierszy ( {max} wierszy )','Error loading page'=>'Błąd ładowania strony','Order will be assigned upon save'=>'Kolejność zostanie przydzielona po zapisaniu','Useful for fields with a large number of rows.'=>'Przydatne dla pól z dużą liczbą wierszy.','Rows Per Page'=>'Wiersze na stronę','Set the number of rows to be displayed on a page.'=>'Ustawienie liczby wierszy, które mają być wyświetlane na stronie.','Minimum Rows'=>'Minimalna liczba wierszy','Maximum Rows'=>'Maksymalna liczba wierszy','Collapsed'=>'Zwinięty','Select a sub field to show when row is collapsed'=>'Wybierz pole podrzędne, które mają być pokazane kiedy wiersz jest zwinięty','Invalid field key or name.'=>'Nieprawidłowy klucz lub nazwa pola.','There was an error retrieving the field.'=>'Wystąpił błąd przy pobieraniu pola.','Click to reorder'=>'Kliknij, aby zmienić kolejność','Add row'=>'Dodaj wiersz','Duplicate row'=>'Powiel wiersz','Remove row'=>'Usuń wiersz','Current Page'=>'Bieżąca strona','First Page'=>'Pierwsza strona','Previous Page'=>'Poprzednia strona','paging%1$s of %2$s'=>'%1$s z %2$s','Next Page'=>'Następna strona','Last Page'=>'Ostatnia strona','No block types exist'=>'Nie istnieją żadne typy bloków','No options pages exist'=>'Strona opcji nie istnieje','Deactivate License'=>'Deaktywuj licencję','Activate License'=>'Aktywuj licencję','License Information'=>'Informacje o licencji','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Żeby odblokować aktualizacje proszę podać swój klucz licencyjny poniżej. Jeśli nie posiadasz klucza prosimy zapoznać się ze szczegółami i cennikiem.','License Key'=>'Klucz licencyjny','Your license key is defined in wp-config.php.'=>'Twój klucz licencyjny jest zdefiniowany w pliku wp-config.php.','Retry Activation'=>'Ponów próbę aktywacji','Update Information'=>'Informacje o aktualizacji','Current Version'=>'Zainstalowana wersja','Latest Version'=>'Najnowsza wersja','Update Available'=>'Dostępna aktualizacja','Upgrade Notice'=>'Informacje o aktualizacji','Check For Updates'=>'Sprawdź dostępność aktualizacji','Enter your license key to unlock updates'=>'Wprowadź klucz licencyjny, aby odblokować aktualizacje','Update Plugin'=>'Aktualizuj wtyczkę','Please reactivate your license to unlock updates'=>'Proszę wpisać swój klucz licencyjny powyżej aby odblokować aktualizacje']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'Domyślnie tylko administratorzy mogą edytować to ustawienie.','By default only super admin users can edit this setting.'=>'Domyślnie tylko superadministratorzy mogą edytować to ustawienie.','Close and Add Field'=>'Zamknij i dodaj pole','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Dowiedz się więcej.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'Ikonka biznesmena','Forums Icon'=>'','YouTube Icon'=>'Ikonka YouTube','Yes (alt) Icon'=>'','Xing Icon'=>'Ikonka Xing','WordPress (alt) Icon'=>'Ikonka WordPress (alt)','WhatsApp Icon'=>'Ikonka WhatsApp','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'Ikonka Twitch','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'Ikonka superbohatera','Spotify Icon'=>'Ikonka Spotify','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'Ikonka RSS','REST API Icon'=>'Ikonka REST API','Remove Icon'=>'','Reddit Icon'=>'Ikonka Reddit','Privacy Icon'=>'','Printer Icon'=>'Ikonka drukarki','Podio Icon'=>'Ikonka Podio','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'Ikonka Pinterest','Pets Icon'=>'','PDF Icon'=>'Ikonka PDF','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'Ikonka LinkedIn','Instagram Icon'=>'Ikonka Instagramu','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'Ikonka Google','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'Ikonka BuddyPress','bbPress Icon'=>'Ikonka bbPress','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'Nieprawidłowe argumenty żądania.','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'Logo ACF PRO','ACF PRO Logo'=>'Logo ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s wymaga poprawnego identyfikatora załącznika, gdy rodzaj jest ustawiony na „media_library”.','%s is a required property of acf.'=>'%s jest wymaganą właściwością dla ACF.','The value of icon to save.'=>'Wartość ikonki do zapisania.','The type of icon to save.'=>'Rodzaj ikonki do zapisania.','Yes Icon'=>'','WordPress Icon'=>'Ikonka WordPress','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'Ikonka Twitter','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'Tablica','String'=>'Ciąg znaków','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'Przeglądaj bibliotekę mediów','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'Szukaj ikonek...','Media Library'=>'Multimedia','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Wybór ikonki','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'Format REST API','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'Wtyczki włączone','Parent Theme'=>'Motyw nadrzędny','Active Theme'=>'Włączony motyw','Is Multisite'=>'','MySQL Version'=>'Wersja MySQL','WordPress Version'=>'Wersja WordPressa','Subscription Expiry Date'=>'Data wygaśnięcia subskrypcji','License Status'=>'Status licencji','License Type'=>'Rodzaj licencji','Licensed URL'=>'Adres URL licencji','License Activated'=>'Licencja została aktywowana','Free'=>'Darmowy','Plugin Type'=>'Rodzaj wtyczki','Plugin Version'=>'Wersja wtyczki','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'Odrzuć na zawsze','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'Pola ACF','ACF PRO Feature'=>'Funkcja ACF PRO','Renew PRO to Unlock'=>'Odnów PRO, aby odblokować','Renew PRO License'=>'Odnów licencję PRO','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'Dowiedz się więcej','Hide details'=>'Ukryj szczegóły','Show details'=>'Pokaż szczegóły','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - wyświetlane przez %3$s','Renew ACF PRO License'=>'Odnów licencję ACF PRO','Renew License'=>'Odnów licencję','Manage License'=>'Zarządzaj licencją','\'High\' position not supported in the Block Editor'=>'Pozycja „Wysoka” nie jest obsługiwana w edytorze blokowym.','Upgrade to ACF PRO'=>'Kup ACF-a PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Strony opcji ACF-a to własne strony administracyjne umożliwiające zarządzanie globalnymi ustawieniami za pomocą pól. Można tworzyć wiele stron i podstron.','Add Options Page'=>'Dodaj stronę opcji','In the editor used as the placeholder of the title.'=>'W edytorze, używane jako tekst zastępczy tytułu.','Title Placeholder'=>'Placeholder (tekst zastępczy) tytułu','4 Months Free'=>'4 miesiące za darmo','(Duplicated from %s)'=>'(zduplikowane z %s)','Select Options Pages'=>'Wybierz strony opcji','Duplicate taxonomy'=>'Duplikuj taksonomię','Create taxonomy'=>'Utwórz taksonomię','Duplicate post type'=>'Duplikuj typ treści','Create post type'=>'Utwórz typ treści','Link field groups'=>'Powiąż grupy pól','Add fields'=>'Dodaj pola','This Field'=>'To pole','ACF PRO'=>'ACF PRO','Feedback'=>'Uwagi','Support'=>'Pomoc techniczna','is developed and maintained by'=>'jest rozwijany i utrzymywany przez','Add this %s to the location rules of the selected field groups.'=>'Dodaj ten element (%s) do reguł lokalizacji wybranych grup pól.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Włączenie opcji dwukierunkowości pozwala na aktualizowanie wartości pól docelowych w każdym elemencie wybranym w tym polu, dodając lub usuwając identyfikator aktualizowanego wpisu, terminu taksonomii lub użytkownika. Aby uzyskać więcej informacji przeczytaj dokumentację.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Wybierz pole(-a), gdzie zapisywać odwołanie do aktualizowanego elementu. Możesz wybrać to pole. Pola docelowe muszą być zgodne z miejscem wyświetlania tego pola. Przykładowo, jeśli to pole jest wyświetlane w terminie taksonomii, pole docelowe musi mieć rodzaj Taksonomia.','Target Field'=>'Pole docelowe','Update a field on the selected values, referencing back to this ID'=>'Zaktualizuj pole w wybranych elementach, odwołując się do tego identyfikatora','Bidirectional'=>'Dwukierunkowe','%s Field'=>'Pole „%s”','Select Multiple'=>'Wielokrotny wybór','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Tylko małe litery, myślniki i podkreślniki. Maksymalnie 32 znaki.','The capability name for assigning terms of this taxonomy.'=>'Nazwa uprawnienia do przypisywania terminów tej taksonomii.','Assign Terms Capability'=>'Uprawnienie do przypisywania terminów','The capability name for deleting terms of this taxonomy.'=>'Nazwa uprawnienia do usuwania terminów tej taksonomii.','Delete Terms Capability'=>'Uprawnienie do usuwania terminów','The capability name for editing terms of this taxonomy.'=>'Nazwa uprawnienia do edytowania terminów tej taksonomii.','Edit Terms Capability'=>'Uprawnienie do edytowania terminów','The capability name for managing terms of this taxonomy.'=>'Nazwa uprawnienia do zarządzania terminami tej taksonomii.','Manage Terms Capability'=>'Uprawnienie do zarządzania terminami','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Określa czy wpisy powinny być wykluczone z wyników wyszukiwania oraz stron archiwów taksonomii.','More Tools from WP Engine'=>'Więcej narzędzi od WP Engine','Built for those that build with WordPress, by the team at %s'=>'Stworzone dla tych, których tworzą przy pomocy WordPressa, przez zespół %s','View Pricing & Upgrade'=>'Zobacz cennik i kup PRO','Learn More'=>'Dowiedz się więcej','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Przyśpiesz swoją pracę i twórz lepsze witryny przy pomocy funkcji takich jak bloki ACF-a i strony opcji oraz wyrafinowanych rodzajów pól takich jak pole powtarzalne, elastyczna treść, klon, czy galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Odblokuj zaawansowane funkcje i zbuduj więcej przy pomocy ACF-a PRO','%s fields'=>'Pola „%s”','No terms'=>'Brak terminów','No post types'=>'Brak typów treści','No posts'=>'Brak wpisów','No taxonomies'=>'Brak taksonomii','No field groups'=>'Brak grup pól','No fields'=>'Brak pól','No description'=>'Brak opisu','Any post status'=>'Dowolny status wpisu','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Ten klucz taksonomii jest już używany przez inną taksonomię zarejestrowaną poza ACF-em i nie może zostać użyty.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Ten klucz taksonomii jest już używany przez inną taksonomię w ACF-ie i nie może zostać użyty.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klucz taksonomii może zawierać wyłącznie małe litery, cyfry, myślniki i podkreślniki.','The taxonomy key must be under 32 characters.'=>'Klucz taksonomii musi mieć mniej niż 32 znaków.','No Taxonomies found in Trash'=>'Nie znaleziono żadnych taksonomii w koszu','No Taxonomies found'=>'Nie znaleziono żadnych taksonomii','Search Taxonomies'=>'Szukaj taksonomii','View Taxonomy'=>'Zobacz taksonomię','New Taxonomy'=>'Nowa taksonomia','Edit Taxonomy'=>'Edytuj taksonomię','Add New Taxonomy'=>'Utwórz taksonomię','No Post Types found in Trash'=>'Nie znaleziono żadnych typów treści w koszu','No Post Types found'=>'Nie znaleziono żadnych typów treści','Search Post Types'=>'Szukaj typów treści','View Post Type'=>'Zobacz typ treści','New Post Type'=>'Nowy typ treści','Edit Post Type'=>'Edytuj typ treści','Add New Post Type'=>'Utwórz typ treści','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Ten klucz typu treści jest już używany przez inny typ treści zarejestrowany poza ACF-em i nie może zostać użyty.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Ten klucz typu treści jest już używany przez inny typ treści w ACF-ie i nie może zostać użyty.','This field must not be a WordPress reserved term.'=>'Pole nie może być terminem zastrzeżonym przez WordPressa.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Klucz typu treści może zawierać wyłącznie małe litery, cyfry, myślniki i podkreślniki.','The post type key must be under 20 characters.'=>'Klucz typu treści musi mieć mniej niż 20 znaków.','We do not recommend using this field in ACF Blocks.'=>'Nie zalecamy używania tego pola w blokach ACF-a.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Wyświetla edytor WYSIWYG WordPressa, taki jak we wpisach czy stronach, który pozwala na formatowanie tekstu oraz użycie treści multimedialnych.','WYSIWYG Editor'=>'Edytor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Pozwala na wybór jednego lub kliku użytkowników do tworzenia relacji między obiektami danych.','A text input specifically designed for storing web addresses.'=>'Pole tekstowe przeznaczone do przechowywania adresów URL.','URL'=>'Adres URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Przełącznik pozwalający na wybranie wartości 1 lub 0 (włączone lub wyłączone, prawda lub fałsz, itp.). Może być wyświetlany jako ostylowany przełącznik lub pole zaznaczenia.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania godziny. Zwracany format czasu można dostosować przy użyciu ustawień pola.','A basic textarea input for storing paragraphs of text.'=>'Prosty obszar tekstowy do przechowywania akapitów tekstu.','A basic text input, useful for storing single string values.'=>'Proste pole tekstowe, przydatne do przechowywania wartości pojedynczych ciągów.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Pozwala na wybór jednego lub kliku terminów taksonomii w oparciu o kryteria i opcje określone w ustawieniach pola.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Pozwala na grupowanie pól w zakładkach na ekranie edycji. Przydatne do utrzymywania porządku i struktury pól.','A dropdown list with a selection of choices that you specify.'=>'Lista rozwijana z wyborem określonych opcji.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Interfejs dwukolumnowy do wybierania jednego lub kilku wpisów, stron lub elementów własnych typów treści, aby stworzyć relację z obecnie edytowanym elementem. Posiada wyszukiwarkę i filtrowanie.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Pole do wybierania wartości liczbowej z określonego zakresu za pomocą suwaka.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Grupa pól wyboru pozwalająca użytkownikowi na wybór jednej spośród określonych wartości.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Interaktywny i konfigurowalny interfejs użytkownika do wybierania jednego lub kilku wpisów, stron, elementów typów treści. Posiada wyszukiwarkę. ','An input for providing a password using a masked field.'=>'Maskowane pole do wpisywania hasła.','Filter by Post Status'=>'Filtruj wg statusu wpisu','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Interaktywna lista rozwijana do wybierania jednego lub kilku wpisów, stron, elementów własnych typów treści lub adresów URL archiwów. Posiada wyszukiwarkę.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Interaktywny element do osadzania filmów, obrazków, tweetów, audio i innych treści przy użyciu natywnej funkcji oEmbed WordPressa.','An input limited to numerical values.'=>'Pole ograniczone do wartości liczbowych.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Używane do wyświetlania wiadomości dla redaktorów obok innych pól. Przydatne do przekazywania dodatkowego kontekstu lub instrukcji dotyczących pól.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Pozwala na określenie odnośnika i jego właściwości, takich jak tytuł czy cel, przy użyciu natywnego wyboru odnośników WordPressa.','Uses the native WordPress media picker to upload, or choose images.'=>'Używa natywnego wyboru mediów WordPressa do przesyłania lub wyboru obrazków.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Zapewnia sposób na uporządkowanie pól w grupy w celu lepszej organizacji danych i ekranu edycji.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Interaktywny interfejs użytkownika do wybierania lokalizacji przy użyciu Map Google. Do poprawnego wyświetlania wymagany jest klucz API Google Maps oraz dodatkowa konfiguracja.','Uses the native WordPress media picker to upload, or choose files.'=>'Używa natywnego wyboru mediów WordPressa do przesyłania lub wyboru plików.','A text input specifically designed for storing email addresses.'=>'Pole tekstowe przeznaczone do przechowywania adresów e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania daty i godziny. Zwracany format daty można dostosować przy użyciu ustawień pola.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Interaktywny interfejs użytkownika do wybierania daty. Zwracany format daty można dostosować przy użyciu ustawień pola.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Interaktywny interfejs użytkownika do wybierania koloru lub określenia wartości Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Grupa pól zaznaczenia, która pozwala użytkownikowi na wybranie jednej lub kilku określonych wartości.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Grupa przycisków z określonymi wartościami, z których użytkownik może wybrać jedną opcję.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Pozwala na grupowanie i organizowanie własnych pól w zwijanych panelach wyświetlanych podczas edytowania treści. Przydatne do utrzymywania porządku przy dużej ilości danych.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Zapewnie rozwiązanie dla powtarzalnych treści, takich jak slajdy, członkowie zespołu, czy kafelki. Działa jak element nadrzędny dla zestawu podpól, który może być powtarzany wiele razy.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Zapewnia interaktywny interfejs do zarządzania zbiorem załączników. Większość opcji jest podobna do rodzaju pola Obrazek. Dodatkowe opcje pozwalają na określenie miejsca w galerii w którym nowe załączniki są dodawane oraz minimalną i maksymalną liczbę dozwolonych załączników.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Zapewnia prosty, uporządkowany edytor oparty na układach. Pole elastycznej treści pozwala na pełną kontrolę nad definiowaniem, tworzeniem i zarządzaniem treścią przy użyciu układów i podpól w celu zaprojektowania dostępnych bloków.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Pozwala na wybór i wyświetlanie istniejących pól. Zamiast powielania pól w bazie danych, wczytuje i wyświetla wybrane pola w trakcie wykonywania kodu strony. Pole klona może być zastąpione przez wybrane pola lub wyświetlać wybrane pola jak grupa podpól.','nounClone'=>'Klon','PRO'=>'PRO','Advanced'=>'Zaawansowane','JSON (newer)'=>'JSON (nowszy)','Original'=>'Oryginalny','Invalid post ID.'=>'Nieprawidłowy identyfikator wpisu.','Invalid post type selected for review.'=>'Wybrano nieprawidłowy typ treści do porównania.','More'=>'Więcej','Tutorial'=>'Poradnik','Select Field'=>'Wybierz pole','Try a different search term or browse %s'=>'Spróbuj innej frazy lub przejrzyj %s','Popular fields'=>'Popularne pola','No search results for \'%s\''=>'Brak wyników wyszukiwania dla „%s”','Search fields...'=>'Szukaj pól…','Select Field Type'=>'Wybierz rodzaj pola','Popular'=>'Popularne','Add Taxonomy'=>'Dodaj taksonomię','Create custom taxonomies to classify post type content'=>'Twórz własne taksonomie, aby klasyfikować typy treści','Add Your First Taxonomy'=>'Dodaj swoją pierwszą taksonomię','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarchiczne taksonomie mogą posiadać elementy potomne (jak kategorie).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Powoduje, że taksonomia jest widoczna w witrynie oraz w kokpicie administratora.','One or many post types that can be classified with this taxonomy.'=>'Jeden lub klika typów wpisów, które będą klasyfikowane za pomocą tej taksonomii.','genre'=>'gatunek','Genre'=>'Gatunek','Genres'=>'Gatunki','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Opcjonalny własny kontroler do użycia zamiast `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Pokaż ten typ treści w REST API.','Customize the query variable name'=>'Dostosuj nazwę zmiennej zapytania','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terminy są dostępne za pomocą nieprzyjaznych bezpośrednich odnośników, np. {zmienna_zapytania}={uproszczona_nazwa_terminu}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Terminy nadrzędne i potomne w adresach URL dla hierarchicznych taksonomii.','Customize the slug used in the URL'=>'Dostosuj uproszczoną nazwę używaną w adresie URL','Permalinks for this taxonomy are disabled.'=>'Bezpośrednie odnośniki tej taksonomii są wyłączone.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Przepisuj adres URL używając klucza taksonomii jako uproszczonej nazwy. Struktura bezpośrednich odnośników będzie następująca','Taxonomy Key'=>'Klucz taksonomii','Select the type of permalink to use for this taxonomy.'=>'Wybierz rodzaj bezpośredniego odnośnika używanego dla tego taksonomii.','Display a column for the taxonomy on post type listing screens.'=>'Wyświetl kolumnę taksonomii na ekranach list typów treści.','Show Admin Column'=>'Pokaż kolumnę administratora','Show the taxonomy in the quick/bulk edit panel.'=>'Pokaż taksonomię w panelu szybkiej/masowej edycji.','Quick Edit'=>'Szybka edycja','List the taxonomy in the Tag Cloud Widget controls.'=>'Pokaż taksonomię w ustawieniach widżetu Chmury tagów.','Tag Cloud'=>'Chmura tagów','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Nazwa funkcji PHP, która będzie wzywana do oczyszczania danych taksonomii z metaboksa.','Meta Box Sanitization Callback'=>'Funkcja zwrotna oczyszczania metaboksa','Register Meta Box Callback'=>'Funkcja zwrotna rejestrowania metaboksa','No Meta Box'=>'Brak metaboksa','Custom Meta Box'=>'Własny metaboks','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Kontroluje metaboks na ekranie edytora treści. Domyślnie metaboks Kategorii jest wyświetlany dla hierarchicznych taksonomii, a metaboks Tagów dla taksonomii niehierarchicznych.','Meta Box'=>'Metaboks','Categories Meta Box'=>'Metaboks kategorii','Tags Meta Box'=>'Metaboks tagów','A link to a tag'=>'Dodaj odnośnik do tagu','Describes a navigation link block variation used in the block editor.'=>'Opisuje wersję bloku odnośnika używanego w edytorze blokowym.','A link to a %s'=>'Odnośnik do „%s”','Tag Link'=>'Odnośnik tagu','Assigns a title for navigation link block variation used in the block editor.'=>'Przypisuje tytuł wersji bloku odnośnika używanego w edytorze blokowym.','← Go to tags'=>'← Przejdź do tagów','Assigns the text used to link back to the main index after updating a term.'=>'Przypisuje tekst używany w odnośniku powrotu do głównego indeksu po zaktualizowaniu terminu.','Back To Items'=>'Powrót do elementów','← Go to %s'=>'← Przejdź do „%s”','Tags list'=>'Lista tagów','Assigns text to the table hidden heading.'=>'Przypisuje tekst do ukrytego nagłówka tabeli.','Tags list navigation'=>'Nawigacja listy tagów','Assigns text to the table pagination hidden heading.'=>'Przypisuje tekst do ukrytego nagłówka stronicowania tabeli.','Filter by category'=>'Filtruj wg kategorii','Assigns text to the filter button in the posts lists table.'=>'Przypisuje tekst do przycisku filtrowania w tabeli listy wpisów.','Filter By Item'=>'Filtruj wg elementu','Filter by %s'=>'Filtruj wg „%s”','The description is not prominent by default; however, some themes may show it.'=>'Opis zwykle nie jest eksponowany, jednak niektóre motywy mogą go wyświetlać.','Describes the Description field on the Edit Tags screen.'=>'Opisuje pole opisu na ekranie edycji tagów.','Description Field Description'=>'Opis pola opisu','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Przypisz pojęcie nadrzędne, aby utworzyć hierarchię. Na przykład pojęcie Jazz byłoby rodzicem dla Bebop i Big Band','Describes the Parent field on the Edit Tags screen.'=>'Opisuje pole elementu nadrzędnego na ekranie edycji tagów.','Parent Field Description'=>'Opis pola nadrzędnego','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'„Uproszczona nazwa” jest przyjazną dla adresu URL wersją nazwy. Zwykle składa się wyłącznie z małych liter, cyfr i myślników.','Describes the Slug field on the Edit Tags screen.'=>'Opisuje pole uproszczonej nazwy na ekranie edycji tagów.','Slug Field Description'=>'Opis pola uproszczonej nazwy','The name is how it appears on your site'=>'Nazwa jak pojawia się w witrynie','Describes the Name field on the Edit Tags screen.'=>'Opisuje pole nazwy na ekranie edycji tagów.','Name Field Description'=>'Opis pola nazwy','No tags'=>'Brak tagów','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Przypisuje tekst wyświetlany w tabelach list wpisów i mediów gdy nie ma żadnych tagów, ani kategorii.','No Terms'=>'Brak terminów','No %s'=>'Brak „%s”','No tags found'=>'Nie znaleziono żadnych tagów','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Przypisuje tekst wyświetlany po kliknięciu „Wybierz z najczęściej używanych” w metaboksie taksonomii gdy nie ma żadnych tagów, ani kategorii oraz tekst używany w tabeli listy terminów gdy nie ma elementów z tej taksonomii.','Not Found'=>'Nie znaleziono','Assigns text to the Title field of the Most Used tab.'=>'Przypisuje tekst do pola Tytuł zakładki najczęściej używanych.','Most Used'=>'Najczęściej używane','Choose from the most used tags'=>'Wybierz z najczęściej używanych tagów','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Przypisuje tekst „Wybierz z najczęściej używanych” w metaboksie, gdy JavaScript jest wyłączony. Używane tylko w taksonomiach niehierarchicznych.','Choose From Most Used'=>'Wybierz z najczęściej używanych','Choose from the most used %s'=>'Wybierz z najczęściej używanych „%s”','Add or remove tags'=>'Dodaj lub usuń tagi','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Przypisuje tekst dot. dodawania lub usuwania elementów w metaboksie, gdy JavaScript jest wyłączony. Używane tylko w taksonomiach niehierarchicznych','Add Or Remove Items'=>'Dodaj lub usuń elementy','Add or remove %s'=>'Dodaj lub usuń %s','Separate tags with commas'=>'Oddziel tagi przecinkami','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Przypisuje tekst dot. oddzielania elementów przecinkami w metaboksie taksonomii. Używane tylko w taksonomiach niehierarchicznych.','Separate Items With Commas'=>'Oddziel elementy przecinkami','Separate %s with commas'=>'Oddziel %s przecinkami','Popular Tags'=>'Popularne tagi','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Przypisuje tekst popularnych elementów. Używane tylko w taksonomiach niehierarchicznych.','Popular Items'=>'Popularne elementy','Popular %s'=>'Popularne %s','Search Tags'=>'Szukaj tagów','Assigns search items text.'=>'Przypisuje tekst wyszukiwania elementów.','Parent Category:'=>'Kategoria nadrzędna:','Assigns parent item text, but with a colon (:) added to the end.'=>'Przypisuje tekst elementu nadrzędnego, ale z dodanym na końcu dwukropkiem (:).','Parent Item With Colon'=>'Element nadrzędny z dwukropkiem','Parent Category'=>'Kategoria nadrzędna','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Przypisuje tekst elementu nadrzędnego. Używane tylko w taksonomiach hierarchicznych.','Parent Item'=>'Element nadrzędny','Parent %s'=>'Element nadrzędny „%s”','New Tag Name'=>'Nazwa nowego tagu','Assigns the new item name text.'=>'Przypisuje tekst nazwy nowego elementu.','New Item Name'=>'Nazwa nowego elementu','New %s Name'=>'Nazwa nowego „%s”','Add New Tag'=>'Utwórz tag','Assigns the add new item text.'=>'Przypisuje tekst dodania nowego elementu.','Update Tag'=>'Aktualizuj tag','Assigns the update item text.'=>'Przypisuje tekst zaktualizowania elementu.','Update Item'=>'Aktualizuj element','Update %s'=>'Aktualizuj „%s”','View Tag'=>'Zobacz tag','In the admin bar to view term during editing.'=>'Na pasku administratora do zobaczenia terminu podczas edycji.','Edit Tag'=>'Edytuj tag','At the top of the editor screen when editing a term.'=>'Na górze ekranu edycji podczas edytowania terminu.','All Tags'=>'Wszystkie tagi','Assigns the all items text.'=>'Przypisuje tekst wszystkich elementów.','Assigns the menu name text.'=>'Przypisuje tekst nazwy menu.','Menu Label'=>'Etykieta menu','Active taxonomies are enabled and registered with WordPress.'=>'Włączone taksonomie są uruchamiane i rejestrowane razem z WordPressem.','A descriptive summary of the taxonomy.'=>'Podsumowanie opisujące taksonomię.','A descriptive summary of the term.'=>'Podsumowanie opisujące termin.','Term Description'=>'Opis terminu','Single word, no spaces. Underscores and dashes allowed.'=>'Pojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślniki.','Term Slug'=>'Uproszczona nazwa terminu','The name of the default term.'=>'Nazwa domyślnego terminu.','Term Name'=>'Nazwa terminu','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Utwórz termin taksonomii, którego nie będzie można usunąć. Nie będzie on domyślnie wybrany dla wpisów.','Default Term'=>'Domyślny termin','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Czy terminy tej taksonomii powinny być posortowane w kolejności, w jakiej są przekazywane do `wp_set_object_terms()`.','Sort Terms'=>'Sortuj terminy','Add Post Type'=>'Dodaj typ treści','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Rozszerz funkcjonalność WordPressa ponad standardowe wpisy i strony za pomocą własnych typów treści.','Add Your First Post Type'=>'Dodaj swój pierwszy typ treści','I know what I\'m doing, show me all the options.'=>'Wiem co robię, pokaż mi wszystkie opcje.','Advanced Configuration'=>'Zaawansowana konfiguracja','Hierarchical post types can have descendants (like pages).'=>'Hierarchiczne typy treści mogą posiadać elementy potomne (jak strony).','Hierarchical'=>'Hierarchiczne','Visible on the frontend and in the admin dashboard.'=>'Widoczne w witrynie oraz w kokpicie administratora.','Public'=>'Publiczne','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Tylko małe litery, myślniki i podkreślniki. Maksymalnie 20 znaków.','Movie'=>'Film','Singular Label'=>'Etykieta w liczbie pojedynczej','Movies'=>'Filmy','Plural Label'=>'Etykieta w liczbie mnogiej','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Opcjonalny własny kontroler do użycia zamiast `WP_REST_Posts_Controller`.','Controller Class'=>'Klasa kontrolera','The namespace part of the REST API URL.'=>'Część przestrzeni nazw adresu URL REST API.','Namespace Route'=>'Ścieżka przestrzeni nazw','The base URL for the post type REST API URLs.'=>'Bazowy adres URL tego typu treści dla adresów URL REST API.','Base URL'=>'Bazowy adres URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Pokaż ten typ treści w REST API. Wymagane, aby używać edytora blokowego.','Show In REST API'=>'Pokaż w REST API','Customize the query variable name.'=>'Dostosuj nazwę zmiennej zapytania.','Query Variable'=>'Zmienna zapytania','No Query Variable Support'=>'Brak obsługi zmiennej zapytania','Custom Query Variable'=>'Własna zmienna zapytania','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Elementy są dostępne za pomocą nieprzyjaznych bezpośrednich odnośników, np. {typ_treści}={uproszczona_nazwa_wpisu}.','Query Variable Support'=>'Obsługa zmiennej zapytania','URLs for an item and items can be accessed with a query string.'=>'Adresy URL elementu i elementów są dostępne za pomocą ciągu znaków zapytania.','Publicly Queryable'=>'Publicznie dostępne','Custom slug for the Archive URL.'=>'Własna uproszczona nazwa dla adresu URL archiwum.','Archive Slug'=>'Uproszczona nazwa archiwum','Has an item archive that can be customized with an archive template file in your theme.'=>'Posiada archiwum elementów, które można dostosować za pomocą szablonu archiwum w motywie.','Archive'=>'Archiwum','Pagination support for the items URLs such as the archives.'=>'Obsługa stronicowania adresów URL elementów takich jak archiwa.','Pagination'=>'Stronicowanie','RSS feed URL for the post type items.'=>'Adres URL kanału RSS elementów tego typu treści.','Feed URL'=>'Adres URL kanału informacyjnego','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Modyfikuje strukturę bezpośrednich odnośników dodając prefiks `WP_Rewrite::$front` do adresów URL.','Front URL Prefix'=>'Prefiks adresu URL','Customize the slug used in the URL.'=>'Dostosuj uproszczoną nazwę używaną w adresie URL.','URL Slug'=>'Uproszczona nazwa w adresie URL','Permalinks for this post type are disabled.'=>'Bezpośrednie odnośniki tego typu treści są wyłączone.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Przepisuj adres URL używając własnej uproszczonej nazwy określonej w polu poniżej. Struktura bezpośrednich odnośników będzie następująca','No Permalink (prevent URL rewriting)'=>'Brak bezpośredniego odnośnika (wyłącz przepisywanie adresów URL)','Custom Permalink'=>'Własny bezpośredni odnośnik','Post Type Key'=>'Klucz typu treści','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Przepisuj adres URL używając klucza typu treści jako uproszczonej nazwy. Struktura bezpośrednich odnośników będzie następująca','Permalink Rewrite'=>'Przepisywanie bezpośrednich odnośników','Delete items by a user when that user is deleted.'=>'Usuwaj elementy należące do użytkownika podczas jego usuwania.','Delete With User'=>'Usuń wraz z użytkownikiem','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Zezwól na eksportowanie tego typu treści na ekranie „Narzędzia > Eksport”.','Can Export'=>'Można eksportować','Optionally provide a plural to be used in capabilities.'=>'Opcjonalnie podaj liczbę mnogą, aby użyć jej w uprawnieniach.','Plural Capability Name'=>'Nazwa uprawnienia w liczbie mnogiej','Choose another post type to base the capabilities for this post type.'=>'Wybierz inny typ treści, aby bazować na jego uprawnieniach dla tego typu treści.','Singular Capability Name'=>'Nazwa uprawnienia w liczbie pojedynczej','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Domyślnie nazwy uprawnienia tego typu treści zostaną odziedziczone z uprawnień typu „Wpis”, np. edit_post, delete_posts. Włącz, aby użyć w tym typie treści własnych uprawnień, np. edit_{liczba pojedyncza}, delete_{liczba mnoga}.','Rename Capabilities'=>'Zmień nazwy uprawnień','Exclude From Search'=>'Wyklucz z wyszukiwania','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Zezwól na dodawanie elementów do menu na ekranie „Wygląd > Menu”. Należy je włączyć w „Opcjach ekranu”.','Appearance Menus Support'=>'Obsługa menu wyglądu','Appears as an item in the \'New\' menu in the admin bar.'=>'Pojawia się jako element w menu „Utwórz” na pasku administratora.','Show In Admin Bar'=>'Pokaż na pasku administratora','Custom Meta Box Callback'=>'Własna funkcja zwrotna metaboksa','Menu Icon'=>'Ikonka menu','The position in the sidebar menu in the admin dashboard.'=>'Pozycja w menu w panelu bocznym w kokpicie administratora.','Menu Position'=>'Pozycja menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Domyślnie typ treści otrzyma nowy element najwyższego poziomu w menu administratora. Jeżeli zostanie tu podany istniejący element najwyższego poziomu, typ treści zostanie dodany do niego jako element podmenu.','Admin Menu Parent'=>'Element nadrzędny menu administratora','Admin editor navigation in the sidebar menu.'=>'Nawigacja w menu w panelu bocznym kokpitu administratora.','Show In Admin Menu'=>'Pokaż w menu administratora','Items can be edited and managed in the admin dashboard.'=>'Elementy mogą być edytowanie i zarządzane w kokpicie administratora.','Show In UI'=>'Pokaż w interfejsie użytkownika','A link to a post.'=>'Odnośnik do wpisu.','Description for a navigation link block variation.'=>'Opis wersji bloku odnośnika.','Item Link Description'=>'Opis odnośnika elementu','A link to a %s.'=>'Odnośnik do „%s”.','Post Link'=>'Odnośnik wpisu','Title for a navigation link block variation.'=>'Tytuł wersji bloku odnośnika.','Item Link'=>'Odnośnik elementu','%s Link'=>'Odnośnik „%s”','Post updated.'=>'Wpis został zaktualizowany.','In the editor notice after an item is updated.'=>'Powiadomienie w edytorze po zaktualizowaniu elementu.','Item Updated'=>'Element został zaktualizowany','%s updated.'=>'„%s” został zaktualizowany.','Post scheduled.'=>'Zaplanowano publikację wpisu.','In the editor notice after scheduling an item.'=>'Powiadomienie w edytorze po zaplanowaniu publikacji elementu.','Item Scheduled'=>'Zaplanowano publikację elementu','%s scheduled.'=>'Zaplanowano publikację „%s”.','Post reverted to draft.'=>'Wpis zamieniony w szkic.','In the editor notice after reverting an item to draft.'=>'Powiadomienie w edytorze po zamienieniu elementu w szkic.','Item Reverted To Draft'=>'Element zamieniony w szkic','%s reverted to draft.'=>'„%s” zamieniony w szkic.','Post published privately.'=>'Wpis został opublikowany jako prywatny.','In the editor notice after publishing a private item.'=>'Powiadomienie w edytorze po opublikowaniu elementu jako prywatny.','Item Published Privately'=>'Element został opublikowany jako prywatny','%s published privately.'=>'„%s” został opublikowany jako prywatny.','Post published.'=>'Wpis został opublikowany.','In the editor notice after publishing an item.'=>'Powiadomienie w edytorze po opublikowaniu elementu.','Item Published'=>'Element został opublikowany','%s published.'=>'„%s” został opublikowany.','Posts list'=>'Lista wpisów','Used by screen readers for the items list on the post type list screen.'=>'Używane przez czytniki ekranu do listy elementów na ekranie listy wpisów tego typu treści.','Items List'=>'Lista elementów','%s list'=>'Lista „%s”','Posts list navigation'=>'Nawigacja listy wpisów','Used by screen readers for the filter list pagination on the post type list screen.'=>'Używane przez czytniki ekranu do stronicowania na liście filtrów na ekranie listy wpisów tego typu treści.','Items List Navigation'=>'Nawigacja listy elementów','%s list navigation'=>'Nawigacja listy „%s”','Filter posts by date'=>'Filtruj wpisy wg daty','Used by screen readers for the filter by date heading on the post type list screen.'=>'Używane przez czytniki ekranu do nagłówka filtrowania wg daty na ekranie listy wpisów tego typu treści.','Filter Items By Date'=>'Filtruj elementy wg daty','Filter %s by date'=>'Filtruj %s wg daty','Filter posts list'=>'Filtrowanie listy wpisów','Used by screen readers for the filter links heading on the post type list screen.'=>'Używane przez czytniki ekranu do nagłówka odnośników filtrowania na ekranie listy wpisów tego typu treści.','Filter Items List'=>'Filtrowanie listy elementów','Filter %s list'=>'Filtrowanie listy „%s”','In the media modal showing all media uploaded to this item.'=>'W oknie mediów wyświetlającym wszystkie media wgrane do tego elementu.','Uploaded To This Item'=>'Wgrane do elementu','Uploaded to this %s'=>'Wgrane do „%s”','Insert into post'=>'Wstaw do wpisu','As the button label when adding media to content.'=>'Jako etykieta przycisku podczas dodawania mediów do treści.','Insert Into Media Button'=>'Przycisk wstawiania mediów','Insert into %s'=>'Wstaw do „%s”','Use as featured image'=>'Użyj jako obrazek wyróżniający','As the button label for selecting to use an image as the featured image.'=>'Jako etykieta przycisku podczas wybierania obrazka do użycia jako obrazka wyróżniającego.','Use Featured Image'=>'Użyj obrazka wyróżniającego','Remove featured image'=>'Usuń obrazek wyróżniający','As the button label when removing the featured image.'=>'Jako etykieta przycisku podczas usuwania obrazka wyróżniającego.','Remove Featured Image'=>'Usuń obrazek wyróżniający','Set featured image'=>'Ustaw obrazek wyróżniający','As the button label when setting the featured image.'=>'Jako etykieta przycisku podczas ustawiania obrazka wyróżniającego.','Set Featured Image'=>'Ustaw obrazek wyróżniający','Featured image'=>'Obrazek wyróżniający','In the editor used for the title of the featured image meta box.'=>'W edytorze, używane jako tytuł metaboksa obrazka wyróżniającego.','Featured Image Meta Box'=>'Metaboks obrazka wyróżniającego','Post Attributes'=>'Atrybuty wpisu','In the editor used for the title of the post attributes meta box.'=>'W edytorze, używane jako tytuł metaboksa atrybutów wpisu.','Attributes Meta Box'=>'Metaboks atrybutów','%s Attributes'=>'Atrybuty „%s”','Post Archives'=>'Archiwa wpisów','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Dodaje element „Archiwa typu treści”, o tej etykiecie, do listy wpisów własnych typów treści z włączonymi archiwami, wyświetlanych podczas dodawania elementów do istniejącego menu. Pojawia się podczas edytowania menu w trybie „Podgląd na żywo”, gdy podano własną uproszczoną nazwę archiwów.','Archives Nav Menu'=>'Menu nawigacyjne archiwów','%s Archives'=>'Archiwa „%s”','No posts found in Trash'=>'Nie znaleziono żadnych wpisów w koszu','At the top of the post type list screen when there are no posts in the trash.'=>'Na górze ekranu listy wpisów typu treści gdy brak wpisów w koszu.','No Items Found in Trash'=>'Nie znaleziono żadnych elementów w koszu','No %s found in Trash'=>'Nie znaleziono żadnych „%s” w koszu','No posts found'=>'Nie znaleziono żadnych wpisów','At the top of the post type list screen when there are no posts to display.'=>'Na górze ekranu listy wpisów typu treści gdy brak wpisów do wyświetlenia.','No Items Found'=>'Nie znaleziono żadnych elementów','No %s found'=>'Nie znaleziono żadnych „%s”','Search Posts'=>'Szukaj wpisów','At the top of the items screen when searching for an item.'=>'Na górze ekranu elementów podczas szukania elementu.','Search Items'=>'Szukaj elementów','Search %s'=>'Szukaj „%s”','Parent Page:'=>'Strona nadrzędna:','For hierarchical types in the post type list screen.'=>'Dla hierarchicznych typów na ekranie listy wpisów tego typu treści.','Parent Item Prefix'=>'Prefiks elementu nadrzędnego','Parent %s:'=>'Nadrzędny „%s”:','New Post'=>'Nowy wpis','New Item'=>'Nowy element','New %s'=>'Nowy „%s”','Add New Post'=>'Utwórz wpis','At the top of the editor screen when adding a new item.'=>'Na górze ekranu edycji podczas dodawania nowego elementu.','Add New Item'=>'Utwórz element','Add New %s'=>'Utwórz „%s”','View Posts'=>'Zobacz wpisy','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Pojawia się na pasku administratora w widoku „Wszystkie wpisy”, pod warunkiem, że typ treści obsługuje archiwa, a strona główna nie jest archiwum tego typu treści.','View Items'=>'Zobacz elementy','View Post'=>'Zobacz wpis','In the admin bar to view item when editing it.'=>'Na pasku administratora do zobaczenia elementu podczas jego edycji.','View Item'=>'Zobacz element','View %s'=>'Zobacz „%s”','Edit Post'=>'Edytuj wpis','At the top of the editor screen when editing an item.'=>'Na górze ekranu edycji podczas edytowania elementu.','Edit Item'=>'Edytuj element','Edit %s'=>'Edytuj „%s”','All Posts'=>'Wszystkie wpisy','In the post type submenu in the admin dashboard.'=>'W podmenu typu treści w kokpicie administratora.','All Items'=>'Wszystkie elementy','All %s'=>'Wszystkie %s','Admin menu name for the post type.'=>'Nazwa menu administracyjnego tego typu treści.','Menu Name'=>'Nazwa menu','Regenerate all labels using the Singular and Plural labels'=>'Odnów wszystkie etykiety używając etykiet w liczbie pojedynczej i mnogiej','Regenerate'=>'Odnów','Active post types are enabled and registered with WordPress.'=>'Włączone typy treści są uruchamiane i rejestrowane razem z WordPressem.','A descriptive summary of the post type.'=>'Podsumowanie opisujące typ treści.','Add Custom'=>'Dodaj własną','Enable various features in the content editor.'=>'Włącz różne funkcje w edytorze treści.','Post Formats'=>'Formaty wpisów','Editor'=>'Edytor','Trackbacks'=>'Trackbacki','Select existing taxonomies to classify items of the post type.'=>'Wybierz istniejące taksonomie, aby klasyfikować ten typ treści.','Browse Fields'=>'Przeglądaj pola','Nothing to import'=>'Brak danych do importu','. The Custom Post Type UI plugin can be deactivated.'=>'. Wtyczka „Custom Post Type UI” może zostać wyłączona.','Imported %d item from Custom Post Type UI -'=>'Zaimportowano %d element z „Custom Post Type UI” -' . "\0" . 'Zaimportowano %d elementy z „Custom Post Type UI” -' . "\0" . 'Zaimportowano %d elementów z „Custom Post Type UI” -','Failed to import taxonomies.'=>'Nie udało się zaimportować taksonomii.','Failed to import post types.'=>'Nie udało się zaimportować typów treści.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nie wybrano niczego do zaimportowania z wtyczki „Custom Post Type UI”.','Imported 1 item'=>'Zaimportowano 1 element' . "\0" . 'Zaimportowano %s elementy' . "\0" . 'Zaimportowano %s elementów','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Zaimportowanie typu treści lub taksonomii, z tym samym kluczem co już istniejący element, nadpisze ustawienia istniejącego typu treści lub taksonomii używając zaimportowanych danych.','Import from Custom Post Type UI'=>'Importuj z „Custom Post Type UI”','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Następujący kod może zostać użyty do zarejestrowania lokalnej wersji wybranych elementów. Przechowywanie grup pól, typów treści czy taksonomii lokalnie może pozytywnie wpłynąć na szybsze czasy wczytywania, kontrolę wersji i dynamiczne pola oraz ustawienia. Skopiuj i wklej następujący kod do pliku function.php w twoim motywie lub załącz go w oddzielnym pliku, a następnie wyłącz lub usuń te elementy z ACF-a.','Export - Generate PHP'=>'Eksport - wygeneruj PHP','Export'=>'Eksportuj','Select Taxonomies'=>'Wybierz taksonomie','Select Post Types'=>'Wybierz typy treści','Exported 1 item.'=>'Wyeksportowano 1 element.' . "\0" . 'Wyeksportowano %s elementy.' . "\0" . 'Wyeksportowano %s elementów.','Category'=>'Kategoria','Tag'=>'Tag','%s taxonomy created'=>'Taksonomia %s została utworzona','%s taxonomy updated'=>'Taksonomia %s została zaktualizowana','Taxonomy draft updated.'=>'Szkic taksonomii został zaktualizowany.','Taxonomy scheduled for.'=>'Publikacja taksonomii została zaplanowana.','Taxonomy submitted.'=>'Taksonomia została dodana.','Taxonomy saved.'=>'Taksonomia została zapisana.','Taxonomy deleted.'=>'Taksonomia została usunięta.','Taxonomy updated.'=>'Taksonomia została zaktualizowana.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Nie można było zarejestrować tej taksonomii, ponieważ jej klucz jest już używany przez inną taksonomię zarejestrowaną przez inną wtyczkę lub motyw.','Taxonomy synchronized.'=>'Taksonomia została zsynchronizowana.' . "\0" . '%s taksonomie zostały zsynchronizowane.' . "\0" . '%s taksonomii zostało zsynchronizowanych.','Taxonomy duplicated.'=>'Taksonomia została zduplikowana.' . "\0" . '%s taksonomie zostały zduplikowane.' . "\0" . '%s taksonomii zostało zduplikowanych.','Taxonomy deactivated.'=>'Taksonomia została wyłączona.' . "\0" . '%s taksonomie zostały wyłączone.' . "\0" . '%s taksonomii zostało wyłączonych.','Taxonomy activated.'=>'Taksonomia została włączona.' . "\0" . '%s taksonomie zostały włączone.' . "\0" . '%s taksonomii zostało włączonych.','Terms'=>'Terminy','Post type synchronized.'=>'Typ treści został zsynchronizowany.' . "\0" . '%s typy treści zostały zsynchronizowane.' . "\0" . '%s typów treści zostało zsynchronizowanych.','Post type duplicated.'=>'Typ treści został zduplikowany.' . "\0" . '%s typy treści zostały zduplikowane.' . "\0" . '%s typów treści zostało zduplikowanych.','Post type deactivated.'=>'Typ treści został wyłączony.' . "\0" . '%s typy treści zostały wyłączone.' . "\0" . '%s typów treści zostało wyłączonych.','Post type activated.'=>'Typ treści został włączony.' . "\0" . '%s typy treści zostały włączone.' . "\0" . '%s typów treści zostało włączonych.','Post Types'=>'Typy treści','Advanced Settings'=>'Ustawienia zaawansowane','Basic Settings'=>'Ustawienia podstawowe','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Nie można było zarejestrować tego typu treści, ponieważ jego klucz jest już używany przez inny typ treści zarejestrowany przez inną wtyczkę lub motyw.','Pages'=>'Strony','Link Existing Field Groups'=>'Powiąż istniejące grupy pól','%s post type created'=>'Typ treści %s został utworzony','Add fields to %s'=>'Dodaj pola do „%s”','%s post type updated'=>'Typ treści %s został zaktualizowany','Post type draft updated.'=>'Szkic typu treści został zaktualizowany.','Post type scheduled for.'=>'Publikacja typu treści została zaplanowana.','Post type submitted.'=>'Typ teści został dodany.','Post type saved.'=>'Typ treści został zapisany.','Post type updated.'=>'Typ treści został zaktualizowany.','Post type deleted.'=>'Typ treści został usunięty.','Type to search...'=>'Zacznij pisać, aby wyszukać…','PRO Only'=>'Tylko w PRO','Field groups linked successfully.'=>'Grupy pól zostały powiązane.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importuj typy treści i taksonomie zarejestrowane za pomocą wtyczki „Custom Post Type UI” i zarządzaj nimi w ACF-ie. Rozpocznij.','ACF'=>'ACF','taxonomy'=>'taksonomia','post type'=>'typ treści','Done'=>'Gotowe','Field Group(s)'=>'Grupa(-y) pól','Select one or many field groups...'=>'Wybierz jedną lub klika grup pól…','Please select the field groups to link.'=>'Proszę wybrać grupy pól do powiązania.','Field group linked successfully.'=>'Grupa pól została powiązana.' . "\0" . 'Grupy pól zostały powiązane.' . "\0" . 'Grupy pól zostały powiązane.','post statusRegistration Failed'=>'Rejestracja nieudana','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Nie można było zarejestrować tego elementu, ponieważ jego klucz jest już używany przez inny element zarejestrowany przez inną wtyczkę lub motyw.','REST API'=>'REST API','Permissions'=>'Uprawnienia','URLs'=>'Adresy URL','Visibility'=>'Widoczność','Labels'=>'Etykiety','Field Settings Tabs'=>'Ustawienia pól w zakładkach','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Wartość shortcode\'u ACF-a wyłączona podczas podglądu]','Close Modal'=>'Zamknij okno','Field moved to other group'=>'Pole zostało przeniesione do innej grupy','Close modal'=>'Zamknij okno','Start a new group of tabs at this tab.'=>'Rozpocznij od tej zakładki nową grupę zakładek.','New Tab Group'=>'Nowa grupa zakładek','Use a stylized checkbox using select2'=>'Użyj ostylowanego pola select2','Save Other Choice'=>'Zapisz inny wybór','Allow Other Choice'=>'Zezwól na inny wybór','Add Toggle All'=>'Dodaj „Przełącz wszystko”','Save Custom Values'=>'Zapisz własne wartości','Allow Custom Values'=>'Zezwól na własne wartości','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Własne wartości pola zaznaczenia nie mogą być puste. Odznacz wszystkie puste wartości.','Updates'=>'Aktualizacje','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Zapisz zmiany','Field Group Title'=>'Tytuł grupy pól','Add title'=>'Dodaj tytuł','New to ACF? Take a look at our getting started guide.'=>'Nie znasz ACF-a? Zapoznaj się z naszym przewodnikiem jak zacząć.','Add Field Group'=>'Dodaj grupę pól','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF używa grup pól do łączenia własnych pól, a następnie dołączania tych pól do ekranów edycji.','Add Your First Field Group'=>'Dodaj swoją pierwszą grupę pól','Options Pages'=>'Strony opcji','ACF Blocks'=>'Bloki ACF-a','Gallery Field'=>'Pole galerii','Flexible Content Field'=>'Pole elastycznej treści','Repeater Field'=>'Pole powtarzalne','Unlock Extra Features with ACF PRO'=>'Odblokuj dodatkowe funkcje przy pomocy ACF-a PRO','Delete Field Group'=>'Usuń grupę pól','Created on %1$s at %2$s'=>'Utworzono %1$s o %2$s','Group Settings'=>'Ustawienia grupy','Location Rules'=>'Reguły lokalizacji','Choose from over 30 field types. Learn more.'=>'Wybierz spośród ponad 30 rodzajów pól. Dowiedz się więcej.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Zacznij tworzyć nowe własne pola dla swoich wpisów, stron, własnych typów treści i innych treści WordPressa.','Add Your First Field'=>'Dodaj swoje pierwsze pole','#'=>'#','Add Field'=>'Dodaj pole','Presentation'=>'Prezentacja','Validation'=>'Walidacja','General'=>'Ogólne','Import JSON'=>'Importuj JSON','Export As JSON'=>'Eksportuj jako JSON','Field group deactivated.'=>'Grupa pól została wyłączona.' . "\0" . '%s grupy pól zostały wyłączone.' . "\0" . '%s grup pól zostało wyłączonych.','Field group activated.'=>'Grupa pól została włączona.' . "\0" . '%s grupy pól zostały włączone.' . "\0" . '%s grup pól zostało włączonych.','Deactivate'=>'Wyłącz','Deactivate this item'=>'Wyłącz ten element','Activate'=>'Włącz','Activate this item'=>'Włącz ten element','Move field group to trash?'=>'Przenieść grupę pól do kosza?','post statusInactive'=>'Wyłączone','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Wtyczki Advanced Custom Fields i Advanced Custom Fields PRO nie powinny być włączone jednocześnie. Automatycznie wyłączyliśmy Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Wtyczki Advanced Custom Fields i Advanced Custom Fields PRO nie powinny być włączone jednocześnie. Automatycznie wyłączyliśmy Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Wykryliśmy jedno lub kilka wywołań, które pobierają wartości pól przez zainicjowaniem ACF-a. Nie są one obsłużone i może to powodować nieprawidłowe lub brakujące dane. Dowiedz się, jak to naprawić.','%1$s must have a user with the %2$s role.'=>'%1$s musi mieć użytkownika z rolą %2$s.' . "\0" . '%1$s musi mieć użytkownika z jedną z następujących ról: %2$s' . "\0" . '%1$s musi mieć użytkownika z jedną z następujących ról: %2$s','%1$s must have a valid user ID.'=>'%1$s musi mieć prawidłowy identyfikator użytkownika.','Invalid request.'=>'Nieprawidłowe żądanie.','%1$s is not one of %2$s'=>'%1$s nie zawiera się w %2$s','%1$s must have term %2$s.'=>'%1$s musi należeć do taksonomii %2$s.' . "\0" . '%1$s musi należeć do jednej z następujących taksonomii: %2$s' . "\0" . '%1$s musi należeć do jednej z następujących taksonomii: %2$s','%1$s must be of post type %2$s.'=>'%1$s musi należeć do typu treści %2$s.' . "\0" . '%1$s musi należeć do jednego z następujących typów treści: %2$s' . "\0" . '%1$s musi należeć do jednego z następujących typów treści: %2$s','%1$s must have a valid post ID.'=>'%1$s musi mieć prawidłowy identyfikator wpisu.','%s requires a valid attachment ID.'=>'%s wymaga prawidłowego identyfikatora załącznika.','Show in REST API'=>'Pokaż w REST API','Enable Transparency'=>'Włącz przezroczystość','RGBA Array'=>'Tablica RGBA','RGBA String'=>'Ciąg RGBA','Hex String'=>'Ciąg Hex','Upgrade to PRO'=>'Kup PRO','post statusActive'=>'Włączone','\'%s\' is not a valid email address'=>'„%s” nie jest poprawnym adresem e-mail','Color value'=>'Kolor','Select default color'=>'Wybierz domyślny kolor','Clear color'=>'Wyczyść kolor','Blocks'=>'Bloki','Options'=>'Opcje','Users'=>'Użytkownicy','Menu items'=>'Elementy menu','Widgets'=>'Widżety','Attachments'=>'Załączniki','Taxonomies'=>'Taksonomie','Posts'=>'Wpisy','Last updated: %s'=>'Ostatnia aktualizacja: %s','Sorry, this post is unavailable for diff comparison.'=>'Przepraszamy, ten wpis jest niedostępny dla porównania różnic.','Invalid field group parameter(s).'=>'Nieprawidłowy parametr(y) grupy pól.','Awaiting save'=>'Oczekiwanie na zapis','Saved'=>'Zapisana','Import'=>'Importuj','Review changes'=>'Przejrzyj zmiany','Located in: %s'=>'Znajduje się w: %s','Located in plugin: %s'=>'Znalezione we wtyczce: %s','Located in theme: %s'=>'Znalezione w motywie: %s','Various'=>'Różne','Sync changes'=>'Synchronizuj zmiany','Loading diff'=>'Ładowanie różnic','Review local JSON changes'=>'Przegląd lokalnych zmian JSON','Visit website'=>'Odwiedź stronę','View details'=>'Zobacz szczegóły','Version %s'=>'Wersja %s','Information'=>'Informacje','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Pomoc. Nasi pracownicy pomocy technicznej pomogą w bardziej dogłębnych wyzwaniach technicznych.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Dyskusje. Mamy aktywną i przyjazną społeczność na naszych forach społecznościowych, która pomoże Ci poznać tajniki świata ACF-a.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentacja. Nasza obszerna dokumentacja zawiera opisy i przewodniki dotyczące większości sytuacji, które możesz napotkać.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Jesteśmy fanatyczni, jeśli chodzi o wsparcie i chcemy, abyś w pełni wykorzystał swoją stronę internetową dzięki ACF-owi. Jeśli napotkasz jakiekolwiek trudności, jest kilka miejsc, w których możesz znaleźć pomoc:','Help & Support'=>'Pomoc i wsparcie','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Skorzystaj z zakładki Pomoc i wsparcie, aby skontaktować się, jeśli potrzebujesz pomocy.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Przed utworzeniem pierwszej grupy pól zalecamy najpierw przeczytanie naszego przewodnika Pierwsze kroki, aby zapoznać się z filozofią wtyczki i sprawdzonymi metodami.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Wtyczka Advanced Custom Fields zapewnia wizualny kreator formularzy do dostosowywania ekranów edycji WordPress z dodatkowymi polami oraz intuicyjny interfejs API do wyświetlania niestandardowych wartości pól w dowolnym pliku szablonu motywu.','Overview'=>'Przegląd','Location type "%s" is already registered.'=>'Typ lokalizacji „%s” jest już zarejestrowany.','Class "%s" does not exist.'=>'Klasa „%s” nie istnieje.','Invalid nonce.'=>'Nieprawidłowy kod jednorazowy.','Error loading field.'=>'Błąd ładowania pola.','Error: %s'=>'Błąd: %s','Widget'=>'Widżet','User Role'=>'Rola użytkownika','Comment'=>'Komentarz','Post Format'=>'Format wpisu','Menu Item'=>'Element menu','Post Status'=>'Status wpisu','Menus'=>'Menu','Menu Locations'=>'Położenia menu','Menu'=>'Menu','Post Taxonomy'=>'Taksonomia wpisu','Child Page (has parent)'=>'Strona potomna (ma stronę nadrzędną)','Parent Page (has children)'=>'Strona nadrzędna (ma strony potomne)','Top Level Page (no parent)'=>'Strona najwyższego poziomu (bez strony nadrzędnej)','Posts Page'=>'Strona z wpisami','Front Page'=>'Strona główna','Page Type'=>'Typ strony','Viewing back end'=>'Wyświetla kokpit administratora','Viewing front end'=>'Wyświetla witrynę','Logged in'=>'Zalogowany','Current User'=>'Bieżący użytkownik','Page Template'=>'Szablon strony','Register'=>'Zarejestruj się','Add / Edit'=>'Dodaj / Edytuj','User Form'=>'Formularz użytkownika','Page Parent'=>'Strona nadrzędna','Super Admin'=>'Superadministrator','Current User Role'=>'Rola bieżącego użytkownika','Default Template'=>'Domyślny szablon','Post Template'=>'Szablon wpisu','Post Category'=>'Kategoria wpisu','All %s formats'=>'Wszystkie formaty %s','Attachment'=>'Załącznik','%s value is required'=>'%s wartość jest wymagana','Show this field if'=>'Pokaż to pole jeśli','Conditional Logic'=>'Wyświetlanie warunkowe','and'=>'oraz','Local JSON'=>'Lokalny JSON','Clone Field'=>'Pole klona','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Proszę również sprawdzić, czy wszystkie dodatki premium (%s) są zaktualizowane do najnowszej wersji.','This version contains improvements to your database and requires an upgrade.'=>'Ta wersja zawiera ulepszenia bazy danych i wymaga uaktualnienia.','Thank you for updating to %1$s v%2$s!'=>'Dziękujemy za aktualizację %1$s do wersji %2$s!','Database Upgrade Required'=>'Wymagana jest aktualizacja bazy danych','Options Page'=>'Strona opcji','Gallery'=>'Galeria','Flexible Content'=>'Elastyczna treść','Repeater'=>'Pole powtarzalne','Back to all tools'=>'Wróć do wszystkich narzędzi','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)'=>'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)','Select items to hide them from the edit screen.'=>'Wybierz elementy, które chcesz ukryć na stronie edycji.','Hide on screen'=>'Ukryj na ekranie','Send Trackbacks'=>'Wyślij trackbacki','Tags'=>'Tagi','Categories'=>'Kategorie','Page Attributes'=>'Atrybuty strony','Format'=>'Format','Author'=>'Autor','Slug'=>'Uproszczona nazwa','Revisions'=>'Wersje','Comments'=>'Komentarze','Discussion'=>'Dyskusja','Excerpt'=>'Zajawka','Content Editor'=>'Edytor treści','Permalink'=>'Bezpośredni odnośnik','Shown in field group list'=>'Wyświetlany na liście grup pól','Field groups with a lower order will appear first'=>'Grupy pól z niższym numerem pojawią się pierwsze','Order No.'=>'Nr w kolejności.','Below fields'=>'Pod polami','Below labels'=>'Pod etykietami','Instruction Placement'=>'Położenie instrukcji','Label Placement'=>'Położenie etykiety','Side'=>'Boczna','Normal (after content)'=>'Normalna (pod treścią)','High (after title)'=>'Wysoka (pod tytułem)','Position'=>'Pozycja','Seamless (no metabox)'=>'Bezpodziałowy (brak metaboksa)','Standard (WP metabox)'=>'Standardowy (metabox WP)','Style'=>'Styl','Type'=>'Rodzaj','Key'=>'Klucz','Order'=>'Kolejność','Close Field'=>'Zamknij pole','id'=>'id','class'=>'class','width'=>'szerokość','Wrapper Attributes'=>'Atrybuty kontenera','Required'=>'Wymagane','Instructions'=>'Instrukcje','Field Type'=>'Rodzaj pola','Single word, no spaces. Underscores and dashes allowed'=>'Pojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślniki','Field Name'=>'Nazwa pola','This is the name which will appear on the EDIT page'=>'Ta nazwa będzie widoczna na stronie edycji','Field Label'=>'Etykieta pola','Delete'=>'Usuń','Delete field'=>'Usuń pole','Move'=>'Przenieś','Move field to another group'=>'Przenieś pole do innej grupy','Duplicate field'=>'Duplikuj to pole','Edit field'=>'Edytuj pole','Drag to reorder'=>'Przeciągnij aby zmienić kolejność','Show this field group if'=>'Pokaż tę grupę pól jeśli','No updates available.'=>'Brak dostępnych aktualizacji.','Database upgrade complete. See what\'s new'=>'Aktualizacja bazy danych zakończona. Zobacz co nowego','Reading upgrade tasks...'=>'Czytam zadania aktualizacji…','Upgrade failed.'=>'Aktualizacja nie powiodła się.','Upgrade complete.'=>'Aktualizacja zakończona.','Upgrading data to version %s'=>'Aktualizowanie danych do wersji %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Zdecydowanie zaleca się wykonanie kopii zapasowej bazy danych przed kontynuowaniem. Czy na pewno chcesz teraz uruchomić aktualizacje?','Please select at least one site to upgrade.'=>'Proszę wybrać co najmniej jedną witrynę do uaktualnienia.','Database Upgrade complete. Return to network dashboard'=>'Aktualizacja bazy danych zakończona. Wróć do kokpitu sieci','Site is up to date'=>'Oprogramowanie witryny jest aktualne','Site requires database upgrade from %1$s to %2$s'=>'Witryna wymaga aktualizacji bazy danych z %1$s do %2$s','Site'=>'Witryna','Upgrade Sites'=>'Zaktualizuj witryny','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Następujące witryny wymagają aktualizacji bazy danych. Zaznacz te, które chcesz zaktualizować i kliknij %s.','Add rule group'=>'Dodaj grupę warunków','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Utwórz zestaw warunków, które określą w których miejscach będą wykorzystane zdefiniowane tutaj własne pola','Rules'=>'Reguły','Copied'=>'Skopiowano','Copy to clipboard'=>'Skopiuj do schowka','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Wybierz elementy, które chcesz wyeksportować, a następnie wybierz metodę eksportu. Użyj „Eksportuj jako JSON” aby wyeksportować do pliku .json, który można następnie zaimportować do innej instalacji ACF. Użyj „Utwórz PHP” do wyeksportowania ustawień do kodu PHP, który można umieścić w motywie.','Select Field Groups'=>'Wybierz grupy pól','No field groups selected'=>'Nie zaznaczono żadnej grupy pól','Generate PHP'=>'Utwórz PHP','Export Field Groups'=>'Eksportuj grupy pól','Import file empty'=>'Importowany plik jest pusty','Incorrect file type'=>'Błędny typ pliku','Error uploading file. Please try again'=>'Błąd przesyłania pliku. Proszę spróbować ponownie','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Wybierz plik JSON Advanced Custom Fields, który chcesz zaimportować. Po kliknięciu przycisku importu poniżej, ACF zaimportuje elementy z tego pliku.','Import Field Groups'=>'Importuj grupy pól','Sync'=>'Synchronizuj','Select %s'=>'Wybierz %s','Duplicate'=>'Duplikuj','Duplicate this item'=>'Duplikuj ten element','Supports'=>'Obsługuje','Documentation'=>'Dokumentacja','Description'=>'Opis','Sync available'=>'Synchronizacja jest dostępna','Field group synchronized.'=>'Grupa pól została zsynchronizowana.' . "\0" . '%s grupy pól zostały zsynchronizowane.' . "\0" . '%s grup pól zostało zsynchronizowanych.','Field group duplicated.'=>'Grupa pól została zduplikowana.' . "\0" . '%s grupy pól zostały zduplikowane.' . "\0" . '%s grup pól zostało zduplikowanych.','Active (%s)'=>'Włączone (%s)' . "\0" . 'Włączone (%s)' . "\0" . 'Włączone (%s)','Review sites & upgrade'=>'Strona opinii i aktualizacji','Upgrade Database'=>'Aktualizuj bazę danych','Custom Fields'=>'Własne pola','Move Field'=>'Przenieś pole','Please select the destination for this field'=>'Proszę wybrać miejsce przeznaczenia dla tego pola','The %1$s field can now be found in the %2$s field group'=>'Pole %1$s znajduje się teraz w grupie pól %2$s','Move Complete.'=>'Przenoszenie zakończone.','Active'=>'Włączone','Field Keys'=>'Klucze pola','Settings'=>'Ustawienia','Location'=>'Lokalizacja','Null'=>'Pusty','copy'=>'kopia','(this field)'=>'(to pole)','Checked'=>'Zaznaczone','Move Custom Field'=>'Przenieś pole','No toggle fields available'=>'Brak dostępnych pól','Field group title is required'=>'Tytuł grupy pól jest wymagany','This field cannot be moved until its changes have been saved'=>'To pole nie może zostać przeniesione zanim zmiany nie zostaną zapisane','The string "field_" may not be used at the start of a field name'=>'Ciąg znaków „field_” nie może zostać użyty na początku nazwy pola','Field group draft updated.'=>'Szkic grupy pól został zaktualizowany.','Field group scheduled for.'=>'Publikacja grupy pól została zaplanowana.','Field group submitted.'=>'Grupa pól została dodana.','Field group saved.'=>'Grupa pól została zapisana.','Field group published.'=>'Grupa pól została opublikowana.','Field group deleted.'=>'Grupa pól została usunięta.','Field group updated.'=>'Grupa pól została zaktualizowana.','Tools'=>'Narzędzia','is not equal to'=>'nie jest równe','is equal to'=>'jest równe','Forms'=>'Formularze','Page'=>'Strona','Post'=>'Wpis','Relational'=>'Relacyjne','Choice'=>'Wybór','Basic'=>'Podstawowe','Unknown'=>'Nieznany','Field type does not exist'=>'Rodzaj pola nie istnieje','Spam Detected'=>'Wykryto spam','Post updated'=>'Wpis został zaktualizowany','Update'=>'Aktualizuj','Validate Email'=>'Potwierdź e-mail','Content'=>'Treść','Title'=>'Tytuł','Edit field group'=>'Edytuj grupę pól','Selection is less than'=>'Wybór jest mniejszy niż','Selection is greater than'=>'Wybór jest większy niż','Value is less than'=>'Wartość jest mniejsza niż','Value is greater than'=>'Wartość jest większa niż','Value contains'=>'Wartość zawiera','Value matches pattern'=>'Wartość musi pasować do wzoru','Value is not equal to'=>'Wartość nie jest równa','Value is equal to'=>'Wartość jest równa','Has no value'=>'Nie ma wartości','Has any value'=>'Ma dowolną wartość','Cancel'=>'Anuluj','Are you sure?'=>'Czy na pewno?','%d fields require attention'=>'%d pola(-ól) wymaga uwagi','1 field requires attention'=>'1 pole wymaga uwagi','Validation failed'=>'Walidacja nie powiodła się','Validation successful'=>'Walidacja zakończona sukcesem','Restricted'=>'Ograniczone','Collapse Details'=>'Zwiń szczegóły','Expand Details'=>'Rozwiń szczegóły','Uploaded to this post'=>'Wgrane do wpisu','verbUpdate'=>'Aktualizuj','verbEdit'=>'Edytuj','The changes you made will be lost if you navigate away from this page'=>'Wprowadzone przez Ciebie zmiany przepadną jeśli przejdziesz do innej strony','File type must be %s.'=>'Wymagany typ pliku to %s.','or'=>'lub','File size must not exceed %s.'=>'Rozmiar pliku nie może przekraczać %s.','File size must be at least %s.'=>'Rozmiar pliku musi wynosić co najmniej %s.','Image height must not exceed %dpx.'=>'Wysokość obrazka nie może przekraczać %dpx.','Image height must be at least %dpx.'=>'Obrazek musi mieć co najmniej %dpx wysokości.','Image width must not exceed %dpx.'=>'Szerokość obrazka nie może przekraczać %dpx.','Image width must be at least %dpx.'=>'Obrazek musi mieć co najmniej %dpx szerokości.','(no title)'=>'(brak tytułu)','Full Size'=>'Pełny rozmiar','Large'=>'Duży','Medium'=>'Średni','Thumbnail'=>'Miniatura','(no label)'=>'(brak etykiety)','Sets the textarea height'=>'Określa wysokość obszaru tekstowego','Rows'=>'Wiersze','Text Area'=>'Obszar tekstowy','Prepend an extra checkbox to toggle all choices'=>'Dołącz dodatkowe pole, aby grupowo włączać/wyłączać wszystkie wybory','Save \'custom\' values to the field\'s choices'=>'Dopisz własne wartości do wyborów pola','Allow \'custom\' values to be added'=>'Zezwól na dodawanie własnych wartości','Add new choice'=>'Dodaj nowy wybór','Toggle All'=>'Przełącz wszystko','Allow Archives URLs'=>'Zezwól na adresy URL archiwów','Archives'=>'Archiwa','Page Link'=>'Odnośnik do strony','Add'=>'Dodaj','Name'=>'Nazwa','%s added'=>'Dodano %s','%s already exists'=>'%s już istnieje','User unable to add new %s'=>'Użytkownik nie może dodać nowych „%s”','Term ID'=>'Identyfikator terminu','Term Object'=>'Obiekt terminu','Load value from posts terms'=>'Wczytaj wartości z terminów taksonomii z wpisu','Load Terms'=>'Wczytaj terminy taksonomii','Connect selected terms to the post'=>'Przypisz wybrane terminy taksonomii do wpisu','Save Terms'=>'Zapisz terminy taksonomii','Allow new terms to be created whilst editing'=>'Zezwól na tworzenie nowych terminów taksonomii podczas edycji','Create Terms'=>'Tworzenie terminów taksonomii','Radio Buttons'=>'Pola wyboru','Single Value'=>'Pojedyncza wartość','Multi Select'=>'Wybór wielokrotny','Checkbox'=>'Pole zaznaczenia','Multiple Values'=>'Wiele wartości','Select the appearance of this field'=>'Określ wygląd tego pola','Appearance'=>'Wygląd','Select the taxonomy to be displayed'=>'Wybierz taksonomię do wyświetlenia','No TermsNo %s'=>'Brak „%s”','Value must be equal to or lower than %d'=>'Wartość musi być równa lub niższa od %d','Value must be equal to or higher than %d'=>'Wartość musi być równa lub wyższa od %d','Value must be a number'=>'Wartość musi być liczbą','Number'=>'Liczba','Save \'other\' values to the field\'s choices'=>'Dopisz wartości wyboru „inne” do wyborów pola','Add \'other\' choice to allow for custom values'=>'Dodaj wybór „inne”, aby zezwolić na własne wartości','Other'=>'Inne','Radio Button'=>'Pole wyboru','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Zdefiniuj punkt końcowy dla zatrzymania poprzedniego panelu zwijanego. Ten panel zwijany nie będzie widoczny.','Allow this accordion to open without closing others.'=>'Zezwól, aby ten zwijany panel otwierał się bez zamykania innych.','Multi-Expand'=>'Multi-expand','Display this accordion as open on page load.'=>'Pokaż ten zwijany panel jako otwarty po załadowaniu strony.','Open'=>'Otwórz','Accordion'=>'Zwijany panel','Restrict which files can be uploaded'=>'Określ jakie pliki mogą być przesyłane','File ID'=>'Identyfikator pliku','File URL'=>'Adres URL pliku','File Array'=>'Tablica pliku','Add File'=>'Dodaj plik','No file selected'=>'Nie wybrano pliku','File name'=>'Nazwa pliku','Update File'=>'Aktualizuj plik','Edit File'=>'Edytuj plik','Select File'=>'Wybierz plik','File'=>'Plik','Password'=>'Hasło','Specify the value returned'=>'Określ zwracaną wartość','Use AJAX to lazy load choices?'=>'Używaj AJAX do wczytywania wyborów?','Enter each default value on a new line'=>'Wpisz każdą domyślną wartość w osobnej linii','verbSelect'=>'Wybierz','Select2 JS load_failLoading failed'=>'Wczytywanie zakończone niepowodzeniem','Select2 JS searchingSearching…'=>'Szukam…','Select2 JS load_moreLoading more results…'=>'Wczytuję więcej wyników…','Select2 JS selection_too_long_nYou can only select %d items'=>'Możesz wybrać tylko %d elementy(-tów)','Select2 JS selection_too_long_1You can only select 1 item'=>'Możesz wybrać tylko 1 element','Select2 JS input_too_long_nPlease delete %d characters'=>'Proszę usunąć %d znaki(-ów)','Select2 JS input_too_long_1Please delete 1 character'=>'Proszę usunąć 1 znak','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Wpisz %d lub więcej znaków','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Wpisz 1 lub więcej znaków','Select2 JS matches_0No matches found'=>'Brak pasujących wyników','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Dostępnych wyników: %d. Użyj strzałek w górę i w dół, aby nawigować.','Select2 JS matches_1One result is available, press enter to select it.'=>'Dostępny jest jeden wynik. Aby go wybrać, naciśnij Enter.','nounSelect'=>'Lista wyboru','User ID'=>'Identyfikator użytkownika','User Object'=>'Obiekt użytkownika','User Array'=>'Tablica użytkownika','All user roles'=>'Wszystkie role użytkownika','Filter by Role'=>'Filtruj wg roli','User'=>'Użytkownik','Separator'=>'Separator','Select Color'=>'Wybierz kolor','Default'=>'Domyślne','Clear'=>'Wyczyść','Color Picker'=>'Wybór koloru','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Wybierz','Date Time Picker JS closeTextDone'=>'Gotowe','Date Time Picker JS currentTextNow'=>'Teraz','Date Time Picker JS timezoneTextTime Zone'=>'Strefa czasowa','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekunda','Date Time Picker JS millisecTextMillisecond'=>'Milisekunda','Date Time Picker JS secondTextSecond'=>'Sekunda','Date Time Picker JS minuteTextMinute'=>'Minuta','Date Time Picker JS hourTextHour'=>'Godzina','Date Time Picker JS timeTextTime'=>'Czas','Date Time Picker JS timeOnlyTitleChoose Time'=>'Określ czas','Date Time Picker'=>'Wybór daty i godziny','Endpoint'=>'Punkt końcowy','Left aligned'=>'Wyrównanie do lewej','Top aligned'=>'Wyrównanie do góry','Placement'=>'Położenie','Tab'=>'Zakładka','Value must be a valid URL'=>'Wartość musi być poprawnym adresem URL','Link URL'=>'Adres URL odnośnika','Link Array'=>'Tablica odnośnika','Opens in a new window/tab'=>'Otwiera się w nowym oknie/karcie','Select Link'=>'Wybierz odnośnik','Link'=>'Odnośnik','Email'=>'E-mail','Step Size'=>'Wielkość kroku','Maximum Value'=>'Wartość maksymalna','Minimum Value'=>'Wartość minimalna','Range'=>'Zakres','Both (Array)'=>'Oba (tablica)','Label'=>'Etykieta','Value'=>'Wartość','Vertical'=>'Pionowy','Horizontal'=>'Poziomy','red : Red'=>'czerwony : Czerwony','For more control, you may specify both a value and label like this:'=>'Aby uzyskać większą kontrolę, można określić wartość i etykietę w niniejszy sposób:','Enter each choice on a new line.'=>'Wpisz każdy z wyborów w osobnej linii.','Choices'=>'Wybory','Button Group'=>'Grupa przycisków','Allow Null'=>'Zezwól na pusty','Parent'=>'Element nadrzędny','TinyMCE will not be initialized until field is clicked'=>'TinyMCE nie zostanie zainicjowany, dopóki to pole nie zostanie kliknięte','Delay Initialization'=>'Opóźnij inicjowanie','Show Media Upload Buttons'=>'Pokaż przycisk dodawania mediów','Toolbar'=>'Pasek narzędzi','Text Only'=>'Tylko tekstowa','Visual Only'=>'Tylko wizualna','Visual & Text'=>'Wizualna i tekstowa','Tabs'=>'Zakładki','Click to initialize TinyMCE'=>'Kliknij, aby zainicjować TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Tekstowy','Visual'=>'Wizualny','Value must not exceed %d characters'=>'Wartość nie może przekraczać %d znaków','Leave blank for no limit'=>'Pozostaw puste w przypadku braku limitu','Character Limit'=>'Limit znaków','Appears after the input'=>'Pojawia się za polem','Append'=>'Za polem (sufiks)','Appears before the input'=>'Pojawia się przed polem','Prepend'=>'Przed polem (prefiks)','Appears within the input'=>'Pojawia się w polu','Placeholder Text'=>'Placeholder (tekst zastępczy)','Appears when creating a new post'=>'Wyświetlana podczas tworzenia nowego wpisu','Text'=>'Tekst','%1$s requires at least %2$s selection'=>'%1$s wymaga co najmniej %2$s wyboru' . "\0" . '%1$s wymaga co najmniej %2$s wyborów' . "\0" . '%1$s wymaga co najmniej %2$s wyborów','Post ID'=>'Identyfikator wpisu','Post Object'=>'Obiekt wpisu','Maximum Posts'=>'Maksimum wpisów','Minimum Posts'=>'Minimum wpisów','Featured Image'=>'Obrazek wyróżniający','Selected elements will be displayed in each result'=>'Wybrane elementy będą wyświetlone przy każdym wyniku','Elements'=>'Elementy','Taxonomy'=>'Taksonomia','Post Type'=>'Typ treści','Filters'=>'Filtry','All taxonomies'=>'Wszystkie taksonomie','Filter by Taxonomy'=>'Filtruj wg taksonomii','All post types'=>'Wszystkie typy treści','Filter by Post Type'=>'Filtruj wg typu treści','Search...'=>'Wyszukiwanie…','Select taxonomy'=>'Wybierz taksonomię','Select post type'=>'Wybierz typ treści','No matches found'=>'Brak pasujących wyników','Loading'=>'Wczytywanie','Maximum values reached ( {max} values )'=>'Maksymalna liczba wartości została przekroczona ( {max} wartości )','Relationship'=>'Relacja','Comma separated list. Leave blank for all types'=>'Lista oddzielona przecinkami. Pozostaw puste dla wszystkich typów','Allowed File Types'=>'Dozwolone typy plików','Maximum'=>'Maksimum','File size'=>'Wielkość pliku','Restrict which images can be uploaded'=>'Określ jakie obrazy mogą być przesyłane','Minimum'=>'Minimum','Uploaded to post'=>'Wgrane do wpisu','All'=>'Wszystkie','Limit the media library choice'=>'Ogranicz wybór do biblioteki mediów','Library'=>'Biblioteka','Preview Size'=>'Rozmiar podglądu','Image ID'=>'Identyfikator obrazka','Image URL'=>'Adres URL obrazka','Image Array'=>'Tablica obrazków','Specify the returned value on front end'=>'Określ wartość zwracaną w witrynie','Return Value'=>'Zwracana wartość','Add Image'=>'Dodaj obrazek','No image selected'=>'Nie wybrano obrazka','Remove'=>'Usuń','Edit'=>'Edytuj','All images'=>'Wszystkie obrazki','Update Image'=>'Aktualizuj obrazek','Edit Image'=>'Edytuj obrazek','Select Image'=>'Wybierz obrazek','Image'=>'Obrazek','Allow HTML markup to display as visible text instead of rendering'=>'Zezwól aby znaczniki HTML były wyświetlane jako widoczny tekst, a nie renderowane','Escape HTML'=>'Dodawaj znaki ucieczki do HTML (escape HTML)','No Formatting'=>'Brak formatowania','Automatically add <br>'=>'Automatycznie dodaj <br>','Automatically add paragraphs'=>'Automatycznie twórz akapity','Controls how new lines are rendered'=>'Kontroluje jak są renderowane nowe linie','New Lines'=>'Nowe linie','Week Starts On'=>'Pierwszy dzień tygodnia','The format used when saving a value'=>'Format używany podczas zapisywania wartości','Save Format'=>'Zapisz format','Date Picker JS weekHeaderWk'=>'Tydz','Date Picker JS prevTextPrev'=>'Wstecz','Date Picker JS nextTextNext'=>'Dalej','Date Picker JS currentTextToday'=>'Dzisiaj','Date Picker JS closeTextDone'=>'Gotowe','Date Picker'=>'Wybór daty','Width'=>'Szerokość','Embed Size'=>'Rozmiar osadzenia','Enter URL'=>'Wpisz adres URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Tekst wyświetlany, gdy jest wyłączone','Off Text'=>'Tekst, gdy wyłączone','Text shown when active'=>'Tekst wyświetlany, gdy jest włączone','On Text'=>'Tekst, gdy włączone','Stylized UI'=>'Ostylowany interfejs użytkownika','Default Value'=>'Wartość domyślna','Displays text alongside the checkbox'=>'Wyświetla tekst obok pola','Message'=>'Wiadomość','No'=>'Nie','Yes'=>'Tak','True / False'=>'Prawda / Fałsz','Row'=>'Wiersz','Table'=>'Tabela','Block'=>'Blok','Specify the style used to render the selected fields'=>'Określ style stosowane to renderowania wybranych pól','Layout'=>'Układ','Sub Fields'=>'Pola podrzędne','Group'=>'Grupa','Customize the map height'=>'Dostosuj wysokość mapy','Height'=>'Wysokość','Set the initial zoom level'=>'Ustaw początkowe powiększenie','Zoom'=>'Powiększenie','Center the initial map'=>'Wyśrodkuj początkową mapę','Center'=>'Wyśrodkowanie','Search for address...'=>'Szukaj adresu…','Find current location'=>'Znajdź aktualną lokalizację','Clear location'=>'Wyczyść lokalizację','Search'=>'Szukaj','Sorry, this browser does not support geolocation'=>'Przepraszamy, ta przeglądarka nie obsługuje geolokalizacji','Google Map'=>'Mapa Google','The format returned via template functions'=>'Wartość zwracana przez funkcje w szablonie','Return Format'=>'Zwracany format','Custom:'=>'Własny:','The format displayed when editing a post'=>'Format wyświetlany przy edycji wpisu','Display Format'=>'Format wyświetlania','Time Picker'=>'Wybór godziny','Inactive (%s)'=>'Wyłączone (%s)' . "\0" . 'Wyłączone (%s)' . "\0" . 'Wyłączone (%s)','No Fields found in Trash'=>'Nie znaleziono żadnych pól w koszu','No Fields found'=>'Nie znaleziono żadnych pól','Search Fields'=>'Szukaj pól','View Field'=>'Zobacz pole','New Field'=>'Nowe pole','Edit Field'=>'Edytuj pole','Add New Field'=>'Dodaj nowe pole','Field'=>'Pole','Fields'=>'Pola','No Field Groups found in Trash'=>'Nie znaleziono żadnych grup pól w koszu','No Field Groups found'=>'Nie znaleziono żadnych grup pól','Search Field Groups'=>'Szukaj grup pól','View Field Group'=>'Zobacz grupę pól','New Field Group'=>'Nowa grupa pól','Edit Field Group'=>'Edytuj grupę pól','Add New Field Group'=>'Dodaj nową grupę pól','Add New'=>'Dodaj','Field Group'=>'Grupa pól','Field Groups'=>'Grupy pól','Customize WordPress with powerful, professional and intuitive fields.'=>'Dostosuj WordPressa za pomocą wszechstronnych, profesjonalnych i intuicyjnych pól.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Nazwa typu bloku jest wymagana.','Block type "%s" is already registered.'=>'Typ bloku "%s" jest już zarejestrowany.','Switch to Edit'=>'Przejdź do Edytuj','Switch to Preview'=>'Przejdź do Podglądu','Change content alignment'=>'Zmień wyrównanie treści','%s settings'=>'Ustawienia %s','This block contains no editable fields.'=>'Ten blok nie zawiera żadnych edytowalnych pól.','Assign a field group to add fields to this block.'=>'Przypisz grupę pól, aby dodać pola do tego bloku.','Options Updated'=>'Ustawienia zostały zaktualizowane','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Aby włączyć aktualizacje, należy wprowadzić klucz licencyjny na stronie Aktualizacje. Jeśli nie posiadasz klucza licencyjnego, zapoznaj się z informacjami szczegółowymi i cenami.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Błąd aktywacji ACF. Zdefiniowany przez Państwa klucz licencyjny uległ zmianie, ale podczas dezaktywacji starej licencji wystąpił błąd','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Błąd aktywacji ACF. Twój zdefiniowany klucz licencyjny uległ zmianie, ale wystąpił błąd podczas łączenia się z serwerem aktywacyjnym','ACF Activation Error'=>'ACF Błąd aktywacji','ACF Activation Error. An error occurred when connecting to activation server'=>'Błąd aktywacji ACF. Wystąpił błąd podczas łączenia się z serwerem aktywacyjnym','Check Again'=>'Sprawdź ponownie','ACF Activation Error. Could not connect to activation server'=>'Błąd aktywacji ACF. Nie można połączyć się z serwerem aktywacyjnym','Publish'=>'Opublikuj','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Żadna grupa pól nie została dodana do tej strony opcji. Utwórz grupę własnych pól','Error. Could not connect to update server'=>'Błąd. Nie można połączyć z serwerem aktualizacji','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Error. Nie można uwierzytelnić pakietu aktualizacyjnego. Proszę sprawdzić ponownie lub dezaktywować i ponownie uaktywnić licencję ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Błąd. Twoja licencja dla tej strony wygasła lub została dezaktywowana. Proszę ponownie aktywować licencję ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Umożliwia wybranie i wyświetlenie istniejących pól. Nie duplikuje żadnych pól w bazie danych, ale ładuje i wyświetla wybrane pola w czasie wykonywania. Pole Klonuj może zastąpić się wybranymi polami lub wyświetlić wybrane pola jako grupę podpól.','Select one or more fields you wish to clone'=>'Wybierz jedno lub więcej pól które chcesz sklonować','Display'=>'Wyświetl','Specify the style used to render the clone field'=>'Określ styl wykorzystywany do stosowania w klonowanych polach','Group (displays selected fields in a group within this field)'=>'Grupuj (wyświetla wybrane pola w grupie)','Seamless (replaces this field with selected fields)'=>'Ujednolicenie (zastępuje to pole wybranymi polami)','Labels will be displayed as %s'=>'Etykiety będą wyświetlane jako %s','Prefix Field Labels'=>'Prefiks Etykiet Pól','Values will be saved as %s'=>'Wartości będą zapisane jako %s','Prefix Field Names'=>'Prefiks Nazw Pól','Unknown field'=>'Nieznane pole','Unknown field group'=>'Nieznana grupa pól','All fields from %s field group'=>'Wszystkie pola z grupy pola %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Umożliwia definiowanie, tworzenie i zarządzanie treścią z pełną kontrolą poprzez tworzenie układów zawierających podpola, które edytorzy treści mogą wybierać.','Add Row'=>'Dodaj wiersz','layout'=>'układ' . "\0" . 'układy' . "\0" . 'układów','layouts'=>'układy','This field requires at least {min} {label} {identifier}'=>'To pole wymaga przynajmniej {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'To pole ma ograniczenie {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostępne (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} wymagane (min {min})','Flexible Content requires at least 1 layout'=>'Elastyczne pole wymaga przynajmniej 1 układu','Click the "%s" button below to start creating your layout'=>'Kliknij przycisk "%s" poniżej, aby zacząć tworzyć nowy układ','Add layout'=>'Dodaj układ','Duplicate layout'=>'Powiel układ','Remove layout'=>'Usuń układ','Click to toggle'=>'Kliknij, aby przełączyć','Delete Layout'=>'Usuń układ','Duplicate Layout'=>'Duplikuj układ','Add New Layout'=>'Dodaj nowy układ','Add Layout'=>'Dodaj układ','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimalna liczba układów','Maximum Layouts'=>'Maksymalna liczba układów','Button Label'=>'Etykieta przycisku','%s must be of type array or null.'=>'%s musi być typu tablicy lub null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s musi zawierać co najmniej %2$s %3$s układ.' . "\0" . '%1$s musi zawierać co najmniej %2$s %3$s układy.' . "\0" . '%1$s musi zawierać co najmniej %2$s %3$s układów.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s musi zawierać co najwyżej %2$s %3$s układ.' . "\0" . '%1$s musi zawierać co najwyżej %2$s %3$s układy.' . "\0" . '%1$s musi zawierać co najwyżej %2$s %3$s układów.','An interactive interface for managing a collection of attachments, such as images.'=>'Interaktywny interfejs do zarządzania kolekcją załączników, takich jak obrazy.','Add Image to Gallery'=>'Dodaj obraz do galerii','Maximum selection reached'=>'Maksimum ilości wyborów osiągnięte','Length'=>'Długość','Caption'=>'Etykieta','Alt Text'=>'Tekst alternatywny','Add to gallery'=>'Dodaj do galerii','Bulk actions'=>'Działania na wielu','Sort by date uploaded'=>'Sortuj po dacie przesłania','Sort by date modified'=>'Sortuj po dacie modyfikacji','Sort by title'=>'Sortuj po tytule','Reverse current order'=>'Odwróć aktualną kolejność','Close'=>'Zamknij','Minimum Selection'=>'Minimalna liczba wybranych elementów','Maximum Selection'=>'Maksymalna liczba wybranych elementów','Allowed file types'=>'Dozwolone typy plików','Insert'=>'Wstaw','Specify where new attachments are added'=>'Określ gdzie są dodawane nowe załączniki','Append to the end'=>'Dodaj na końcu','Prepend to the beginning'=>'Dodaj do początku','Minimum rows not reached ({min} rows)'=>'Nie osiągnięto minimalnej liczby wierszy ({min} wierszy)','Maximum rows reached ({max} rows)'=>'Osiągnięto maksimum liczby wierszy ( {max} wierszy )','Error loading page'=>'Błąd ładowania strony','Order will be assigned upon save'=>'Kolejność zostanie przydzielona po zapisaniu','Useful for fields with a large number of rows.'=>'Przydatne dla pól z dużą liczbą wierszy.','Rows Per Page'=>'Wiersze na stronę','Set the number of rows to be displayed on a page.'=>'Ustawienie liczby wierszy, które mają być wyświetlane na stronie.','Minimum Rows'=>'Minimalna liczba wierszy','Maximum Rows'=>'Maksymalna liczba wierszy','Collapsed'=>'Zwinięty','Select a sub field to show when row is collapsed'=>'Wybierz pole podrzędne, które mają być pokazane kiedy wiersz jest zwinięty','Invalid field key or name.'=>'Nieprawidłowy klucz lub nazwa pola.','There was an error retrieving the field.'=>'Wystąpił błąd przy pobieraniu pola.','Click to reorder'=>'Kliknij, aby zmienić kolejność','Add row'=>'Dodaj wiersz','Duplicate row'=>'Powiel wiersz','Remove row'=>'Usuń wiersz','Current Page'=>'Bieżąca strona','First Page'=>'Pierwsza strona','Previous Page'=>'Poprzednia strona','paging%1$s of %2$s'=>'%1$s z %2$s','Next Page'=>'Następna strona','Last Page'=>'Ostatnia strona','No block types exist'=>'Nie istnieją żadne typy bloków','No options pages exist'=>'Strona opcji nie istnieje','Deactivate License'=>'Deaktywuj licencję','Activate License'=>'Aktywuj licencję','License Information'=>'Informacje o licencji','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Żeby odblokować aktualizacje proszę podać swój klucz licencyjny poniżej. Jeśli nie posiadasz klucza prosimy zapoznać się ze szczegółami i cennikiem.','License Key'=>'Klucz licencyjny','Your license key is defined in wp-config.php.'=>'Twój klucz licencyjny jest zdefiniowany w pliku wp-config.php.','Retry Activation'=>'Ponów próbę aktywacji','Update Information'=>'Informacje o aktualizacji','Current Version'=>'Zainstalowana wersja','Latest Version'=>'Najnowsza wersja','Update Available'=>'Dostępna aktualizacja','Upgrade Notice'=>'Informacje o aktualizacji','Check For Updates'=>'Sprawdź dostępność aktualizacji','Enter your license key to unlock updates'=>'Wprowadź klucz licencyjny, aby odblokować aktualizacje','Update Plugin'=>'Aktualizuj wtyczkę','Please reactivate your license to unlock updates'=>'Proszę wpisać swój klucz licencyjny powyżej aby odblokować aktualizacje'],'language'=>'pl_PL','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-pl_PL.mo b/lang/acf-pl_PL.mo
index 1d1b028..1a36a95 100644
Binary files a/lang/acf-pl_PL.mo and b/lang/acf-pl_PL.mo differ
diff --git a/lang/acf-pl_PL.po b/lang/acf-pl_PL.po
index e3fd7be..e07b24c 100644
--- a/lang/acf-pl_PL.po
+++ b/lang/acf-pl_PL.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: pl_PL\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2023,21 +2039,21 @@ msgstr "Dodaj pola"
msgid "This Field"
msgstr "To pole"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Uwagi"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Pomoc techniczna"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "jest rozwijany i utrzymywany przez"
@@ -4584,7 +4600,7 @@ msgstr ""
"Importuj typy treści i taksonomie zarejestrowane za pomocą wtyczki „Custom "
"Post Type UI” i zarządzaj nimi w ACF-ie. Rozpocznij."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4920,7 +4936,7 @@ msgstr "Włącz ten element"
msgid "Move field group to trash?"
msgstr "Przenieść grupę pól do kosza?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4933,7 +4949,7 @@ msgstr "Wyłączone"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4941,7 +4957,7 @@ msgstr ""
"Wtyczki Advanced Custom Fields i Advanced Custom Fields PRO nie powinny być "
"włączone jednocześnie. Automatycznie wyłączyliśmy Advanced Custom Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5394,7 +5410,7 @@ msgstr "Wszystkie formaty %s"
msgid "Attachment"
msgstr "Załącznik"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s wartość jest wymagana"
@@ -5883,7 +5899,7 @@ msgstr "Duplikuj ten element"
msgid "Supports"
msgstr "Obsługuje"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentacja"
@@ -6183,8 +6199,8 @@ msgstr "%d pola(-ól) wymaga uwagi"
msgid "1 field requires attention"
msgstr "1 pole wymaga uwagi"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Walidacja nie powiodła się"
@@ -7566,91 +7582,91 @@ msgid "Time Picker"
msgstr "Wybór godziny"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Wyłączone (%s)"
msgstr[1] "Wyłączone (%s)"
msgstr[2] "Wyłączone (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Nie znaleziono żadnych pól w koszu"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Nie znaleziono żadnych pól"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Szukaj pól"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Zobacz pole"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nowe pole"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Edytuj pole"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Dodaj nowe pole"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Pole"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Pola"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Nie znaleziono żadnych grup pól w koszu"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Nie znaleziono żadnych grup pól"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Szukaj grup pól"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Zobacz grupę pól"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nowa grupa pól"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Edytuj grupę pól"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Dodaj nową grupę pól"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Dodaj"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupa pól"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-pt_AO.l10n.php b/lang/acf-pt_AO.l10n.php
index 14c39cf..b65f05e 100644
--- a/lang/acf-pt_AO.l10n.php
+++ b/lang/acf-pt_AO.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'pt_AO','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2024-05-22T11:47:45+00:00','x-generator'=>'gettext','messages'=>['Widget'=>'Widget','User Role'=>'Papel de utilizador','Comment'=>'Comentário','Post Format'=>'Formato de artigo','Menu Item'=>'Item de menu','Post Status'=>'Estado do conteúdo','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia do artigo','Child Page (has parent)'=>'Página dependente (tem superior)','Parent Page (has children)'=>'Página superior (tem dependentes)','Top Level Page (no parent)'=>'Página de topo (sem superior)','Posts Page'=>'Página de artigos','Front Page'=>'Página inicial','Page Type'=>'Tipo de página','Viewing back end'=>'A visualizar a administração do site','Viewing front end'=>'A visualizar a frente do site','Logged in'=>'Sessão iniciada','Current User'=>'Utilizador actual','Page Template'=>'Modelo de página','Register'=>'Registar','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de utilizador','Page Parent'=>'Página superior','Super Admin'=>'Super Administrador','Current User Role'=>'Papel do utilizador actual','Default Template'=>'Modelo por omissão','Post Template'=>'Modelo de conteúdo','Post Category'=>'Categoria de artigo','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo de clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias na base de dados e requer uma actualização.','Database Upgrade Required'=>'Actualização da base de dados necessária','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Seleccione os itens a esconder do ecrã de edição.','Hide on screen'=>'Esconder no ecrã','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Excerto','Content Editor'=>'Editor de conteúdo','Permalink'=>'Ligação permanente','Shown in field group list'=>'Mostrado na lista de grupos de campos','Field groups with a lower order will appear first'=>'Serão mostrados primeiro os grupos de campos com menor número de ordem.','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo das legendas','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Acima (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Simples (sem metabox)','Standard (WP metabox)'=>'Predefinido (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do wrapper','Instructions for authors. Shown when submitting data'=>'Instruções para os autores. São mostradas ao preencher e submeter dados.','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos underscores (_) e traços (-).','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que será mostrado na página EDITAR.','Field Label'=>'Legenda do campo','Delete'=>'Eliminar','Delete field'=>'Eliminar campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reordenar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma actualização disponível.','Database upgrade complete. See what\'s new'=>'Actualização da base de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'A ler tarefas de actualização...','Upgrade failed.'=>'Falhou ao actualizar.','Upgrade complete.'=>'Actualização concluída.','Upgrading data to version %s'=>'A actualizar dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É 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?','Please select at least one site to upgrade.'=>'Por favor, seleccione pelo menos um site para actualizar.','Database Upgrade complete. Return to network dashboard'=>'Actualização da base de dados concluída. Voltar ao painel da rede','Site is up to date'=>'O site está actualizado','Site'=>'Site','Upgrade Sites'=>'Actualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select Field Groups'=>'Seleccione os grupos de campos','No field groups selected'=>'Nenhum grupo de campos seleccionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Ficheiro de importação vazio','Incorrect file type'=>'Tipo de ficheiro incorrecto','Error uploading file. Please try again'=>'Erro ao carregar ficheiro. Por favor tente de novo.','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Seleccionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Documentation'=>'Documentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Rever sites e actualizar','Upgrade Database'=>'Actualizar base de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor seleccione o destinho para este campo','Move Complete.'=>'Movido com sucesso.','Active'=>'Activo','Field Keys'=>'Chaves dos campos','Settings'=>'Definições','Location'=>'Localização','Null'=>'Nulo','copy'=>'cópia','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de opções disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que as suas alterações sejam guardadas.','The string "field_" may not be used at the start of a field name'=>'O prefixo "field_" não pode ser utilizado no início do nome do campo.','Field group draft updated.'=>'Rascunho de grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos agendado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Artigo','Relational'=>'Relacional','Choice'=>'Opção','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Artigo actualizado','Update'=>'Actualizar','Validate Email'=>'Validar email','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selecção é menor do que','Selection is greater than'=>'A selecção é maior do que','Value is less than'=>'O valor é menor do que','Value is greater than'=>'O valor é maior do que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem um valor qualquer','Cancel'=>'Cancelar','Are you sure?'=>'Tem a certeza?','%d fields require attention'=>'%d campos requerem a sua atenção','1 field requires attention'=>'1 campo requer a sua atenção','Validation failed'=>'A validação falhou','Validation successful'=>'Validação bem sucedida','Restricted'=>'Restrito','Collapse Details'=>'Minimizar detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Carregados neste artigo','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações que fez serão ignoradas se navegar para fora desta página.','File type must be %s.'=>'O tipo de ficheiro deve ser %s.','or'=>'ou','File size must be at least %s.'=>'O tamanho do ficheiro deve ser pelo menos de %s.','Image height must not exceed %dpx.'=>'A altura da imagem não deve exceder os %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ser pelo menos de %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não deve exceder os %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ser pelo menos de %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Média','Thumbnail'=>'Miniatura','(no label)'=>'(sem legenda)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Preceder com caixa de selecção adicional para seleccionar todas as opções','Save \'custom\' values to the field\'s choices'=>'Guarda valores personalizados nas opções do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova opção','Toggle All'=>'Seleccionar tudo','Allow Archives URLs'=>'Permitir URL do arquivo','Archives'=>'Arquivo','Page Link'=>'Ligação de página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O utilizador não pôde adicionar novo(a) %s','Term ID'=>'ID do termo','Term Object'=>'Termo','Load value from posts terms'=>'Carrega os termos a partir dos termos dos conteúdos.','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Liga os termos seleccionados ao conteúdo.','Save Terms'=>'Guardar termos','Allow new terms to be created whilst editing'=>'Permite a criação de novos termos durante a edição.','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opções','Single Value'=>'Valor único','Multi Select'=>'Selecção múltipla','Checkbox'=>'Caixa de selecção','Multiple Values'=>'Valores múltiplos','Select the appearance of this field'=>'Seleccione a apresentação deste campo.','Appearance'=>'Apresentação','Select the taxonomy to be displayed'=>'Seleccione a taxonomia que será mostrada.','Value must be equal to or lower than %d'=>'O valor deve ser igual ou inferior a %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou superior a %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar \'outros\' valores nas opções do campo','Add \'other\' choice to allow for custom values'=>'Adicionar opção \'outros\' para permitir a inserção de valores personalizados','Other'=>'Outro','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define o fim do acordeão anterior. Este item de acordeão não será visível.','Allow this accordion to open without closing others.'=>'Permite abrir este item de acordeão sem fechar os restantes.','Display this accordion as open on page load.'=>'Mostrar este item de acordeão aberto ao carregar a página.','Open'=>'Aberto','Accordion'=>'Acordeão','Restrict which files can be uploaded'=>'Restringe que ficheiros podem ser carregados.','File ID'=>'ID do ficheiro','File URL'=>'URL do ficheiro','File Array'=>'Array do ficheiro','Add File'=>'Adicionar ficheiro','No file selected'=>'Nenhum ficheiro seleccionado','File name'=>'Nome do ficheiro','Update File'=>'Actualizar ficheiro','Edit File'=>'Editar ficheiro','Select File'=>'Seleccionar ficheiro','File'=>'Ficheiro','Password'=>'Senha','Specify the value returned'=>'Especifica o valor devolvido.','Use AJAX to lazy load choices?'=>'Utilizar AJAX para carregar opções?','Enter each default value on a new line'=>'Insira cada valor por omissão numa linha separada','verbSelect'=>'Seleccionar','Select2 JS load_failLoading failed'=>'Falhou ao carregar','Select2 JS searchingSearching…'=>'A pesquisar…','Select2 JS load_moreLoading more results…'=>'A carregar mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só pode seleccionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Só pode seleccionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor elimine %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor elimine 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor insira %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor insira 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Nenhuma correspondência encontrada','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados encontrados, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado encontrado, prima Enter para seleccioná-lo.','nounSelect'=>'Selecção','User ID'=>'ID do utilizador','User Object'=>'Objecto do utilizador','User Array'=>'Array do utilizador','All user roles'=>'Todos os papéis de utilizador','User'=>'Utilizador','Separator'=>'Divisória','Select Color'=>'Seleccionar cor','Default'=>'Por omissão','Clear'=>'Limpar','Color Picker'=>'Selecção de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Escolha a hora','Date Time Picker'=>'Selecção de data e hora','Endpoint'=>'Fim','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado acima','Placement'=>'Posição','Tab'=>'Separador','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL da ligação','Link Array'=>'Array da ligação','Opens in a new window/tab'=>'Abre numa nova janela/separador','Select Link'=>'Seleccionar ligação','Link'=>'Ligação','Email'=>'Email','Step Size'=>'Valor dos passos','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Legenda','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para maior controlo, pode especificar tanto os valores como as legendas:','Enter each choice on a new line.'=>'Insira cada opção numa linha separada.','Choices'=>'Opções','Button Group'=>'Grupo de botões','Parent'=>'Superior','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas HTML','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e HTML','Tabs'=>'Separadores','Click to initialize TinyMCE'=>'Clique para inicializar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'HTML','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não limitar','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Mostrado depois do campo','Append'=>'Suceder','Appears before the input'=>'Mostrado antes do campo','Prepend'=>'Preceder','Appears within the input'=>'Mostrado dentro do campo','Placeholder Text'=>'Texto predefinido','Appears when creating a new post'=>'Mostrado ao criar um novo conteúdo','Text'=>'Texto','Post ID'=>'ID do conteúdo','Post Object'=>'Conteúdo','Featured Image'=>'Imagem de destaque','Selected elements will be displayed in each result'=>'Os elementos seleccionados serão mostrados em cada resultado.','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de conteúdo','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de conteúdo','Filter by Post Type'=>'Filtrar por tipo de conteúdo','Search...'=>'Pesquisar...','Select taxonomy'=>'Seleccione taxonomia','Select post type'=>'Seleccione tipo de conteúdo','No matches found'=>'Nenhuma correspondência encontrada','Loading'=>'A carregar','Maximum values reached ( {max} values )'=>'Valor máximo alcançado ( valor {max} )','Relationship'=>'Relação','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos.','Maximum'=>'Máximo','File size'=>'Tamanho do ficheiro','Restrict which images can be uploaded'=>'Restringir que imagens que ser carregadas','Minimum'=>'Mínimo','Uploaded to post'=>'Carregados no artigo','All'=>'Todos','Limit the media library choice'=>'Limita a escolha da biblioteca de media.','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na frente do site.','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem seleccionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Actualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Seleccionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permite visualizar o código HTML como texto visível, em vez de o processar.','Escape HTML'=>'Mostrar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como serão visualizadas novas linhas.','New Lines'=>'Novas linhas','Week Starts On'=>'Semana começa em','The format used when saving a value'=>'O formato usado ao guardar um valor','Save Format'=>'Formato guardado','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Selecção de data','Width'=>'Largura','Embed Size'=>'Tamanho da incorporação','Enter URL'=>'Insira o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado quando inactivo','Off Text'=>'Texto desligado','Text shown when active'=>'Texto mostrado quando activo','On Text'=>'Texto ligado','Default Value'=>'Valor por omissão','Displays text alongside the checkbox'=>'Texto mostrado ao lado da caixa de selecção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifica o estilo usado para mostrar os campos seleccionados.','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centrar o mapa inicial','Center'=>'Centrar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização actual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'Desculpe, este navegador não suporta geolocalização.','Google Map'=>'Mapa do Google','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato de visualização ao editar um conteúdo','Display Format'=>'Formato de visualização','Time Picker'=>'Selecção de hora','No Fields found in Trash'=>'Nenhum campo encontrado no lixo','No Fields found'=>'Nenhum campo encontrado','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Nenhum grupo de campos encontrado no lixo','No Field Groups found'=>'Nenhum grupo de campos encontrado','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos intuitivos, poderosos e profissionais.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['The core ACF block binding source name for fields on the current pageACF Fields'=>'','Learn how to fix this'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s. %3$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'','No Taxonomies found'=>'','Search Taxonomies'=>'','View Taxonomy'=>'','New Taxonomy'=>'','Edit Taxonomy'=>'','Add New Taxonomy'=>'','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'','Edit Post Type'=>'','Add New Post Type'=>'','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'','PRO'=>'','Advanced'=>'','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'','Select Field Type'=>'','Popular'=>'','Add Taxonomy'=>'','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy.'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'','No tags found'=>'','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'','Choose from the most used tags'=>'','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'','Add or remove tags'=>'','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'','Search Tags'=>'','Assigns search items text.'=>'','Parent Category:'=>'','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'','New Tag Name'=>'','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'','Add New Tag'=>'','Assigns the add new item text.'=>'','Update Tag'=>'','Assigns the update item text.'=>'','Update Item'=>'','Update %s'=>'','View Tag'=>'','In the admin bar to view term during editing.'=>'','Edit Tag'=>'','At the top of the editor screen when editing a term.'=>'','All Tags'=>'','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen.'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','The icon used for the post type menu item in the admin dashboard. Can be a URL or %s to use for the icon.'=>'','Dashicon class name'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'','Post Link'=>'','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'','Post updated.'=>'','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'','Post scheduled.'=>'','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'','Post reverted to draft.'=>'','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'','Post published.'=>'','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'','Posts list'=>'','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'','%s list'=>'','Posts list navigation'=>'','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'','Use as featured image'=>'','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'','Remove featured image'=>'','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'','Set featured image'=>'','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'','Post Archives'=>'','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'','Search Posts'=>'','At the top of the items screen when searching for an item.'=>'','Search Items'=>'','Search %s'=>'','Parent Page:'=>'','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'','New Post'=>'','New Item'=>'','New %s'=>'','Add New Post'=>'','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'','Add New %s'=>'','View Posts'=>'','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'','View Post'=>'','In the admin bar to view item when editing it.'=>'','View Item'=>'','View %s'=>'','Edit Post'=>'','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'','Edit %s'=>'','All Posts'=>'','In the post type submenu in the admin dashboard.'=>'','All Items'=>'','All %s'=>'','Admin menu name for the post type.'=>'','Menu Name'=>'','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'','Trackbacks'=>'','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '','Category'=>'','Tag'=>'','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'','Advanced Settings'=>'','Basic Settings'=>'','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'','taxonomy'=>'','post type'=>'','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '','post statusRegistration Failed'=>'','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'','Permissions'=>'','URLs'=>'','Visibility'=>'','Labels'=>'','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'','Advanced Custom Fields logo'=>'','Save Changes'=>'','Field Group Title'=>'','Add title'=>'','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'','Created on %1$s at %2$s'=>'','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'','#'=>'','Add Field'=>'','Presentation'=>'','Validation'=>'','General'=>'','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'' . "\0" . '','Field group activated.'=>'' . "\0" . '','Deactivate'=>'','Deactivate this item'=>'','Activate'=>'','Activate this item'=>'','Move field group to trash?'=>'','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'','Enable Transparency'=>'','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'','post statusActive'=>'','\'%s\' is not a valid email address'=>'','Color value'=>'','Select default color'=>'','Clear color'=>'','Blocks'=>'','Options'=>'','Users'=>'','Menu items'=>'','Widgets'=>'','Attachments'=>'','Taxonomies'=>'','Posts'=>'','Last updated: %s'=>'','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'','Awaiting save'=>'','Saved'=>'','Import'=>'','Review changes'=>'','Located in: %s'=>'','Located in plugin: %s'=>'','Located in theme: %s'=>'','Various'=>'','Sync changes'=>'','Loading diff'=>'','Review local JSON changes'=>'','Visit website'=>'','View details'=>'','Version %s'=>'','Information'=>'','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'','Location type "%s" is already registered.'=>'','Class "%s" does not exist.'=>'','Invalid nonce.'=>'','Error loading field.'=>'','Location not found: %s'=>'','Error: %s'=>'','Widget'=>'Widget','User Role'=>'Papel de utilizador','Comment'=>'Comentário','Post Format'=>'Formato de artigo','Menu Item'=>'Item de menu','Post Status'=>'Estado do conteúdo','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia do artigo','Child Page (has parent)'=>'Página dependente (tem superior)','Parent Page (has children)'=>'Página superior (tem dependentes)','Top Level Page (no parent)'=>'Página de topo (sem superior)','Posts Page'=>'Página de artigos','Front Page'=>'Página inicial','Page Type'=>'Tipo de página','Viewing back end'=>'A visualizar a administração do site','Viewing front end'=>'A visualizar a frente do site','Logged in'=>'Sessão iniciada','Current User'=>'Utilizador actual','Page Template'=>'Modelo de página','Register'=>'Registar','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de utilizador','Page Parent'=>'Página superior','Super Admin'=>'Super Administrador','Current User Role'=>'Papel do utilizador actual','Default Template'=>'Modelo por omissão','Post Template'=>'Modelo de conteúdo','Post Category'=>'Categoria de artigo','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo de clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias na base de dados e requer uma actualização.','Thank you for updating to %1$s v%2$s!'=>'','Database Upgrade Required'=>'Actualização da base de dados necessária','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Seleccione os itens a esconder do ecrã de edição.','Hide on screen'=>'Esconder no ecrã','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Excerto','Content Editor'=>'Editor de conteúdo','Permalink'=>'Ligação permanente','Shown in field group list'=>'Mostrado na lista de grupos de campos','Field groups with a lower order will appear first'=>'Serão mostrados primeiro os grupos de campos com menor número de ordem.','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo das legendas','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Acima (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Simples (sem metabox)','Standard (WP metabox)'=>'Predefinido (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do wrapper','Required'=>'','Instructions for authors. Shown when submitting data'=>'Instruções para os autores. São mostradas ao preencher e submeter dados.','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos underscores (_) e traços (-).','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que será mostrado na página EDITAR.','Field Label'=>'Legenda do campo','Delete'=>'Eliminar','Delete field'=>'Eliminar campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reordenar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma actualização disponível.','Database upgrade complete. See what\'s new'=>'Actualização da base de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'A ler tarefas de actualização...','Upgrade failed.'=>'Falhou ao actualizar.','Upgrade complete.'=>'Actualização concluída.','Upgrading data to version %s'=>'A actualizar dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É 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?','Please select at least one site to upgrade.'=>'Por favor, seleccione pelo menos um site para actualizar.','Database Upgrade complete. Return to network dashboard'=>'Actualização da base de dados concluída. Voltar ao painel da rede','Site is up to date'=>'O site está actualizado','Site requires database upgrade from %1$s to %2$s'=>'','Site'=>'Site','Upgrade Sites'=>'Actualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Seleccione os grupos de campos','No field groups selected'=>'Nenhum grupo de campos seleccionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Ficheiro de importação vazio','Incorrect file type'=>'Tipo de ficheiro incorrecto','Error uploading file. Please try again'=>'Erro ao carregar ficheiro. Por favor tente de novo.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Seleccionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Supports'=>'','Documentation'=>'Documentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group synchronized.'=>'' . "\0" . '','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Rever sites e actualizar','Upgrade Database'=>'Actualizar base de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor seleccione o destinho para este campo','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'Movido com sucesso.','Active'=>'Activo','Field Keys'=>'Chaves dos campos','Settings'=>'Definições','Location'=>'Localização','Null'=>'Nulo','copy'=>'cópia','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de opções disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que as suas alterações sejam guardadas.','The string "field_" may not be used at the start of a field name'=>'O prefixo "field_" não pode ser utilizado no início do nome do campo.','Field group draft updated.'=>'Rascunho de grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos agendado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Artigo','Relational'=>'Relacional','Choice'=>'Opção','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Artigo actualizado','Update'=>'Actualizar','Validate Email'=>'Validar email','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selecção é menor do que','Selection is greater than'=>'A selecção é maior do que','Value is less than'=>'O valor é menor do que','Value is greater than'=>'O valor é maior do que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem um valor qualquer','Cancel'=>'Cancelar','Are you sure?'=>'Tem a certeza?','%d fields require attention'=>'%d campos requerem a sua atenção','1 field requires attention'=>'1 campo requer a sua atenção','Validation failed'=>'A validação falhou','Validation successful'=>'Validação bem sucedida','Restricted'=>'Restrito','Collapse Details'=>'Minimizar detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Carregados neste artigo','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações que fez serão ignoradas se navegar para fora desta página.','File type must be %s.'=>'O tipo de ficheiro deve ser %s.','or'=>'ou','File size must not exceed %s.'=>'','File size must be at least %s.'=>'O tamanho do ficheiro deve ser pelo menos de %s.','Image height must not exceed %dpx.'=>'A altura da imagem não deve exceder os %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ser pelo menos de %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não deve exceder os %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ser pelo menos de %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Média','Thumbnail'=>'Miniatura','(no label)'=>'(sem legenda)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Preceder com caixa de selecção adicional para seleccionar todas as opções','Save \'custom\' values to the field\'s choices'=>'Guarda valores personalizados nas opções do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova opção','Toggle All'=>'Seleccionar tudo','Allow Archives URLs'=>'Permitir URL do arquivo','Archives'=>'Arquivo','Page Link'=>'Ligação de página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O utilizador não pôde adicionar novo(a) %s','Term ID'=>'ID do termo','Term Object'=>'Termo','Load value from posts terms'=>'Carrega os termos a partir dos termos dos conteúdos.','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Liga os termos seleccionados ao conteúdo.','Save Terms'=>'Guardar termos','Allow new terms to be created whilst editing'=>'Permite a criação de novos termos durante a edição.','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opções','Single Value'=>'Valor único','Multi Select'=>'Selecção múltipla','Checkbox'=>'Caixa de selecção','Multiple Values'=>'Valores múltiplos','Select the appearance of this field'=>'Seleccione a apresentação deste campo.','Appearance'=>'Apresentação','Select the taxonomy to be displayed'=>'Seleccione a taxonomia que será mostrada.','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'O valor deve ser igual ou inferior a %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou superior a %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar \'outros\' valores nas opções do campo','Add \'other\' choice to allow for custom values'=>'Adicionar opção \'outros\' para permitir a inserção de valores personalizados','Other'=>'Outro','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define o fim do acordeão anterior. Este item de acordeão não será visível.','Allow this accordion to open without closing others.'=>'Permite abrir este item de acordeão sem fechar os restantes.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Mostrar este item de acordeão aberto ao carregar a página.','Open'=>'Aberto','Accordion'=>'Acordeão','Restrict which files can be uploaded'=>'Restringe que ficheiros podem ser carregados.','File ID'=>'ID do ficheiro','File URL'=>'URL do ficheiro','File Array'=>'Array do ficheiro','Add File'=>'Adicionar ficheiro','No file selected'=>'Nenhum ficheiro seleccionado','File name'=>'Nome do ficheiro','Update File'=>'Actualizar ficheiro','Edit File'=>'Editar ficheiro','Select File'=>'Seleccionar ficheiro','File'=>'Ficheiro','Password'=>'Senha','Specify the value returned'=>'Especifica o valor devolvido.','Use AJAX to lazy load choices?'=>'Utilizar AJAX para carregar opções?','Enter each default value on a new line'=>'Insira cada valor por omissão numa linha separada','verbSelect'=>'Seleccionar','Select2 JS load_failLoading failed'=>'Falhou ao carregar','Select2 JS searchingSearching…'=>'A pesquisar…','Select2 JS load_moreLoading more results…'=>'A carregar mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só pode seleccionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Só pode seleccionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor elimine %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor elimine 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor insira %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor insira 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Nenhuma correspondência encontrada','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados encontrados, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado encontrado, prima Enter para seleccioná-lo.','nounSelect'=>'Selecção','User ID'=>'ID do utilizador','User Object'=>'Objecto do utilizador','User Array'=>'Array do utilizador','All user roles'=>'Todos os papéis de utilizador','Filter by Role'=>'','User'=>'Utilizador','Separator'=>'Divisória','Select Color'=>'Seleccionar cor','Default'=>'Por omissão','Clear'=>'Limpar','Color Picker'=>'Selecção de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Escolha a hora','Date Time Picker'=>'Selecção de data e hora','Endpoint'=>'Fim','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado acima','Placement'=>'Posição','Tab'=>'Separador','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL da ligação','Link Array'=>'Array da ligação','Opens in a new window/tab'=>'Abre numa nova janela/separador','Select Link'=>'Seleccionar ligação','Link'=>'Ligação','Email'=>'Email','Step Size'=>'Valor dos passos','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Legenda','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para maior controlo, pode especificar tanto os valores como as legendas:','Enter each choice on a new line.'=>'Insira cada opção numa linha separada.','Choices'=>'Opções','Button Group'=>'Grupo de botões','Allow Null'=>'','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas HTML','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e HTML','Tabs'=>'Separadores','Click to initialize TinyMCE'=>'Clique para inicializar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'HTML','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não limitar','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Mostrado depois do campo','Append'=>'Suceder','Appears before the input'=>'Mostrado antes do campo','Prepend'=>'Preceder','Appears within the input'=>'Mostrado dentro do campo','Placeholder Text'=>'Texto predefinido','Appears when creating a new post'=>'Mostrado ao criar um novo conteúdo','Text'=>'Texto','%1$s requires at least %2$s selection'=>'' . "\0" . '','Post ID'=>'ID do conteúdo','Post Object'=>'Conteúdo','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagem de destaque','Selected elements will be displayed in each result'=>'Os elementos seleccionados serão mostrados em cada resultado.','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de conteúdo','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de conteúdo','Filter by Post Type'=>'Filtrar por tipo de conteúdo','Search...'=>'Pesquisar...','Select taxonomy'=>'Seleccione taxonomia','Select post type'=>'Seleccione tipo de conteúdo','No matches found'=>'Nenhuma correspondência encontrada','Loading'=>'A carregar','Maximum values reached ( {max} values )'=>'Valor máximo alcançado ( valor {max} )','Relationship'=>'Relação','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos.','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamanho do ficheiro','Restrict which images can be uploaded'=>'Restringir que imagens que ser carregadas','Minimum'=>'Mínimo','Uploaded to post'=>'Carregados no artigo','All'=>'Todos','Limit the media library choice'=>'Limita a escolha da biblioteca de media.','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na frente do site.','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem seleccionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Actualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Seleccionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permite visualizar o código HTML como texto visível, em vez de o processar.','Escape HTML'=>'Mostrar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como serão visualizadas novas linhas.','New Lines'=>'Novas linhas','Week Starts On'=>'Semana começa em','The format used when saving a value'=>'O formato usado ao guardar um valor','Save Format'=>'Formato guardado','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Selecção de data','Width'=>'Largura','Embed Size'=>'Tamanho da incorporação','Enter URL'=>'Insira o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado quando inactivo','Off Text'=>'Texto desligado','Text shown when active'=>'Texto mostrado quando activo','On Text'=>'Texto ligado','Stylized UI'=>'','Default Value'=>'Valor por omissão','Displays text alongside the checkbox'=>'Texto mostrado ao lado da caixa de selecção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifica o estilo usado para mostrar os campos seleccionados.','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centrar o mapa inicial','Center'=>'Centrar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização actual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'Desculpe, este navegador não suporta geolocalização.','Google Map'=>'Mapa do Google','The format returned via template functions'=>'','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato de visualização ao editar um conteúdo','Display Format'=>'Formato de visualização','Time Picker'=>'Selecção de hora','Inactive (%s)'=>'' . "\0" . '','No Fields found in Trash'=>'Nenhum campo encontrado no lixo','No Fields found'=>'Nenhum campo encontrado','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Nenhum grupo de campos encontrado no lixo','No Field Groups found'=>'Nenhum grupo de campos encontrado','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos intuitivos, poderosos e profissionais.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'pt_AO','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-pt_BR.l10n.php b/lang/acf-pt_BR.l10n.php
index d749123..f72397c 100644
--- a/lang/acf-pt_BR.l10n.php
+++ b/lang/acf-pt_BR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'pt_BR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['[The ACF shortcode cannot display fields from non-public posts]'=>'[O shortcode do ACF não pode exibir campos de posts não públicos]','[The ACF shortcode is disabled on this site]'=>'[O shortcode do ACF está desativado neste site]','Businessman Icon'=>'Ícone de homem de negócios','Forums Icon'=>'Ícone de fórum','YouTube Icon'=>'Ícone do Youtube','Yes (alt) Icon'=>'Ícone Sim (alt)','WordPress (alt) Icon'=>'Ícone WordPress (alt)','WhatsApp Icon'=>'Ícone do WhatsApp','Write Blog Icon'=>'Ícone de escrever','Widgets Menus Icon'=>'Ícone de widgets','View Site Icon'=>'Ícone de Ver Site','Learn More Icon'=>'Ícone de saiba mais','Add Page Icon'=>'Ícone de adicionar página','Video (alt3) Icon'=>'Ícone de vídeo (alt3)','Video (alt2) Icon'=>'Ícone de vídeo (alt2)','Video (alt) Icon'=>'Ícone de vídeo (alt)','Update (alt) Icon'=>'Ícone de atualizar','Universal Access (alt) Icon'=>'Ícone de acesso universal (alt)','Twitter (alt) Icon'=>'Ícone do Twitter (alt)','Twitch Icon'=>'Ícone do Twitch','Tickets (alt) Icon'=>'Ícone de tickets (alt)','Text Page Icon'=>'Ícone de texto de página','Table Row Delete Icon'=>'Ícone de deletar linha da tabela','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos do ACF','ACF PRO Feature'=>'Funcionalidade ACF PRO','Renew PRO to Unlock'=>'Renove o PRO para desbloquear','Renew PRO License'=>'Renovar a licença PRO','PRO fields cannot be edited without an active license.'=>'Campos PRO não podem ser editados sem uma licença ativa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Por favor, ative sua licença do ACF PRO para editar grupos de campos atribuídos a um Bloco ACF.','Please activate your ACF PRO license to edit this options page.'=>'Ative sua licença ACF PRO para editar essa página de opções.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Retornar valores de HTML escapados só é possível quando format_value também é verdadeiro. Os valores do campo não foram retornados por motivos de segurança.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Retornar um valor de HTML escapado é apenas possível quando format_value também é verdadeiro. O valor do campo não foi retornado por motivos de segurança.','Please contact your site administrator or developer for more details.'=>'Entre em contato com o administrador do seu site ou com o desenvolvedor para mais detalhes.','Hide details'=>'Ocultar detalhes','Show details'=>'Mostrar detalhes','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew ACF PRO License'=>'Renovar a licença ACF PRO','Renew License'=>'Renovar licença','Manage License'=>'Gerenciar licença','\'High\' position not supported in the Block Editor'=>'A posição "alta" não é suportada pelo editor de blocos.','Upgrade to ACF PRO'=>'Upgrade para ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'As páginas de opções do ACF são páginas de administração personalizadas para gerenciar configurações globais através de campos. Você pode criar várias páginas e subpáginas.','Add Options Page'=>'Adicionar página de opções','In the editor used as the placeholder of the title.'=>'No editor usado como espaço reservado para o título.','Title Placeholder'=>'Título de marcação','4 Months Free'=>'4 meses grátis','(Duplicated from %s)'=>' (Duplicado de %s)','Select Options Pages'=>'Selecionar páginas de opções','Duplicate taxonomy'=>'Duplicar taxonomia','Create taxonomy'=>'Criar taxonomia','Duplicate post type'=>'Duplicar tipo de post','Create post type'=>'Criar tipo de post','Link field groups'=>'Vincular grupos de campos','Add fields'=>'Adicionar campos','This Field'=>'Este campo','ACF PRO'=>'ACF PRO','Feedback'=>'Sugestões','Support'=>'Suporte','is developed and maintained by'=>'é desenvolvido e mantido por','Add this %s to the location rules of the selected field groups.'=>'Adicione este %s às regras de localização dos grupos de campos selecionados','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecione o(s) campo(s) para armazenar a referência de volta ao item que está sendo atualizado. Você pode selecionar este campo. Os campos de destino devem ser compatíveis com onde este campo está sendo exibido. Por exemplo, se este campo estiver sendo exibido em uma Taxonomia, seu campo de destino deve ser do tipo Taxonomia','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Atualize um campo nos valores selecionados, referenciando de volta para este ID','Bidirectional'=>'Bidirecional','%s Field'=>'Campo %s','Select Multiple'=>'Selecionar vários','The capability name for editing terms of this taxonomy.'=>'O nome da capacidade para editar termos desta taxonomia.','Edit Terms Capability'=>'Editar capacidade dos termos','%s fields'=>'Campos de %s','No terms'=>'Não há termos','No post types'=>'Não há tipos de post','No posts'=>'Não há posts','No taxonomies'=>'Não há taxonomias','No field groups'=>'Não há grupos de campos','No fields'=>'Não há campos','No description'=>'Não há descrição','Any post status'=>'Qualquer status de post','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta chave de taxonomia já está em uso por outra taxonomia registrada fora do ACF e não pode ser usada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta chave de taxonomia já está em uso por outra taxonomia no ACF e não pode ser usada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave de taxonomia deve conter apenas caracteres alfanuméricos minúsculos, sublinhados ou hífens.','No Taxonomies found in Trash'=>'Não foi possível encontrar taxonomias na lixeira','No Taxonomies found'=>'Não foi possível encontrar taxonomias','Search Taxonomies'=>'Pesquisar taxonomias','View Taxonomy'=>'Ver taxonomia','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Editar taxonomia','Add New Taxonomy'=>'Adicionar nova taxonomia','No Post Types found in Trash'=>'Não foi possível encontrar tipos de post na lixeira','No Post Types found'=>'Não foi possível encontrar tipos de post','Search Post Types'=>'Pesquisar tipos de post','View Post Type'=>'Ver tipo de post','New Post Type'=>'Novo tipo de post','Edit Post Type'=>'Editar tipo de post','Add New Post Type'=>'Adicionar novo tipo de post','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta chave de tipo de post já está em uso por outro tipo de post registrado fora do ACF e não pode ser usada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta chave de tipo de post já está em uso por outro tipo de post no ACF e não pode ser usada.','This field must not be a WordPress reserved term.'=>'Este campo não deve ser um termo reservado do WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave do tipo de post deve conter apenas caracteres alfanuméricos minúsculos, sublinhados ou hífens.','The post type key must be under 20 characters.'=>'A chave do tipo de post deve ter menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'Não recomendamos o uso deste campo em blocos do ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Exibe o editor WordPress WYSIWYG como visto em Posts e Páginas, permitindo uma rica experiência de edição de texto que também permite conteúdo multimídia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite a seleção de um ou mais usuários que podem ser usados para criar relacionamentos entre objetos de dados.','A text input specifically designed for storing web addresses.'=>'Uma entrada de texto projetada especificamente para armazenar endereços da web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Um botão de alternar que permite escolher um valor de 1 ou 0 (ligado ou desligado, verdadeiro ou falso, etc.). Pode ser apresentado como um botão estilizado ou uma caixa de seleção.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Uma interface interativa para escolher um horário. O formato de horário pode ser personalizado usando as configurações do campo.','A basic textarea input for storing paragraphs of text.'=>'Uma entrada de área de texto básica para armazenar parágrafos de texto.','A basic text input, useful for storing single string values.'=>'Uma entrada de texto básica, útil para armazenar valores de texto únicos.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite a seleção de um ou mais termos de taxonomia com base nos critérios e opções especificados nas configurações dos campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Permite agrupar campos em seções com abas na tela de edição. Útil para manter os campos organizados e estruturados.','A dropdown list with a selection of choices that you specify.'=>'Uma lista suspensa com uma seleção de escolhas que você especifica.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Uma interface de coluna dupla para selecionar um ou mais posts, páginas ou itens de tipo de post personalizados para criar um relacionamento com o item que você está editando no momento. Inclui opções para pesquisar e filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Uma entrada para selecionar um valor numérico dentro de um intervalo especificado usando um elemento deslizante de intervalo.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Um grupo de entradas de botão de opção que permite ao usuário fazer uma única seleção a partir dos valores especificados.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Uma interface interativa e personalizável para escolher um ou vários posts, páginas ou itens de tipos de post com a opção de pesquisa. ','An input for providing a password using a masked field.'=>'Uma entrada para fornecer uma senha usando um campo mascarado.','Filter by Post Status'=>'Filtrar por status do post','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Um menu suspenso interativo para selecionar um ou mais posts, páginas, itens de um tipo de post personalizado ou URLs de arquivo, com a opção de pesquisa.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Um componente interativo para incorporar vídeos, imagens, tweets, áudio e outros conteúdos, fazendo uso da funcionalidade oEmbed nativa do WordPress.','An input limited to numerical values.'=>'Uma entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Usado para exibir uma mensagem aos editores ao lado de outros campos. Útil para fornecer contexto adicional ou instruções sobre seus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Permite especificar um link e suas propriedades, como título e destino, usando o seletor de links nativo do WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Usa o seletor de mídia nativo do WordPress para enviar ou escolher imagens.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Fornece uma maneira de estruturar os campos em grupos para organizar melhor os dados e a tela de edição.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Uma interface interativa para selecionar um local usando o Google Maps. Requer uma chave de API do Google Maps e configuração adicional para exibir corretamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Usa o seletor de mídia nativo do WordPress para enviar ou escolher arquivos.','A text input specifically designed for storing email addresses.'=>'Uma entrada de texto projetada especificamente para armazenar endereços de e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Uma interface interativa para escolher uma data e um horário. O formato de data devolvido pode ser personalizado usando as configurações do campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Uma interface interativa para escolher uma data. O formato de data devolvido pode ser personalizado usando as configurações do campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Uma interface interativa para selecionar uma cor ou especificar um valor hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Um grupo de entradas de caixa de seleção que permite ao usuário selecionar um ou vários valores especificados.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Um grupo de botões com valores que você especifica, os usuários podem escolher uma opção entre os valores fornecidos.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Permite agrupar e organizar campos personalizados em painéis recolhíveis que são exibidos durante a edição do conteúdo. Útil para manter grandes conjuntos de dados organizados.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Isso fornece uma solução para repetir conteúdo, como slides, membros da equipe e blocos de chamada para ação, agindo como um ascendente para um conjunto de subcampos que podem ser repetidos várias vezes.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Isso fornece uma interface interativa para gerenciar uma coleção de anexos. A maioria das configurações é semelhante ao tipo de campo Imagem. Configurações adicionais permitem que você especifique onde novos anexos são adicionados na galeria e o número mínimo/máximo de anexos permitidos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Isso fornece um editor simples, estruturado e baseado em layout. O campo "conteúdo flexível" permite definir, criar e gerenciar o conteúdo com total controle, utilizando layouts e subcampos para desenhar os blocos disponíveis.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Isso permite que você selecione e exiba os campos existentes. Ele não duplica nenhum campo no banco de dados, mas carrega e exibe os campos selecionados em tempo de execução. O campo "clone" pode se substituir pelos campos selecionados ou exibir os campos selecionados como um grupo de subcampos.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avançado','JSON (newer)'=>'JSON (mais recente)','Original'=>'Original','Invalid post ID.'=>'ID de post inválido.','Invalid post type selected for review.'=>'Tipo de post inválido selecionado para revisão.','More'=>'Mais','Tutorial'=>'Tutorial','Select Field'=>'Selecionar campo','Try a different search term or browse %s'=>'Tente um termo de pesquisa diferente ou procure pelos %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'Nenhum resultado de pesquisa para \'%s\'','Search fields...'=>'Pesquisar campos...','Select Field Type'=>'Selecione o tipo de campo','Popular'=>'Popular','Add Taxonomy'=>'Adicionar taxonomia','Create custom taxonomies to classify post type content'=>'Crie taxonomias personalizadas para classificar o conteúdo do tipo de post','Add Your First Taxonomy'=>'Adicione sua primeira taxonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Taxonomias hierárquicas podem ter descendentes (como categorias).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Torna uma taxonomia visível na interface e no painel administrativo.','One or many post types that can be classified with this taxonomy.'=>'Um ou vários tipos de post que podem ser classificados com esta taxonomia.','genre'=>'gênero','Genre'=>'Gênero','Genres'=>'Gêneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para usar em vez de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Expor esse tipo de post na API REST.','Customize the query variable name'=>'Personalize o nome da variável de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Os termos podem ser acessados usando o link permanente não bonito, por exemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termos ascendente-descendente em URLs para taxonomias hierárquicas.','Customize the slug used in the URL'=>'Personalize o slug usado no URL','Permalinks for this taxonomy are disabled.'=>'Os links permanentes para esta taxonomia estão desativados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescreva o URL usando a chave de taxonomia como slug. Sua estrutura de link permanente será','Taxonomy Key'=>'Chave de taxonomia','Select the type of permalink to use for this taxonomy.'=>'Selecione o tipo de link permanente a ser usado para esta taxonomia.','Display a column for the taxonomy on post type listing screens.'=>'Exiba uma coluna para a taxonomia nas telas de listagem do tipo de post.','Show Admin Column'=>'Mostrar coluna administrativa','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar a taxonomia no painel de edição rápida/em massa.','Quick Edit'=>'Edição rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Listar a taxonomia nos controles do widget de nuvem de tags.','Tag Cloud'=>'Nuvem de tags','Meta Box Sanitization Callback'=>'Callback de higienização da metabox','Register Meta Box Callback'=>'Cadastrar callback da metabox','No Meta Box'=>'Sem metabox','Custom Meta Box'=>'Metabox personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla a metabox na tela do editor de conteúdo. Por padrão, a metabox "Categorias" é mostrada para taxonomias hierárquicas e a metabox "Tags" é mostrada para taxonomias não hierárquicas.','Meta Box'=>'Metabox','Categories Meta Box'=>'Metabox de categorias','Tags Meta Box'=>'Metabox de tags','A link to a tag'=>'Um link para uma tag','Describes a navigation link block variation used in the block editor.'=>'Descreve uma variação de bloco de link de navegação usada no editor de blocos.','A link to a %s'=>'Um link para um %s','Tag Link'=>'Link da tag','Assigns a title for navigation link block variation used in the block editor.'=>'Atribui um título para a variação do bloco de link de navegação usado no editor de blocos.','← Go to tags'=>'← Ir para tags','Assigns the text used to link back to the main index after updating a term.'=>'Atribui o texto usado para vincular de volta ao índice principal após atualizar um termo.','Back To Items'=>'Voltar aos itens','← Go to %s'=>'← Ir para %s','Tags list'=>'Lista de tags','Assigns text to the table hidden heading.'=>'Atribui texto ao título oculto da tabela.','Tags list navigation'=>'Navegação da lista de tags','Assigns text to the table pagination hidden heading.'=>'Atribui texto ao título oculto da paginação da tabela.','Filter by category'=>'Filtrar por categoria','Assigns text to the filter button in the posts lists table.'=>'Atribui texto ao botão de filtro na tabela de listas de posts.','Filter By Item'=>'Filtrar por item','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'A descrição não está em destaque por padrão, no entanto alguns temas podem mostrá-la.','Describes the Description field on the Edit Tags screen.'=>'Descreve o campo "descrição" na tela "editar tags".','Description Field Description'=>'Descrição do campo de descrição','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Atribua um termo ascendente para criar uma hierarquia. O termo Jazz, por exemplo, pode ser ascendente de Bebop ou Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descreve o campo "ascendente" na tela "editar tags".','Parent Field Description'=>'Descrição do campo ascendente','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'O "slug" é a versão do nome amigável para o URL. Geralmente é todo em minúsculas e contém apenas letras, números e hífens.','Describes the Slug field on the Edit Tags screen.'=>'Descreve o campo "slug" na tela "editar tags".','Slug Field Description'=>'Descrição do campo de slug','The name is how it appears on your site'=>'O nome é como aparece no seu site','Describes the Name field on the Edit Tags screen.'=>'Descreve o campo "nome" na tela "editar tags".','Name Field Description'=>'Descrição do campo de nome','No tags'=>'Não há tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Atribui o texto exibido nas tabelas de posts e listas de mídia quando não há tags ou categorias disponíveis.','No Terms'=>'Não há termos','No %s'=>'Não há %s','No tags found'=>'Não foi possível encontrar tags','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Atribui o texto exibido ao clicar no texto "escolher entre os mais usados" na metabox da taxonomia quando não há tags disponíveis e atribui o texto usado na tabela da lista de termos quando não há itens para uma taxonomia.','Not Found'=>'Não encontrado','Assigns text to the Title field of the Most Used tab.'=>'Atribui texto ao campo "título" da aba "mais usados".','Most Used'=>'Mais usado','Choose from the most used tags'=>'Escolha entre as tags mais usadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Atribui o texto "escolha entre os mais usados" utilizado na metabox quando o JavaScript estiver desativado. Usado apenas em taxonomias não hierárquicas.','Choose From Most Used'=>'Escolha entre os mais usados','Choose from the most used %s'=>'Escolha entre %s mais comuns','Add or remove tags'=>'Adicionar ou remover tags','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Atribui o texto "adicionar ou remover itens" utilizado na metabox quando o JavaScript está desativado. Usado apenas em taxonomias não hierárquicas','Add Or Remove Items'=>'Adicionar ou remover itens','Add or remove %s'=>'Adicionar ou remover %s','Separate tags with commas'=>'Separe as tags com vírgulas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Atribui o texto "separe os itens com vírgulas" utilizado na metabox da taxonomia. Usado apenas em taxonomias não hierárquicas.','Separate Items With Commas'=>'Separe os itens com vírgulas','Separate %s with commas'=>'Separe %s com vírgulas','Popular Tags'=>'Tags populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Atribui texto de itens populares. Usado apenas para taxonomias não hierárquicas.','Popular Items'=>'Itens populares','Popular %s'=>'%s populares','Search Tags'=>'Pesquisar Tags','Assigns search items text.'=>'Atribui texto aos itens de pesquisa.','Parent Category:'=>'Categoria ascendente:','Assigns parent item text, but with a colon (:) added to the end.'=>'Atribui o texto do item ascendente, mas com dois pontos (:) adicionados ao final.','Parent Item With Colon'=>'Item ascendente com dois pontos','Parent Category'=>'Categoria ascendente','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Atribui o texto do item ascendente. Usado apenas em taxonomias hierárquicas.','Parent Item'=>'Item ascendente','Parent %s'=>'%s ascendente','New Tag Name'=>'Novo nome de tag','Assigns the new item name text.'=>'Atribui o texto "novo nome do item".','New Item Name'=>'Novo nome do item','New %s Name'=>'Novo nome de %s','Add New Tag'=>'Adicionar nova tag','Assigns the add new item text.'=>'Atribui o texto "adicionar novo item".','Update Tag'=>'Atualizar tag','Assigns the update item text.'=>'Atribui o texto "atualizar item".','Update Item'=>'Atualizar item','Update %s'=>'Atualizar %s','View Tag'=>'Ver tag','In the admin bar to view term during editing.'=>'Na barra de administração para visualizar o termo durante a edição.','Edit Tag'=>'Editar tag','At the top of the editor screen when editing a term.'=>'Na parte superior da tela do editor durante a edição de um termo.','All Tags'=>'Todas as tags','Assigns the all items text.'=>'Atribui o texto "todos os itens".','Assigns the menu name text.'=>'Atribui o texto do nome do menu.','Menu Label'=>'Rótulo do menu','Active taxonomies are enabled and registered with WordPress.'=>'As taxonomias selecionadas estão ativas e cadastradas no WordPress.','A descriptive summary of the taxonomy.'=>'Um resumo descritivo da taxonomia.','A descriptive summary of the term.'=>'Um resumo descritivo do termo.','Term Description'=>'Descrição do termo','Single word, no spaces. Underscores and dashes allowed.'=>'Uma única palavra, sem espaços. Sublinhados (_) e traços (-) permitidos.','Term Slug'=>'Slug do termo','The name of the default term.'=>'O nome do termo padrão.','Term Name'=>'Nome do termo','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Cria um termo para a taxonomia que não pode ser excluído. Ele não será selecionado para posts por padrão.','Default Term'=>'Termo padrão','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Se os termos nesta taxonomia devem ser classificados na ordem em que são fornecidos para "wp_set_object_terms()".','Sort Terms'=>'Ordenar termos','Add Post Type'=>'Adicionar tipo de post','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Expanda a funcionalidade do WordPress além de posts e páginas padrão com tipos de post personalizados.','Add Your First Post Type'=>'Adicione seu primeiro tipo de post','I know what I\'m doing, show me all the options.'=>'Eu sei o que estou fazendo, mostre todas as opções.','Advanced Configuration'=>'Configuração avançada','Hierarchical post types can have descendants (like pages).'=>'Tipos de post hierárquicos podem ter descendentes (como páginas).','Hierarchical'=>'Hierárquico','Visible on the frontend and in the admin dashboard.'=>'Visível na interface e no painel administrativo.','Public'=>'Público','movie'=>'filme','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Somente letras minúsculas, sublinhados (_) e traços (-), máximo de 20 caracteres.','Movie'=>'Filme','Singular Label'=>'Rótulo no singular','Movies'=>'Filmes','Plural Label'=>'Rótulo no plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para usar em vez de "WP_REST_Posts_Controller".','Controller Class'=>'Classe do controlador','The namespace part of the REST API URL.'=>'A parte do namespace da URL da API REST.','Namespace Route'=>'Rota do namespace','The base URL for the post type REST API URLs.'=>'O URL base para os URLs da API REST do tipo de post.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expõe este tipo de post na API REST. Obrigatório para usar o editor de blocos.','Show In REST API'=>'Mostrar na API REST','Customize the query variable name.'=>'Personalize o nome da variável de consulta.','Query Variable'=>'Variável de consulta','No Query Variable Support'=>'Sem suporte a variáveis de consulta','Custom Query Variable'=>'Variável de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Os itens podem ser acessados usando o link permanente não bonito, por exemplo, {post_type}={post_slug}.','Query Variable Support'=>'Suporte à variável de consulta','URLs for an item and items can be accessed with a query string.'=>'URLs para um item e itens podem ser acessados com uma string de consulta.','Publicly Queryable'=>'Consultável publicamente','Custom slug for the Archive URL.'=>'Slug personalizado para o URL de arquivo.','Archive Slug'=>'Slug do arquivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Possui um arquivo de itens que pode ser personalizado com um arquivo de modelo de arquivo em seu tema.','Archive'=>'Arquivo','Pagination support for the items URLs such as the archives.'=>'Suporte de paginação para os URLs de itens, como os arquivos.','Pagination'=>'Paginação','RSS feed URL for the post type items.'=>'URL do feed RSS para os itens do tipo de post.','Feed URL'=>'URL do feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera a estrutura do link permanente para adicionar o prefixo "WP_Rewrite::$front" aos URLs.','Front URL Prefix'=>'Prefixo Front do URL','Customize the slug used in the URL.'=>'Personalize o slug usado no URL.','URL Slug'=>'Slug do URL','Permalinks for this post type are disabled.'=>'Os links permanentes para este tipo de post estão desativados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescreve o URL usando um slug personalizado definido no campo abaixo. Sua estrutura de link permanente será','No Permalink (prevent URL rewriting)'=>'Sem link permanente (impedir a reescrita do URL)','Custom Permalink'=>'Link permanente personalizado','Post Type Key'=>'Chave do tipo de post','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescreve o URL usando a chave do tipo de post como slug. Sua estrutura de link permanente será','Permalink Rewrite'=>'Reescrita do link permanente','Delete items by a user when that user is deleted.'=>'Excluir itens criados pelo usuário quando o usuário for excluído.','Delete With User'=>'Excluir com o usuário','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permitir que o tipo de post seja exportado em "Ferramentas" > "Exportar".','Can Export'=>'Pode exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, forneça um plural para ser usado nas capacidades.','Plural Capability Name'=>'Nome plural da capacidade','Choose another post type to base the capabilities for this post type.'=>'Escolha outro tipo de post para basear as capacidades deste tipo de post.','Singular Capability Name'=>'Nome singular da capacidade','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por padrão, as capacidades do tipo de post herdarão os nomes das capacidades de "Post". Ex.: edit_post, delete_posts. Ative para usar capacidades específicas do tipo de post, ex.: edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renomear capacidades','Exclude From Search'=>'Excluir da pesquisa','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permitir que itens sejam adicionados aos menus na tela \'Aparência\' > \'Menus\'. Deve ser ativado em \'Opções de tela\'.','Appearance Menus Support'=>'Suporte a menus em "Aparência"','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como um item no menu "novo" na barra de administração.','Show In Admin Bar'=>'Mostrar na barra de administração','Custom Meta Box Callback'=>'Callback de metabox personalizado','Menu Icon'=>'Ícone do menu','The position in the sidebar menu in the admin dashboard.'=>'A posição no menu da barra lateral no painel de administração.','Menu Position'=>'Posição do menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por padrão, o tipo de post receberá um novo item de nível superior no menu de administração. Se um item de nível superior existente for fornecido aqui, o tipo de post será adicionado como um item de submenu abaixo dele.','Admin Menu Parent'=>'Ascendente do menu de administração','Admin editor navigation in the sidebar menu.'=>'Navegação do editor de administração no menu da barra lateral.','Show In Admin Menu'=>'Mostrar no menu de administração','Items can be edited and managed in the admin dashboard.'=>'Os itens podem ser editados e gerenciados no painel de administração.','Show In UI'=>'Mostrar na interface','A link to a post.'=>'Um link para um post.','Description for a navigation link block variation.'=>'Descrição para uma variação de bloco de link de navegação.','Item Link Description'=>'Descrição do link do item','A link to a %s.'=>'Um link para um %s.','Post Link'=>'Link do post','Title for a navigation link block variation.'=>'Título para uma variação de bloco de link de navegação.','Item Link'=>'Link do item','%s Link'=>'Link de %s','Post updated.'=>'Post atualizado.','In the editor notice after an item is updated.'=>'No aviso do editor após a atualização de um item.','Item Updated'=>'Item atualizado','%s updated.'=>'%s atualizado.','Post scheduled.'=>'Post agendado.','In the editor notice after scheduling an item.'=>'No aviso do editor após o agendamento de um item.','Item Scheduled'=>'Item agendado','%s scheduled.'=>'%s agendado.','Post reverted to draft.'=>'Post revertido para rascunho.','In the editor notice after reverting an item to draft.'=>'No aviso do editor após reverter um item para rascunho.','Item Reverted To Draft'=>'Item revertido para rascunho','%s reverted to draft.'=>'%s revertido para rascunho.','Post published privately.'=>'Post publicado de forma privada.','In the editor notice after publishing a private item.'=>'No aviso do editor após a publicação de um item privado.','Item Published Privately'=>'Item publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Post publicado.','In the editor notice after publishing an item.'=>'No aviso do editor após a publicação de um item.','Item Published'=>'Item publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de posts','Used by screen readers for the items list on the post type list screen.'=>'Usado por leitores de tela para a lista de itens na tela de lista de tipos de post.','Items List'=>'Lista de itens','%s list'=>'Lista de %s','Posts list navigation'=>'Navegação da lista de posts','Used by screen readers for the filter list pagination on the post type list screen.'=>'Usado por leitores de tela para a paginação da lista de filtros na tela da lista de tipos de post.','Items List Navigation'=>'Navegação da lista de itens','%s list navigation'=>'Navegação na lista de %s','Filter posts by date'=>'Filtrar posts por data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Usado por leitores de tela para filtrar por título de data na tela de lista de tipos de post.','Filter Items By Date'=>'Filtrar itens por data','Filter %s by date'=>'Filtrar %s por data','Filter posts list'=>'Filtrar lista de posts','Used by screen readers for the filter links heading on the post type list screen.'=>'Usado por leitores de tela para o título de links de filtro na tela de lista de tipos de post.','Filter Items List'=>'Filtrar lista de itens','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'No modal de mídia mostrando todas as mídias enviadas para este item.','Uploaded To This Item'=>'Enviado para este item','Uploaded to this %s'=>'Enviado para este %s','Insert into post'=>'Inserir no post','As the button label when adding media to content.'=>'Como o rótulo do botão ao adicionar mídia ao conteúdo.','Insert Into Media Button'=>'Inserir no botão de mídia','Insert into %s'=>'Inserir no %s','Use as featured image'=>'Usar como imagem destacada','As the button label for selecting to use an image as the featured image.'=>'Como o rótulo do botão para selecionar o uso de uma imagem como a imagem destacada.','Use Featured Image'=>'Usar imagem destacada','Remove featured image'=>'Remover imagem destacada','As the button label when removing the featured image.'=>'Como o rótulo do botão ao remover a imagem destacada.','Remove Featured Image'=>'Remover imagem destacada','Set featured image'=>'Definir imagem destacada','As the button label when setting the featured image.'=>'Como o rótulo do botão ao definir a imagem destacada.','Set Featured Image'=>'Definir imagem destacada','Featured image'=>'Imagem destacada','In the editor used for the title of the featured image meta box.'=>'No editor usado para o título da metabox da imagem destacada.','Featured Image Meta Box'=>'Metabox de imagem destacada','Post Attributes'=>'Atributos do post','In the editor used for the title of the post attributes meta box.'=>'No editor usado para o título da metabox de atributos do post.','Attributes Meta Box'=>'Metabox de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Arquivos de posts','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Adiciona os itens de "arquivo do tipo de post" com este rótulo à lista de posts mostrados ao adicionar itens a um menu existente em um tipo de post personalizado com arquivos ativados. Só aparece ao editar menus no modo "ver ao vivo" e um slug de arquivo personalizado foi fornecido.','Archives Nav Menu'=>'Menu de navegação de arquivos','%s Archives'=>'Arquivos de %s','No posts found in Trash'=>'Não foi possível encontrar posts na lixeira','At the top of the post type list screen when there are no posts in the trash.'=>'Na parte superior da tela da lista de tipos de post, quando não há posts na lixeira.','No Items Found in Trash'=>'Não foi possível encontrar itens na lixeira','No %s found in Trash'=>'Não foi possível encontrar %s na lixeira','No posts found'=>'Não foi possível encontrar posts','At the top of the post type list screen when there are no posts to display.'=>'Na parte superior da tela da lista de tipos de post, quando não há posts para exibir.','No Items Found'=>'Não foi possível encontrar itens','No %s found'=>'Não foi possível encontrar %s','Search Posts'=>'Pesquisar posts','At the top of the items screen when searching for an item.'=>'Na parte superior da tela de itens ao pesquisar um item.','Search Items'=>'Pesquisar itens','Search %s'=>'Pesquisar %s','Parent Page:'=>'Página ascendente:','For hierarchical types in the post type list screen.'=>'Para tipos hierárquicos na tela de lista de tipos de post.','Parent Item Prefix'=>'Prefixo do item ascendente','Parent %s:'=>'%s ascendente:','New Post'=>'Novo post','New Item'=>'Novo item','New %s'=>'Novo %s','Add New Post'=>'Adicionar novo post','At the top of the editor screen when adding a new item.'=>'Na parte superior da tela do editor ao adicionar um novo item.','Add New Item'=>'Adicionar novo item','Add New %s'=>'Adicionar novo %s','View Posts'=>'Ver posts','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece na barra de administração na visualização "Todos as posts", desde que o tipo de post suporte arquivos e a página inicial não seja um arquivo desse tipo de post.','View Items'=>'Ver itens','View Post'=>'Ver post','In the admin bar to view item when editing it.'=>'Na barra de administração para visualizar o item ao editá-lo.','View Item'=>'Ver item','View %s'=>'Ver %s','Edit Post'=>'Editar post','At the top of the editor screen when editing an item.'=>'Na parte superior da tela do editor ao editar um item.','Edit Item'=>'Editar item','Edit %s'=>'Editar %s','All Posts'=>'Todos os posts','In the post type submenu in the admin dashboard.'=>'No submenu do tipo de post no painel administrativo.','All Items'=>'Todos os itens','All %s'=>'Todos os %s','Admin menu name for the post type.'=>'Nome do menu do administração para o tipo de post.','Menu Name'=>'Nome do menu','Regenerate all labels using the Singular and Plural labels'=>'Recriar todos os rótulos usando os rótulos singular e plural','Regenerate'=>'Recriar','Active post types are enabled and registered with WordPress.'=>'Os tipos de post ativos estão ativados e cadastrados com o WordPress.','A descriptive summary of the post type.'=>'Um resumo descritivo do tipo de post.','Add Custom'=>'Adicionar personalizado','Enable various features in the content editor.'=>'Ative vários recursos no editor de conteúdo.','Post Formats'=>'Formatos de post','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecione taxonomias existentes para classificar itens do tipo de post.','Browse Fields'=>'Procurar campos','Nothing to import'=>'Nada para importar','. The Custom Post Type UI plugin can be deactivated.'=>'. O plugin Custom Post Type UI pode ser desativado.','Imported %d item from Custom Post Type UI -'=>'%d item foi importado do Custom Post Type UI -' . "\0" . '%d itens foram importados do Custom Post Type UI -','Failed to import taxonomies.'=>'Falha ao importar as taxonomias.','Failed to import post types.'=>'Falha ao importar os tipos de post.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nada do plugin Custom Post Type UI selecionado para importação.','Imported 1 item'=>'Um item importado' . "\0" . '%s itens importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'A importação de um tipo de post ou taxonomia com a mesma chave que já existe substituirá as configurações do tipo de post ou taxonomia existente pelas da importação.','Import from Custom Post Type UI'=>'Importar do Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'É possível usar o código a seguir para cadastrar uma versão local dos itens selecionados. Armazenar grupos de campos, tipos de post ou taxonomias localmente pode fornecer muitos benefícios, como tempos de carregamento mais rápidos, controle de versão e campos/configurações dinâmicos. Simplesmente copie e cole o código a seguir no arquivo functions.php do seu tema ou inclua-o em um arquivo externo e, em seguida, desative ou exclua os itens do painel do ACF.','Export - Generate PHP'=>'Exportar - Gerar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecionar taxonomias','Select Post Types'=>'Selecionar tipos de post','Exported 1 item.'=>'Um item exportado.' . "\0" . '%s itens exportados.','Category'=>'Categoria','Tag'=>'Tag','%s taxonomy created'=>'Taxonomia %s criada','%s taxonomy updated'=>'Taxonomia %s atualizada','Taxonomy draft updated.'=>'O rascunho da taxonomia foi atualizado.','Taxonomy scheduled for.'=>'Taxonomia agendada para.','Taxonomy submitted.'=>'Taxonomia enviada.','Taxonomy saved.'=>'Taxonomia salva.','Taxonomy deleted.'=>'Taxonomia excluída.','Taxonomy updated.'=>'Taxonomia atualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Não foi possível cadastrar esta taxonomia porque sua chave está em uso por outra taxonomia cadastrada por outro plugin ou tema.','Taxonomy synchronized.'=>'Taxonomia sincronizada.' . "\0" . '%s taxonomias sincronizadas.','Taxonomy duplicated.'=>'Taxonomia duplicada.' . "\0" . '%s taxonomias duplicadas.','Taxonomy deactivated.'=>'Taxonomia desativada.' . "\0" . '%s taxonomias desativadas.','Taxonomy activated.'=>'Taxonomia ativada.' . "\0" . '%s taxonomias ativadas.','Terms'=>'Termos','Post type synchronized.'=>'Tipo de post sincronizado.' . "\0" . '%s tipos de post sincronizados.','Post type duplicated.'=>'Tipo de post duplicado.' . "\0" . '%s tipos de post duplicados.','Post type deactivated.'=>'Tipo de post desativado.' . "\0" . '%s tipos de post desativados.','Post type activated.'=>'Tipo de post ativado.' . "\0" . '%s tipos de post ativados.','Post Types'=>'Tipos de post','Advanced Settings'=>'Configurações avançadas','Basic Settings'=>'Configurações básicas','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Não foi possível cadastrar este tipo de post porque sua chave está em uso por outro tipo de post cadastrado por outro plugin ou tema.','Pages'=>'Páginas','%s post type created'=>'Tipo de post %s criado','Add fields to %s'=>'Adicionar campos para %s','%s post type updated'=>'Tipo de post %s atualizado','Post type draft updated.'=>'Rascunho do tipo de post atualizado.','Post type scheduled for.'=>'Tipo de post agendado para.','Post type submitted.'=>'Tipo de post enviado.','Post type saved.'=>'Tipo de post salvo.','Post type updated.'=>'Tipo de post atualizado.','Post type deleted.'=>'Tipo de post excluído.','Type to search...'=>'Digite para pesquisar...','PRO Only'=>'Somente PRO','Field groups linked successfully.'=>'Grupos de campos vinculados com sucesso.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importe tipos de post e taxonomias registradas com o Custom Post Type UI e gerencie-os com o ACF. Começar.','ACF'=>'ACF','taxonomy'=>'taxonomia','post type'=>'tipo de post','Done'=>'Concluído','Select one or many field groups...'=>'Selecione um ou vários grupos de campos...','Please select the field groups to link.'=>'Selecione os grupos de campos a serem vinculados.','Field group linked successfully.'=>'Grupo de campos vinculado com sucesso.' . "\0" . 'Grupos de campos vinculados com sucesso.','post statusRegistration Failed'=>'Falha no cadastro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Não foi possível cadastrar este item porque sua chave está em uso por outro item cadastrado por outro plugin ou tema.','REST API'=>'API REST','Permissions'=>'Permissões','URLs'=>'URLs','Visibility'=>'Visibilidade','Labels'=>'Rótulos','Field Settings Tabs'=>'Abas de configurações de campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valor de shortcode ACF desativado para visualização]','Close Modal'=>'Fechar modal','Field moved to other group'=>'Campo movido para outro grupo','Close modal'=>'Fechar modal','Start a new group of tabs at this tab.'=>'Iniciar um novo grupo de abas nesta aba.','New Tab Group'=>'Novo grupo de abas','Use a stylized checkbox using select2'=>'Usar uma caixa de seleção estilizada usando select2','Save Other Choice'=>'Salvar outra escolha','Allow Other Choice'=>'Permitir outra escolha','Add Toggle All'=>'Adicionar "selecionar tudo"','Save Custom Values'=>'Salvar valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Os valores personalizados da caixa de seleção não podem ficar vazios. Desmarque todos os valores vazios.','Updates'=>'Atualizações','Advanced Custom Fields logo'=>'Logo do Advanced Custom Fields','Save Changes'=>'Salvar alterações','Field Group Title'=>'Título do grupo de campos','Add title'=>'Adicionar título','New to ACF? Take a look at our getting started guide.'=>'Novo no ACF? Dê uma olhada em nosso guia de introdução.','Add Field Group'=>'Adicionar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'O ACF usa grupos de campos para agrupar campos personalizados e, em seguida, anexar esses campos às telas de edição.','Add Your First Field Group'=>'Adicionar seu primeiro grupo de campos','Options Pages'=>'Páginas de opções','ACF Blocks'=>'Blocos do ACF','Gallery Field'=>'Campo de galeria','Flexible Content Field'=>'Campo de conteúdo flexível','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloqueie recursos extras com o ACF PRO','Delete Field Group'=>'Excluir grupo de campos','Created on %1$s at %2$s'=>'Criado em %1$s às %2$s','Group Settings'=>'Configurações do grupo','Location Rules'=>'Regras de localização','Choose from over 30 field types. Learn more.'=>'Escolha entre mais de 30 tipos de campo. Saber mais.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comece a criar novos campos personalizados para seus posts, páginas, tipos de post personalizados e outros conteúdos do WordPress.','Add Your First Field'=>'Adicionar seu primeiro campo','#'=>'#','Add Field'=>'Adicionar campo','Presentation'=>'Apresentação','Validation'=>'Validação','General'=>'Geral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desativado.' . "\0" . '%s grupos de campos desativados.','Field group activated.'=>'Grupo de campos ativado.' . "\0" . '%s grupos de campos ativados.','Deactivate'=>'Desativar','Deactivate this item'=>'Desativar este item','Activate'=>'Ativar','Activate this item'=>'Ativar este item','Move field group to trash?'=>'Mover grupo de campos para a lixeira?','post statusInactive'=>'Inativo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não devem estar ativos ao mesmo tempo. Desativamos automaticamente o Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não devem estar ativos ao mesmo tempo. Desativamos automaticamente o Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Detectamos uma ou mais chamadas para recuperar os valores de campos do ACF antes de o ACF ser inicializado. Isso não é suportado e pode resultar em dados malformados ou ausentes. Saiba como corrigir isso.','%1$s must have a user with the %2$s role.'=>'%1$s deve ter um usuário com a função de %2$s .' . "\0" . '%1$s deve ter um usuário com uma das seguintes funções: %2$s','%1$s must have a valid user ID.'=>'%1$s deve ter um ID de usuário válido.','Invalid request.'=>'Solicitação inválida.','%1$s is not one of %2$s'=>'%1$s não é um de %2$s','%1$s must have term %2$s.'=>'%1$s deve ter o termo %2$s' . "\0" . '%1$s deve ter um dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s deve ser do tipo de post %2$s.' . "\0" . '%1$s deve ser de um dos seguintes tipos de post: %2$s','%1$s must have a valid post ID.'=>'%1$s deve ter um ID de post válido.','%s requires a valid attachment ID.'=>'%s requer um ID de anexo válido.','Show in REST API'=>'Mostrar na API REST','Enable Transparency'=>'Ativar transparência','RGBA Array'=>'Array RGBA','RGBA String'=>'Sequência RGBA','Hex String'=>'Sequência hex','Upgrade to PRO'=>'Atualizar para PRO','post statusActive'=>'Ativo','\'%s\' is not a valid email address'=>'"%s" não é um endereço de e-mail válido','Color value'=>'Valor da cor','Select default color'=>'Selecionar cor padrão','Clear color'=>'Limpar cor','Blocks'=>'Blocos','Options'=>'Opções','Users'=>'Usuários','Menu items'=>'Itens de menu','Widgets'=>'Widgets','Attachments'=>'Anexos','Taxonomies'=>'Taxonomias','Posts'=>'Posts','Last updated: %s'=>'Última atualização: %s','Sorry, this post is unavailable for diff comparison.'=>'Este post não está disponível para comparação de diferenças.','Invalid field group parameter(s).'=>'Parâmetros de grupo de campos inválidos.','Awaiting save'=>'Aguardando salvar','Saved'=>'Salvo','Import'=>'Importar','Review changes'=>'Revisar alterações','Located in: %s'=>'Localizado em: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Vários','Sync changes'=>'Sincronizar alterações','Loading diff'=>'Carregando diferenças','Review local JSON changes'=>'Revisão das alterações do JSON local','Visit website'=>'Visitar site','View details'=>'Ver detalhes','Version %s'=>'Versão %s','Information'=>'Informações','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Suporte técnico. Os profissionais de nosso Suporte técnico poderão auxiliá-lo em questões técnicas mais complexas.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussões. Temos uma comunidade ativa e amigável em nossos Fóruns da Comunidade que podem ajudá-lo a descobrir os \'como fazer\' do mundo ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentação. Nossa vasta documentação contém referências e guias para a maioria dos problemas e situações que você poderá encontrar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos por suporte e queremos que você aproveite ao máximo seu site com o ACF. Se você tiver alguma dificuldade, há vários lugares onde pode encontrar ajuda:','Help & Support'=>'Ajuda e suporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Use a aba "ajuda e suporte" para entrar em contato caso precise de assistência.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear seu primeiro grupo de campos recomendamos que leia nosso Guia para iniciantes a fim de familiarizar-se com a filosofia e as boas práticas deste plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields fornece um construtor de formulários visuais para personalizar as telas de edição do WordPress com campos extras e uma API intuitiva para exibir valores de campos personalizados em qualquer arquivo de modelo de tema.','Overview'=>'Visão geral','Location type "%s" is already registered.'=>'O tipo de localização "%s" já está registado.','Class "%s" does not exist.'=>'A classe "%s" não existe.','Invalid nonce.'=>'Nonce inválido.','Error loading field.'=>'Erro ao carregar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Função do usuário ','Comment'=>'Comentário','Post Format'=>'Formato do post','Menu Item'=>'Item do menu','Post Status'=>'Status do post','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia de post','Child Page (has parent)'=>'Página descendente (tem ascendente)','Parent Page (has children)'=>'Página ascendente (tem descendentes)','Top Level Page (no parent)'=>'Página de nível mais alto (sem ascendente)','Posts Page'=>'Página de posts','Front Page'=>'Página principal','Page Type'=>'Tipo de página','Viewing back end'=>'Visualizando o painel administrativo','Viewing front end'=>'Visualizando a interface','Logged in'=>'Conectado','Current User'=>'Usuário atual','Page Template'=>'Modelo de página','Register'=>'Cadastre-se','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de usuário','Page Parent'=>'Ascendente da página','Super Admin'=>'Super Admin','Current User Role'=>'Função do usuário atual','Default Template'=>'Modelo padrão','Post Template'=>'Modelo de Post','Post Category'=>'Categoria do post','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Verifique, também, se todos os complementos premium (%s) estão atualizados para a versão mais recente.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias no seu banco de dados e requer uma atualização.','Thank you for updating to %1$s v%2$s!'=>'Obrigado por atualizar para o %1$s v%2$s!','Database Upgrade Required'=>'Atualização do banco de dados obrigatória','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Selecione os itens que deverão ser ocultados da tela de edição','Hide on screen'=>'Ocultar na tela','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Tags','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Resumo','Content Editor'=>'Editor de conteúdo','Permalink'=>'Link permanente','Shown in field group list'=>'Exibido na lista de grupos de campos','Field groups with a lower order will appear first'=>'Grupos de campos com uma menor numeração aparecerão primeiro','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo dos rótulos','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Superior (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Integrado (sem metabox)','Standard (WP metabox)'=>'Padrão (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do invólucro','Required'=>'Obrigatório','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos sublinhados (_) e traços (-).','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que aparecerá na página de EDIÇÃO','Field Label'=>'Rótulo do campo','Delete'=>'Excluir','Delete field'=>'Excluir campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reorganizar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma atualização disponível.','Database upgrade complete. See what\'s new'=>'Atualização do banco de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'Lendo tarefas de atualização…','Upgrade failed.'=>'Falha na atualização.','Upgrade complete.'=>'Atualização concluída.','Upgrading data to version %s'=>'Atualizando os dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É extremamente recomendado que você faça backup de seu banco de dados antes de continuar. Você tem certeza que deseja fazer a atualização agora?','Please select at least one site to upgrade.'=>'Selecione pelo menos um site para atualizar.','Database Upgrade complete. Return to network dashboard'=>'Atualização do banco de dados concluída. Retornar para o painel da rede','Site is up to date'=>'O site está atualizado','Site requires database upgrade from %1$s to %2$s'=>'O site requer a atualização do banco de dados de %1$s para %2$s','Site'=>'Site','Upgrade Sites'=>'Atualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites a seguir necessitam de uma atualização do banco de dados. Marque aqueles que você deseja atualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar quais telas de edição usarão esses campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecione os itens que deseja exportar e, em seguida, selecione o método de exportação. Exporte como JSON para exportar para um arquivo .json que você pode importar para outra instalação do ACF. Gere PHP para exportar para código PHP que você pode colocar em seu tema.','Select Field Groups'=>'Selecionar grupos de campos','No field groups selected'=>'Nenhum grupo de campos selecionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Arquivo de importação vazio','Incorrect file type'=>'Tipo de arquivo incorreto','Error uploading file. Please try again'=>'Erro ao enviar arquivo. Tente novamente','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecione o arquivo JSON do Advanced Custom Fields que você gostaria de importar. Ao clicar no botão de importação abaixo, o ACF importará os itens desse arquivo.','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Selecionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Supports'=>'Suporta','Documentation'=>'Dcoumentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Ativo (%s)' . "\0" . 'Ativos (%s)','Review sites & upgrade'=>'Revisar sites e atualizar','Upgrade Database'=>'Atualizar o banco de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Selecione o destino para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s pode agora ser encontrado no grupo de campos %2$s','Move Complete.'=>'Movimentação concluída.','Active'=>'Ativo','Field Keys'=>'Chaves de campos','Settings'=>'Configurações ','Location'=>'Localização','Null'=>'Em branco','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Marcado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de alternância disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que suas alterações sejam salvas','The string "field_" may not be used at the start of a field name'=>'O termo “field_” não pode ser utilizado no início do nome de um campo','Field group draft updated.'=>'Rascunho de grupo de campos atualizado.','Field group scheduled for.'=>'Grupo de campos agendando.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos salvo.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos excluído.','Field group updated.'=>'Grupo de campos atualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Post','Relational'=>'Relacional','Choice'=>'Escolha','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Post atualizado','Update'=>'Atualizar','Validate Email'=>'Validar e-mail','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A seleção é menor que','Selection is greater than'=>'A seleção é maior que','Value is less than'=>'O valor é menor que','Value is greater than'=>'O valor é maior que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem qualquer valor','Cancel'=>'Cancelar','Are you sure?'=>'Você tem certeza?','%d fields require attention'=>'%d campos requerem atenção','1 field requires attention'=>'1 campo requer atenção','Validation failed'=>'Falha na validação','Validation successful'=>'Validação bem-sucedida','Restricted'=>'Restrito','Collapse Details'=>'Recolher detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Enviado para este post','verbUpdate'=>'Atualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações feitas serão perdidas se você sair desta página','File type must be %s.'=>'O tipo de arquivo deve ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamanho do arquivo não deve exceder %s.','File size must be at least %s.'=>'O tamanho do arquivo deve ter pelo menos %s.','Image height must not exceed %dpx.'=>'A altura da imagem não pode ser maior que %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ter pelo menos %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não pode ser maior que %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ter pelo menos %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Médio','Thumbnail'=>'Miniatura','(no label)'=>'(sem rótulo)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anexar uma caixa de seleção adicional para alternar todas as escolhas','Save \'custom\' values to the field\'s choices'=>'Salvar valores "personalizados" nas escolhas do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova escolha','Toggle All'=>'Selecionar tudo','Allow Archives URLs'=>'Permitir URLs de arquivos','Archives'=>'Arquivos','Page Link'=>'Link da página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O usuário não pode adicionar um novo %s','Term ID'=>'ID do termo','Term Object'=>'Objeto de termo','Load value from posts terms'=>'Carrega valores a partir de termos de posts','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Conecta os termos selecionados ao post','Save Terms'=>'Salvar termos','Allow new terms to be created whilst editing'=>'Permitir que novos termos sejam criados durante a edição','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opção','Single Value'=>'Um único valor','Multi Select'=>'Seleção múltipla','Checkbox'=>'Caixa de seleção','Multiple Values'=>'Múltiplos valores','Select the appearance of this field'=>'Selecione a aparência deste campo','Appearance'=>'Aparência','Select the taxonomy to be displayed'=>'Selecione a taxonomia que será exibida','No TermsNo %s'=>'Sem %s','Value must be equal to or lower than %d'=>'O valor deve ser igual ou menor que %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou maior que %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Salvar valores de "outros" nas escolhas do campo','Add \'other\' choice to allow for custom values'=>'Adicionar escolha de "outros" para permitir valores personalizados','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Defina um endpoint para a sanfona anterior parar. Esta sanfona não será visível.','Allow this accordion to open without closing others.'=>'Permitir abrir este item sem fechar os demais.','Display this accordion as open on page load.'=>'Exibir esta sanfona como aberta ao carregar a página.','Open'=>'Aberta','Accordion'=>'Sanfona','Restrict which files can be uploaded'=>'Limita quais arquivos podem ser enviados','File ID'=>'ID do arquivo','File URL'=>'URL do Arquivo','File Array'=>'Array do arquivo','Add File'=>'Adicionar arquivo','No file selected'=>'Nenhum arquivo selecionado','File name'=>'Nome do arquivo','Update File'=>'Atualizar arquivo','Edit File'=>'Editar arquivo','Select File'=>'Selecionar arquivo','File'=>'Arquivo','Password'=>'Senha','Specify the value returned'=>'Especifica o valor devolvido.','Use AJAX to lazy load choices?'=>'Usar AJAX para carregar escolhas de forma atrasada?','Enter each default value on a new line'=>'Digite cada valor padrão em uma nova linha','verbSelect'=>'Selecionar','Select2 JS load_failLoading failed'=>'Falha ao carregar','Select2 JS searchingSearching…'=>'Pesquisando…','Select2 JS load_moreLoading more results…'=>'Carregando mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Você só pode selecionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Você só pode selecionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Exclua %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Exclua 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Digite %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Digite 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Não foi possível encontrar correspondências','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponíveis, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado disponível, aperte Enter para selecioná-lo.','nounSelect'=>'Seleção','User ID'=>'ID do usuário','User Object'=>'Objeto de usuário','User Array'=>'Array do usuário','All user roles'=>'Todas as funções de usuário','Filter by Role'=>'Filtrar por função','User'=>'Usuário','Separator'=>'Separador','Select Color'=>'Selecionar cor','Default'=>'Padrão','Clear'=>'Limpar','Color Picker'=>'Seletor de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microssegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Horário','Date Time Picker JS timeOnlyTitleChoose Time'=>'Selecione o horário','Date Time Picker'=>'Seletor de data e horário','Endpoint'=>'Endpoint','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado ao topo','Placement'=>'Posição','Tab'=>'Aba','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL do link','Link Array'=>'Array do link','Opens in a new window/tab'=>'Abre em uma nova janela/aba','Select Link'=>'Selecionar link','Link'=>'Link','Email'=>'E-mail','Step Size'=>'Tamanho da escala','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Rótulo','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para mais controle, você pode especificar tanto os valores quanto os rótulos, como nos exemplos:','Enter each choice on a new line.'=>'Digite cada escolha em uma nova linha.','Choices'=>'Escolhas','Button Group'=>'Grupo de botões','Allow Null'=>'Permitir "em branco"','Parent'=>'Ascendente','TinyMCE will not be initialized until field is clicked'=>'O TinyMCE não será carregado até que o campo seja clicado','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas texto','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e texto','Tabs'=>'Abas','Click to initialize TinyMCE'=>'Clique para carregar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não ter limite','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Exibido depois do campo','Append'=>'Sufixo','Appears before the input'=>'Exibido antes do campo','Prepend'=>'Prefixo','Appears within the input'=>'Exibido dentro do campo','Placeholder Text'=>'Texto de marcação','Appears when creating a new post'=>'Aparece ao criar um novo post','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s requer ao menos %2$s seleção' . "\0" . '%1$s requer ao menos %2$s seleções','Post ID'=>'ID do post','Post Object'=>'Objeto de post','Featured Image'=>'Imagem destacada','Selected elements will be displayed in each result'=>'Os elementos selecionados serão exibidos em cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de post','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de post','Filter by Post Type'=>'Filtrar por tipo de post','Search...'=>'Pesquisar...','Select taxonomy'=>'Selecionar taxonomia','Select post type'=>'Selecionar tipo de post','No matches found'=>'Não foi possível encontrar correspondências','Loading'=>'Carregando','Maximum values reached ( {max} values )'=>'Máximo de valores alcançado ({max} valores)','Relationship'=>'Relacionamento','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos','Maximum'=>'Máximo','File size'=>'Tamanho do arquivo','Restrict which images can be uploaded'=>'Limita as imagens que podem ser enviadas','Minimum'=>'Mínimo','Uploaded to post'=>'Anexado ao post','All'=>'Tudo','Limit the media library choice'=>'Limitar a escolha da biblioteca de mídia','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na interface','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem selecionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Atualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Selecionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que a marcação HTML seja exibida como texto ao invés de ser renderizada','Escape HTML'=>'Ignorar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como as novas linhas são renderizadas','New Lines'=>'Novas linhas','Week Starts On'=>'Início da semana','The format used when saving a value'=>'O formato usado ao salvar um valor','Save Format'=>'Salvar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Seletor de data','Width'=>'Largura','Embed Size'=>'Tamanho do código incorporado','Enter URL'=>'Digite o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto exibido quando inativo','Off Text'=>'Texto "Inativo"','Text shown when active'=>'Texto exibido quando ativo','On Text'=>'Texto "Ativo"','Stylized UI'=>'Interface estilizada','Default Value'=>'Valor padrão','Displays text alongside the checkbox'=>'Exibe texto ao lado da caixa de seleção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifique o estilo utilizado para exibir os campos selecionados','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centralizar o mapa inicial','Center'=>'Centralizar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização atual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'O seu navegador não suporta o recurso de geolocalização','Google Map'=>'Mapa do Google','The format returned via template functions'=>'O formato devolvido por meio de funções de modelo','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato exibido ao editar um post','Display Format'=>'Formato de exibição','Time Picker'=>'Seletor de horário','Inactive (%s)'=>'Desativado (%s)' . "\0" . 'Desativados (%s)','No Fields found in Trash'=>'Não foi possível encontrar campos na lixeira','No Fields found'=>'Não foi possível encontrar campos','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Não foi possível encontrar grupos de campos na lixeira','No Field Groups found'=>'Não foi possível encontrar grupos de campos','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos poderosos, profissionais e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'O nome do bloco é obrigatório.','Block type "%s" is already registered.'=>'Tipo de bloco "%s" já está registrado.','Switch to Edit'=>'Alternar para edição','Switch to Preview'=>'Alternar para visualização','Change content alignment'=>'Mudar alinhamento do conteúdo','%s settings'=>'Configurações de %s','This block contains no editable fields.'=>'Este bloco não contém campos editáveis.','Assign a field group to add fields to this block.'=>'Atribua um grupo de campos para adicionar campos a este bloco.','Options Updated'=>'Opções atualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para ativar as atualizações, digite sua chave de licença na página atualizações. Se você não tiver uma chave de licença, consulte detalhes e preços.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erro de ativação do ACF. Sua chave de licença definida mudou, mas ocorreu um erro ao desativar sua licença antiga','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erro de ativação do ACF. Sua chave de licença definida foi alterada, mas ocorreu um erro ao conectar-se ao servidor de ativação','ACF Activation Error'=>'Erro de ativação do ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erro de ativação do ACF. Ocorreu um erro ao conectar ao servidor de ativação','Check Again'=>'Conferir novamente','ACF Activation Error. Could not connect to activation server'=>'Erro de ativação do ACF. Não foi possível conectar ao servidor de ativação','Publish'=>'Publicar','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nenhum grupo de campos personalizados encontrado para esta página de opções. Crie um grupo de campos personalizados','Error. Could not connect to update server'=>'Erro. Não foi possível se conectar ao servidor de atualização','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erro. Não foi possível autenticar o pacote de atualização. Verifique novamente ou desative e reative sua licença ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erro. Sua licença para este site expirou ou foi desativada. Reative sua licença ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Permite selecionar e exibir os campos existentes. Ele não duplica nenhum campo no banco de dados, mas carrega e exibe os campos selecionados em tempo de execução. O campo Clonar pode se substituir pelos campos selecionados ou exibir os campos selecionados como um grupo de subcampos.','Select one or more fields you wish to clone'=>'Selecione um ou mais campos que deseja clonar','Display'=>'Exibir','Specify the style used to render the clone field'=>'Especifique o estilo utilizado para exibir os campos de clone','Group (displays selected fields in a group within this field)'=>'Grupo (exibe os campos selecionados em um grupo dentro deste campo)','Seamless (replaces this field with selected fields)'=>'Integrado (substitui este campo pelos campos selecionados)','Labels will be displayed as %s'=>'Os rótulos serão exibidos como %s','Prefix Field Labels'=>'Prefixo nos rótulos do campo','Values will be saved as %s'=>'Valores serão salvos como %s','Prefix Field Names'=>'Prefixo nos nomes do campo','Unknown field'=>'Campo desconhecido','Unknown field group'=>'Grupo de campos desconhecido','All fields from %s field group'=>'Todos os campos do grupo de campos %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Permite definir, criar e gerenciar conteúdo com controle total, criando layouts que contêm subcampos que os editores de conteúdo podem escolher.','Add Row'=>'Adicionar linha','layout'=>'layout' . "\0" . 'layouts','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Este campo requer pelo menos {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Este campo tem um limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponível (máx. {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} necessário (mín. {min})','Flexible Content requires at least 1 layout'=>'Conteúdo flexível requer pelo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Clique no botão "%s" abaixo para começar a criar seu layout','Add layout'=>'Adicionar layout','Duplicate layout'=>'Duplicar layout','Remove layout'=>'Remover layout','Click to toggle'=>'Clique para alternar','Delete Layout'=>'Excluir layout','Duplicate Layout'=>'Duplicar layout','Add New Layout'=>'Adicionar novo layout','Add Layout'=>'Adicionar layout','Min'=>'Mín','Max'=>'Máx','Minimum Layouts'=>'Mínimo de layouts','Maximum Layouts'=>'Máximo de layouts','Button Label'=>'Rótulo do botão','%s must be of type array or null.'=>'%s deve ser um array de tipos ou nulo.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s precisa conter no mínimo %2$s layout.' . "\0" . '%1$s precisa conter no mínimo %2$s layouts.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s deve conter no máximo %2$s layout de %3$s.' . "\0" . '%1$s deve conter no máximo %2$s layouts de %3$s.','An interactive interface for managing a collection of attachments, such as images.'=>'Uma interface interativa para gerenciar uma coleção de anexos, como imagens.','Add Image to Gallery'=>'Adicionar imagem na galeria','Maximum selection reached'=>'Seleção máxima alcançada','Length'=>'Duração','Caption'=>'Legenda','Alt Text'=>'Texto alternativo','Add to gallery'=>'Adicionar à galeria','Bulk actions'=>'Ações em massa','Sort by date uploaded'=>'Ordenar por data de envio','Sort by date modified'=>'Ordenar por data de modificação','Sort by title'=>'Ordenar por título','Reverse current order'=>'Ordem atual inversa','Close'=>'Fechar','Minimum Selection'=>'Seleção mínima','Maximum Selection'=>'Seleção máxima','Allowed file types'=>'Tipos de arquivos permitidos','Insert'=>'Inserir','Specify where new attachments are added'=>'Especifique onde novos anexos são adicionados','Append to the end'=>'Anexar ao final','Prepend to the beginning'=>'Anexar ao início','Minimum rows not reached ({min} rows)'=>'Mínimo de linhas alcançado ({min} linhas)','Maximum rows reached ({max} rows)'=>'Máximo de linhas alcançado ({max} linhas)','Error loading page'=>'Erro ao carregar página','Order will be assigned upon save'=>'A ordenação será atribuída ao salvar','Useful for fields with a large number of rows.'=>'Útil para campos com um grande número de linhas.','Rows Per Page'=>'Linhas por página','Set the number of rows to be displayed on a page.'=>'Define o número de linhas a serem exibidas em uma página.','Minimum Rows'=>'Mínimo de linhas','Maximum Rows'=>'Máximo de linhas','Collapsed'=>'Recolhido','Select a sub field to show when row is collapsed'=>'Selecione um subcampo para mostrar quando a linha for recolhida','Invalid field key or name.'=>'Chave ou nome de campo inválidos.','There was an error retrieving the field.'=>'Ocorreu um erro ao recuperar o campo.','Click to reorder'=>'Clique para reordenar','Add row'=>'Adicionar linha','Duplicate row'=>'Duplicar linha','Remove row'=>'Remover linha','Current Page'=>'Página atual','First Page'=>'Primeira página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Próxima página','Last Page'=>'Última página','No block types exist'=>'Nenhum tipo de bloco existente','No options pages exist'=>'Não existe nenhuma página de opções','Deactivate License'=>'Desativar licença','Activate License'=>'Ativar licença','License Information'=>'Informação da licença','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Para desbloquear atualizações, digite sua chave de licença abaixo. Se você não tiver uma chave de licença, consulte detalhes e preços.','License Key'=>'Chave de licença','Your license key is defined in wp-config.php.'=>'Sua chave de licença é definida em wp-config.php.','Retry Activation'=>'Tentar ativação novamente','Update Information'=>'Informação da atualização','Current Version'=>'Versão atual','Latest Version'=>'Versão mais recente','Update Available'=>'Atualização disponível','Upgrade Notice'=>'Aviso de atualização','Check For Updates'=>'Verificar atualizações','Enter your license key to unlock updates'=>'Digite sua chave de licença para desbloquear atualizações','Update Plugin'=>'Atualizar plugin','Please reactivate your license to unlock updates'=>'Reative sua licença para desbloquear as atualizações']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[O shortcode do ACF não pode exibir campos de posts não públicos]','[The ACF shortcode is disabled on this site]'=>'[O shortcode do ACF está desativado neste site]','Businessman Icon'=>'Ícone de homem de negócios','Forums Icon'=>'Ícone de fórum','YouTube Icon'=>'Ícone do Youtube','Yes (alt) Icon'=>'Ícone Sim (alt)','Xing Icon'=>'','WordPress (alt) Icon'=>'Ícone WordPress (alt)','WhatsApp Icon'=>'Ícone do WhatsApp','Write Blog Icon'=>'Ícone de escrever','Widgets Menus Icon'=>'Ícone de widgets','View Site Icon'=>'Ícone de Ver Site','Learn More Icon'=>'Ícone de saiba mais','Add Page Icon'=>'Ícone de adicionar página','Video (alt3) Icon'=>'Ícone de vídeo (alt3)','Video (alt2) Icon'=>'Ícone de vídeo (alt2)','Video (alt) Icon'=>'Ícone de vídeo (alt)','Update (alt) Icon'=>'Ícone de atualizar','Universal Access (alt) Icon'=>'Ícone de acesso universal (alt)','Twitter (alt) Icon'=>'Ícone do Twitter (alt)','Twitch Icon'=>'Ícone do Twitch','Tide Icon'=>'','Tickets (alt) Icon'=>'Ícone de tickets (alt)','Text Page Icon'=>'Ícone de texto de página','Table Row Delete Icon'=>'Ícone de deletar linha da tabela','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'Campos do ACF','ACF PRO Feature'=>'Funcionalidade ACF PRO','Renew PRO to Unlock'=>'Renove o PRO para desbloquear','Renew PRO License'=>'Renovar a licença PRO','PRO fields cannot be edited without an active license.'=>'Campos PRO não podem ser editados sem uma licença ativa.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Por favor, ative sua licença do ACF PRO para editar grupos de campos atribuídos a um Bloco ACF.','Please activate your ACF PRO license to edit this options page.'=>'Ative sua licença ACF PRO para editar essa página de opções.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Retornar valores de HTML escapados só é possível quando format_value também é verdadeiro. Os valores do campo não foram retornados por motivos de segurança.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Retornar um valor de HTML escapado é apenas possível quando format_value também é verdadeiro. O valor do campo não foi retornado por motivos de segurança.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Entre em contato com o administrador do seu site ou com o desenvolvedor para mais detalhes.','Learn more'=>'','Hide details'=>'Ocultar detalhes','Show details'=>'Mostrar detalhes','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - renderizado mediante %3$s','Renew ACF PRO License'=>'Renovar a licença ACF PRO','Renew License'=>'Renovar licença','Manage License'=>'Gerenciar licença','\'High\' position not supported in the Block Editor'=>'A posição "alta" não é suportada pelo editor de blocos.','Upgrade to ACF PRO'=>'Upgrade para ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'As páginas de opções do ACF são páginas de administração personalizadas para gerenciar configurações globais através de campos. Você pode criar várias páginas e subpáginas.','Add Options Page'=>'Adicionar página de opções','In the editor used as the placeholder of the title.'=>'No editor usado como espaço reservado para o título.','Title Placeholder'=>'Título de marcação','4 Months Free'=>'4 meses grátis','(Duplicated from %s)'=>' (Duplicado de %s)','Select Options Pages'=>'Selecionar páginas de opções','Duplicate taxonomy'=>'Duplicar taxonomia','Create taxonomy'=>'Criar taxonomia','Duplicate post type'=>'Duplicar tipo de post','Create post type'=>'Criar tipo de post','Link field groups'=>'Vincular grupos de campos','Add fields'=>'Adicionar campos','This Field'=>'Este campo','ACF PRO'=>'ACF PRO','Feedback'=>'Sugestões','Support'=>'Suporte','is developed and maintained by'=>'é desenvolvido e mantido por','Add this %s to the location rules of the selected field groups.'=>'Adicione este %s às regras de localização dos grupos de campos selecionados','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Selecione o(s) campo(s) para armazenar a referência de volta ao item que está sendo atualizado. Você pode selecionar este campo. Os campos de destino devem ser compatíveis com onde este campo está sendo exibido. Por exemplo, se este campo estiver sendo exibido em uma Taxonomia, seu campo de destino deve ser do tipo Taxonomia','Target Field'=>'Campo de destino','Update a field on the selected values, referencing back to this ID'=>'Atualize um campo nos valores selecionados, referenciando de volta para este ID','Bidirectional'=>'Bidirecional','%s Field'=>'Campo %s','Select Multiple'=>'Selecionar vários','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'O nome da capacidade para editar termos desta taxonomia.','Edit Terms Capability'=>'Editar capacidade dos termos','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'Campos de %s','No terms'=>'Não há termos','No post types'=>'Não há tipos de post','No posts'=>'Não há posts','No taxonomies'=>'Não há taxonomias','No field groups'=>'Não há grupos de campos','No fields'=>'Não há campos','No description'=>'Não há descrição','Any post status'=>'Qualquer status de post','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta chave de taxonomia já está em uso por outra taxonomia registrada fora do ACF e não pode ser usada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta chave de taxonomia já está em uso por outra taxonomia no ACF e não pode ser usada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave de taxonomia deve conter apenas caracteres alfanuméricos minúsculos, sublinhados ou hífens.','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'Não foi possível encontrar taxonomias na lixeira','No Taxonomies found'=>'Não foi possível encontrar taxonomias','Search Taxonomies'=>'Pesquisar taxonomias','View Taxonomy'=>'Ver taxonomia','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Editar taxonomia','Add New Taxonomy'=>'Adicionar nova taxonomia','No Post Types found in Trash'=>'Não foi possível encontrar tipos de post na lixeira','No Post Types found'=>'Não foi possível encontrar tipos de post','Search Post Types'=>'Pesquisar tipos de post','View Post Type'=>'Ver tipo de post','New Post Type'=>'Novo tipo de post','Edit Post Type'=>'Editar tipo de post','Add New Post Type'=>'Adicionar novo tipo de post','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta chave de tipo de post já está em uso por outro tipo de post registrado fora do ACF e não pode ser usada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta chave de tipo de post já está em uso por outro tipo de post no ACF e não pode ser usada.','This field must not be a WordPress reserved term.'=>'Este campo não deve ser um termo reservado do WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave do tipo de post deve conter apenas caracteres alfanuméricos minúsculos, sublinhados ou hífens.','The post type key must be under 20 characters.'=>'A chave do tipo de post deve ter menos de 20 caracteres.','We do not recommend using this field in ACF Blocks.'=>'Não recomendamos o uso deste campo em blocos do ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Exibe o editor WordPress WYSIWYG como visto em Posts e Páginas, permitindo uma rica experiência de edição de texto que também permite conteúdo multimídia.','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Permite a seleção de um ou mais usuários que podem ser usados para criar relacionamentos entre objetos de dados.','A text input specifically designed for storing web addresses.'=>'Uma entrada de texto projetada especificamente para armazenar endereços da web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Um botão de alternar que permite escolher um valor de 1 ou 0 (ligado ou desligado, verdadeiro ou falso, etc.). Pode ser apresentado como um botão estilizado ou uma caixa de seleção.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Uma interface interativa para escolher um horário. O formato de horário pode ser personalizado usando as configurações do campo.','A basic textarea input for storing paragraphs of text.'=>'Uma entrada de área de texto básica para armazenar parágrafos de texto.','A basic text input, useful for storing single string values.'=>'Uma entrada de texto básica, útil para armazenar valores de texto únicos.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Permite a seleção de um ou mais termos de taxonomia com base nos critérios e opções especificados nas configurações dos campos.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Permite agrupar campos em seções com abas na tela de edição. Útil para manter os campos organizados e estruturados.','A dropdown list with a selection of choices that you specify.'=>'Uma lista suspensa com uma seleção de escolhas que você especifica.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Uma interface de coluna dupla para selecionar um ou mais posts, páginas ou itens de tipo de post personalizados para criar um relacionamento com o item que você está editando no momento. Inclui opções para pesquisar e filtrar.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Uma entrada para selecionar um valor numérico dentro de um intervalo especificado usando um elemento deslizante de intervalo.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Um grupo de entradas de botão de opção que permite ao usuário fazer uma única seleção a partir dos valores especificados.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Uma interface interativa e personalizável para escolher um ou vários posts, páginas ou itens de tipos de post com a opção de pesquisa. ','An input for providing a password using a masked field.'=>'Uma entrada para fornecer uma senha usando um campo mascarado.','Filter by Post Status'=>'Filtrar por status do post','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Um menu suspenso interativo para selecionar um ou mais posts, páginas, itens de um tipo de post personalizado ou URLs de arquivo, com a opção de pesquisa.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Um componente interativo para incorporar vídeos, imagens, tweets, áudio e outros conteúdos, fazendo uso da funcionalidade oEmbed nativa do WordPress.','An input limited to numerical values.'=>'Uma entrada limitada a valores numéricos.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Usado para exibir uma mensagem aos editores ao lado de outros campos. Útil para fornecer contexto adicional ou instruções sobre seus campos.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Permite especificar um link e suas propriedades, como título e destino, usando o seletor de links nativo do WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Usa o seletor de mídia nativo do WordPress para enviar ou escolher imagens.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Fornece uma maneira de estruturar os campos em grupos para organizar melhor os dados e a tela de edição.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Uma interface interativa para selecionar um local usando o Google Maps. Requer uma chave de API do Google Maps e configuração adicional para exibir corretamente.','Uses the native WordPress media picker to upload, or choose files.'=>'Usa o seletor de mídia nativo do WordPress para enviar ou escolher arquivos.','A text input specifically designed for storing email addresses.'=>'Uma entrada de texto projetada especificamente para armazenar endereços de e-mail.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Uma interface interativa para escolher uma data e um horário. O formato de data devolvido pode ser personalizado usando as configurações do campo.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Uma interface interativa para escolher uma data. O formato de data devolvido pode ser personalizado usando as configurações do campo.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Uma interface interativa para selecionar uma cor ou especificar um valor hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Um grupo de entradas de caixa de seleção que permite ao usuário selecionar um ou vários valores especificados.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Um grupo de botões com valores que você especifica, os usuários podem escolher uma opção entre os valores fornecidos.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Permite agrupar e organizar campos personalizados em painéis recolhíveis que são exibidos durante a edição do conteúdo. Útil para manter grandes conjuntos de dados organizados.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Isso fornece uma solução para repetir conteúdo, como slides, membros da equipe e blocos de chamada para ação, agindo como um ascendente para um conjunto de subcampos que podem ser repetidos várias vezes.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Isso fornece uma interface interativa para gerenciar uma coleção de anexos. A maioria das configurações é semelhante ao tipo de campo Imagem. Configurações adicionais permitem que você especifique onde novos anexos são adicionados na galeria e o número mínimo/máximo de anexos permitidos.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Isso fornece um editor simples, estruturado e baseado em layout. O campo "conteúdo flexível" permite definir, criar e gerenciar o conteúdo com total controle, utilizando layouts e subcampos para desenhar os blocos disponíveis.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Isso permite que você selecione e exiba os campos existentes. Ele não duplica nenhum campo no banco de dados, mas carrega e exibe os campos selecionados em tempo de execução. O campo "clone" pode se substituir pelos campos selecionados ou exibir os campos selecionados como um grupo de subcampos.','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avançado','JSON (newer)'=>'JSON (mais recente)','Original'=>'Original','Invalid post ID.'=>'ID de post inválido.','Invalid post type selected for review.'=>'Tipo de post inválido selecionado para revisão.','More'=>'Mais','Tutorial'=>'Tutorial','Select Field'=>'Selecionar campo','Try a different search term or browse %s'=>'Tente um termo de pesquisa diferente ou procure pelos %s','Popular fields'=>'Campos populares','No search results for \'%s\''=>'Nenhum resultado de pesquisa para \'%s\'','Search fields...'=>'Pesquisar campos...','Select Field Type'=>'Selecione o tipo de campo','Popular'=>'Popular','Add Taxonomy'=>'Adicionar taxonomia','Create custom taxonomies to classify post type content'=>'Crie taxonomias personalizadas para classificar o conteúdo do tipo de post','Add Your First Taxonomy'=>'Adicione sua primeira taxonomia','Hierarchical taxonomies can have descendants (like categories).'=>'Taxonomias hierárquicas podem ter descendentes (como categorias).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Torna uma taxonomia visível na interface e no painel administrativo.','One or many post types that can be classified with this taxonomy.'=>'Um ou vários tipos de post que podem ser classificados com esta taxonomia.','genre'=>'gênero','Genre'=>'Gênero','Genres'=>'Gêneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Controlador personalizado opcional para usar em vez de `WP_REST_Terms_Controller`.','Expose this post type in the REST API.'=>'Expor esse tipo de post na API REST.','Customize the query variable name'=>'Personalize o nome da variável de consulta','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Os termos podem ser acessados usando o link permanente não bonito, por exemplo, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Termos ascendente-descendente em URLs para taxonomias hierárquicas.','Customize the slug used in the URL'=>'Personalize o slug usado no URL','Permalinks for this taxonomy are disabled.'=>'Os links permanentes para esta taxonomia estão desativados.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Reescreva o URL usando a chave de taxonomia como slug. Sua estrutura de link permanente será','Taxonomy Key'=>'Chave de taxonomia','Select the type of permalink to use for this taxonomy.'=>'Selecione o tipo de link permanente a ser usado para esta taxonomia.','Display a column for the taxonomy on post type listing screens.'=>'Exiba uma coluna para a taxonomia nas telas de listagem do tipo de post.','Show Admin Column'=>'Mostrar coluna administrativa','Show the taxonomy in the quick/bulk edit panel.'=>'Mostrar a taxonomia no painel de edição rápida/em massa.','Quick Edit'=>'Edição rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'Listar a taxonomia nos controles do widget de nuvem de tags.','Tag Cloud'=>'Nuvem de tags','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'Callback de higienização da metabox','Register Meta Box Callback'=>'Cadastrar callback da metabox','No Meta Box'=>'Sem metabox','Custom Meta Box'=>'Metabox personalizada','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Controla a metabox na tela do editor de conteúdo. Por padrão, a metabox "Categorias" é mostrada para taxonomias hierárquicas e a metabox "Tags" é mostrada para taxonomias não hierárquicas.','Meta Box'=>'Metabox','Categories Meta Box'=>'Metabox de categorias','Tags Meta Box'=>'Metabox de tags','A link to a tag'=>'Um link para uma tag','Describes a navigation link block variation used in the block editor.'=>'Descreve uma variação de bloco de link de navegação usada no editor de blocos.','A link to a %s'=>'Um link para um %s','Tag Link'=>'Link da tag','Assigns a title for navigation link block variation used in the block editor.'=>'Atribui um título para a variação do bloco de link de navegação usado no editor de blocos.','← Go to tags'=>'← Ir para tags','Assigns the text used to link back to the main index after updating a term.'=>'Atribui o texto usado para vincular de volta ao índice principal após atualizar um termo.','Back To Items'=>'Voltar aos itens','← Go to %s'=>'← Ir para %s','Tags list'=>'Lista de tags','Assigns text to the table hidden heading.'=>'Atribui texto ao título oculto da tabela.','Tags list navigation'=>'Navegação da lista de tags','Assigns text to the table pagination hidden heading.'=>'Atribui texto ao título oculto da paginação da tabela.','Filter by category'=>'Filtrar por categoria','Assigns text to the filter button in the posts lists table.'=>'Atribui texto ao botão de filtro na tabela de listas de posts.','Filter By Item'=>'Filtrar por item','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'A descrição não está em destaque por padrão, no entanto alguns temas podem mostrá-la.','Describes the Description field on the Edit Tags screen.'=>'Descreve o campo "descrição" na tela "editar tags".','Description Field Description'=>'Descrição do campo de descrição','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Atribua um termo ascendente para criar uma hierarquia. O termo Jazz, por exemplo, pode ser ascendente de Bebop ou Big Band','Describes the Parent field on the Edit Tags screen.'=>'Descreve o campo "ascendente" na tela "editar tags".','Parent Field Description'=>'Descrição do campo ascendente','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'O "slug" é a versão do nome amigável para o URL. Geralmente é todo em minúsculas e contém apenas letras, números e hífens.','Describes the Slug field on the Edit Tags screen.'=>'Descreve o campo "slug" na tela "editar tags".','Slug Field Description'=>'Descrição do campo de slug','The name is how it appears on your site'=>'O nome é como aparece no seu site','Describes the Name field on the Edit Tags screen.'=>'Descreve o campo "nome" na tela "editar tags".','Name Field Description'=>'Descrição do campo de nome','No tags'=>'Não há tags','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Atribui o texto exibido nas tabelas de posts e listas de mídia quando não há tags ou categorias disponíveis.','No Terms'=>'Não há termos','No %s'=>'Não há %s','No tags found'=>'Não foi possível encontrar tags','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Atribui o texto exibido ao clicar no texto "escolher entre os mais usados" na metabox da taxonomia quando não há tags disponíveis e atribui o texto usado na tabela da lista de termos quando não há itens para uma taxonomia.','Not Found'=>'Não encontrado','Assigns text to the Title field of the Most Used tab.'=>'Atribui texto ao campo "título" da aba "mais usados".','Most Used'=>'Mais usado','Choose from the most used tags'=>'Escolha entre as tags mais usadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Atribui o texto "escolha entre os mais usados" utilizado na metabox quando o JavaScript estiver desativado. Usado apenas em taxonomias não hierárquicas.','Choose From Most Used'=>'Escolha entre os mais usados','Choose from the most used %s'=>'Escolha entre %s mais comuns','Add or remove tags'=>'Adicionar ou remover tags','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Atribui o texto "adicionar ou remover itens" utilizado na metabox quando o JavaScript está desativado. Usado apenas em taxonomias não hierárquicas','Add Or Remove Items'=>'Adicionar ou remover itens','Add or remove %s'=>'Adicionar ou remover %s','Separate tags with commas'=>'Separe as tags com vírgulas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Atribui o texto "separe os itens com vírgulas" utilizado na metabox da taxonomia. Usado apenas em taxonomias não hierárquicas.','Separate Items With Commas'=>'Separe os itens com vírgulas','Separate %s with commas'=>'Separe %s com vírgulas','Popular Tags'=>'Tags populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Atribui texto de itens populares. Usado apenas para taxonomias não hierárquicas.','Popular Items'=>'Itens populares','Popular %s'=>'%s populares','Search Tags'=>'Pesquisar Tags','Assigns search items text.'=>'Atribui texto aos itens de pesquisa.','Parent Category:'=>'Categoria ascendente:','Assigns parent item text, but with a colon (:) added to the end.'=>'Atribui o texto do item ascendente, mas com dois pontos (:) adicionados ao final.','Parent Item With Colon'=>'Item ascendente com dois pontos','Parent Category'=>'Categoria ascendente','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Atribui o texto do item ascendente. Usado apenas em taxonomias hierárquicas.','Parent Item'=>'Item ascendente','Parent %s'=>'%s ascendente','New Tag Name'=>'Novo nome de tag','Assigns the new item name text.'=>'Atribui o texto "novo nome do item".','New Item Name'=>'Novo nome do item','New %s Name'=>'Novo nome de %s','Add New Tag'=>'Adicionar nova tag','Assigns the add new item text.'=>'Atribui o texto "adicionar novo item".','Update Tag'=>'Atualizar tag','Assigns the update item text.'=>'Atribui o texto "atualizar item".','Update Item'=>'Atualizar item','Update %s'=>'Atualizar %s','View Tag'=>'Ver tag','In the admin bar to view term during editing.'=>'Na barra de administração para visualizar o termo durante a edição.','Edit Tag'=>'Editar tag','At the top of the editor screen when editing a term.'=>'Na parte superior da tela do editor durante a edição de um termo.','All Tags'=>'Todas as tags','Assigns the all items text.'=>'Atribui o texto "todos os itens".','Assigns the menu name text.'=>'Atribui o texto do nome do menu.','Menu Label'=>'Rótulo do menu','Active taxonomies are enabled and registered with WordPress.'=>'As taxonomias selecionadas estão ativas e cadastradas no WordPress.','A descriptive summary of the taxonomy.'=>'Um resumo descritivo da taxonomia.','A descriptive summary of the term.'=>'Um resumo descritivo do termo.','Term Description'=>'Descrição do termo','Single word, no spaces. Underscores and dashes allowed.'=>'Uma única palavra, sem espaços. Sublinhados (_) e traços (-) permitidos.','Term Slug'=>'Slug do termo','The name of the default term.'=>'O nome do termo padrão.','Term Name'=>'Nome do termo','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Cria um termo para a taxonomia que não pode ser excluído. Ele não será selecionado para posts por padrão.','Default Term'=>'Termo padrão','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Se os termos nesta taxonomia devem ser classificados na ordem em que são fornecidos para "wp_set_object_terms()".','Sort Terms'=>'Ordenar termos','Add Post Type'=>'Adicionar tipo de post','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Expanda a funcionalidade do WordPress além de posts e páginas padrão com tipos de post personalizados.','Add Your First Post Type'=>'Adicione seu primeiro tipo de post','I know what I\'m doing, show me all the options.'=>'Eu sei o que estou fazendo, mostre todas as opções.','Advanced Configuration'=>'Configuração avançada','Hierarchical post types can have descendants (like pages).'=>'Tipos de post hierárquicos podem ter descendentes (como páginas).','Hierarchical'=>'Hierárquico','Visible on the frontend and in the admin dashboard.'=>'Visível na interface e no painel administrativo.','Public'=>'Público','movie'=>'filme','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Somente letras minúsculas, sublinhados (_) e traços (-), máximo de 20 caracteres.','Movie'=>'Filme','Singular Label'=>'Rótulo no singular','Movies'=>'Filmes','Plural Label'=>'Rótulo no plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Controlador personalizado opcional para usar em vez de "WP_REST_Posts_Controller".','Controller Class'=>'Classe do controlador','The namespace part of the REST API URL.'=>'A parte do namespace da URL da API REST.','Namespace Route'=>'Rota do namespace','The base URL for the post type REST API URLs.'=>'O URL base para os URLs da API REST do tipo de post.','Base URL'=>'URL base','Exposes this post type in the REST API. Required to use the block editor.'=>'Expõe este tipo de post na API REST. Obrigatório para usar o editor de blocos.','Show In REST API'=>'Mostrar na API REST','Customize the query variable name.'=>'Personalize o nome da variável de consulta.','Query Variable'=>'Variável de consulta','No Query Variable Support'=>'Sem suporte a variáveis de consulta','Custom Query Variable'=>'Variável de consulta personalizada','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Os itens podem ser acessados usando o link permanente não bonito, por exemplo, {post_type}={post_slug}.','Query Variable Support'=>'Suporte à variável de consulta','URLs for an item and items can be accessed with a query string.'=>'URLs para um item e itens podem ser acessados com uma string de consulta.','Publicly Queryable'=>'Consultável publicamente','Custom slug for the Archive URL.'=>'Slug personalizado para o URL de arquivo.','Archive Slug'=>'Slug do arquivo','Has an item archive that can be customized with an archive template file in your theme.'=>'Possui um arquivo de itens que pode ser personalizado com um arquivo de modelo de arquivo em seu tema.','Archive'=>'Arquivo','Pagination support for the items URLs such as the archives.'=>'Suporte de paginação para os URLs de itens, como os arquivos.','Pagination'=>'Paginação','RSS feed URL for the post type items.'=>'URL do feed RSS para os itens do tipo de post.','Feed URL'=>'URL do feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Altera a estrutura do link permanente para adicionar o prefixo "WP_Rewrite::$front" aos URLs.','Front URL Prefix'=>'Prefixo Front do URL','Customize the slug used in the URL.'=>'Personalize o slug usado no URL.','URL Slug'=>'Slug do URL','Permalinks for this post type are disabled.'=>'Os links permanentes para este tipo de post estão desativados.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Reescreve o URL usando um slug personalizado definido no campo abaixo. Sua estrutura de link permanente será','No Permalink (prevent URL rewriting)'=>'Sem link permanente (impedir a reescrita do URL)','Custom Permalink'=>'Link permanente personalizado','Post Type Key'=>'Chave do tipo de post','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Reescreve o URL usando a chave do tipo de post como slug. Sua estrutura de link permanente será','Permalink Rewrite'=>'Reescrita do link permanente','Delete items by a user when that user is deleted.'=>'Excluir itens criados pelo usuário quando o usuário for excluído.','Delete With User'=>'Excluir com o usuário','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Permitir que o tipo de post seja exportado em "Ferramentas" > "Exportar".','Can Export'=>'Pode exportar','Optionally provide a plural to be used in capabilities.'=>'Opcionalmente, forneça um plural para ser usado nas capacidades.','Plural Capability Name'=>'Nome plural da capacidade','Choose another post type to base the capabilities for this post type.'=>'Escolha outro tipo de post para basear as capacidades deste tipo de post.','Singular Capability Name'=>'Nome singular da capacidade','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Por padrão, as capacidades do tipo de post herdarão os nomes das capacidades de "Post". Ex.: edit_post, delete_posts. Ative para usar capacidades específicas do tipo de post, ex.: edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Renomear capacidades','Exclude From Search'=>'Excluir da pesquisa','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Permitir que itens sejam adicionados aos menus na tela \'Aparência\' > \'Menus\'. Deve ser ativado em \'Opções de tela\'.','Appearance Menus Support'=>'Suporte a menus em "Aparência"','Appears as an item in the \'New\' menu in the admin bar.'=>'Aparece como um item no menu "novo" na barra de administração.','Show In Admin Bar'=>'Mostrar na barra de administração','Custom Meta Box Callback'=>'Callback de metabox personalizado','Menu Icon'=>'Ícone do menu','The position in the sidebar menu in the admin dashboard.'=>'A posição no menu da barra lateral no painel de administração.','Menu Position'=>'Posição do menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Por padrão, o tipo de post receberá um novo item de nível superior no menu de administração. Se um item de nível superior existente for fornecido aqui, o tipo de post será adicionado como um item de submenu abaixo dele.','Admin Menu Parent'=>'Ascendente do menu de administração','Admin editor navigation in the sidebar menu.'=>'Navegação do editor de administração no menu da barra lateral.','Show In Admin Menu'=>'Mostrar no menu de administração','Items can be edited and managed in the admin dashboard.'=>'Os itens podem ser editados e gerenciados no painel de administração.','Show In UI'=>'Mostrar na interface','A link to a post.'=>'Um link para um post.','Description for a navigation link block variation.'=>'Descrição para uma variação de bloco de link de navegação.','Item Link Description'=>'Descrição do link do item','A link to a %s.'=>'Um link para um %s.','Post Link'=>'Link do post','Title for a navigation link block variation.'=>'Título para uma variação de bloco de link de navegação.','Item Link'=>'Link do item','%s Link'=>'Link de %s','Post updated.'=>'Post atualizado.','In the editor notice after an item is updated.'=>'No aviso do editor após a atualização de um item.','Item Updated'=>'Item atualizado','%s updated.'=>'%s atualizado.','Post scheduled.'=>'Post agendado.','In the editor notice after scheduling an item.'=>'No aviso do editor após o agendamento de um item.','Item Scheduled'=>'Item agendado','%s scheduled.'=>'%s agendado.','Post reverted to draft.'=>'Post revertido para rascunho.','In the editor notice after reverting an item to draft.'=>'No aviso do editor após reverter um item para rascunho.','Item Reverted To Draft'=>'Item revertido para rascunho','%s reverted to draft.'=>'%s revertido para rascunho.','Post published privately.'=>'Post publicado de forma privada.','In the editor notice after publishing a private item.'=>'No aviso do editor após a publicação de um item privado.','Item Published Privately'=>'Item publicado de forma privada','%s published privately.'=>'%s publicado de forma privada.','Post published.'=>'Post publicado.','In the editor notice after publishing an item.'=>'No aviso do editor após a publicação de um item.','Item Published'=>'Item publicado','%s published.'=>'%s publicado.','Posts list'=>'Lista de posts','Used by screen readers for the items list on the post type list screen.'=>'Usado por leitores de tela para a lista de itens na tela de lista de tipos de post.','Items List'=>'Lista de itens','%s list'=>'Lista de %s','Posts list navigation'=>'Navegação da lista de posts','Used by screen readers for the filter list pagination on the post type list screen.'=>'Usado por leitores de tela para a paginação da lista de filtros na tela da lista de tipos de post.','Items List Navigation'=>'Navegação da lista de itens','%s list navigation'=>'Navegação na lista de %s','Filter posts by date'=>'Filtrar posts por data','Used by screen readers for the filter by date heading on the post type list screen.'=>'Usado por leitores de tela para filtrar por título de data na tela de lista de tipos de post.','Filter Items By Date'=>'Filtrar itens por data','Filter %s by date'=>'Filtrar %s por data','Filter posts list'=>'Filtrar lista de posts','Used by screen readers for the filter links heading on the post type list screen.'=>'Usado por leitores de tela para o título de links de filtro na tela de lista de tipos de post.','Filter Items List'=>'Filtrar lista de itens','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'No modal de mídia mostrando todas as mídias enviadas para este item.','Uploaded To This Item'=>'Enviado para este item','Uploaded to this %s'=>'Enviado para este %s','Insert into post'=>'Inserir no post','As the button label when adding media to content.'=>'Como o rótulo do botão ao adicionar mídia ao conteúdo.','Insert Into Media Button'=>'Inserir no botão de mídia','Insert into %s'=>'Inserir no %s','Use as featured image'=>'Usar como imagem destacada','As the button label for selecting to use an image as the featured image.'=>'Como o rótulo do botão para selecionar o uso de uma imagem como a imagem destacada.','Use Featured Image'=>'Usar imagem destacada','Remove featured image'=>'Remover imagem destacada','As the button label when removing the featured image.'=>'Como o rótulo do botão ao remover a imagem destacada.','Remove Featured Image'=>'Remover imagem destacada','Set featured image'=>'Definir imagem destacada','As the button label when setting the featured image.'=>'Como o rótulo do botão ao definir a imagem destacada.','Set Featured Image'=>'Definir imagem destacada','Featured image'=>'Imagem destacada','In the editor used for the title of the featured image meta box.'=>'No editor usado para o título da metabox da imagem destacada.','Featured Image Meta Box'=>'Metabox de imagem destacada','Post Attributes'=>'Atributos do post','In the editor used for the title of the post attributes meta box.'=>'No editor usado para o título da metabox de atributos do post.','Attributes Meta Box'=>'Metabox de atributos','%s Attributes'=>'Atributos de %s','Post Archives'=>'Arquivos de posts','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Adiciona os itens de "arquivo do tipo de post" com este rótulo à lista de posts mostrados ao adicionar itens a um menu existente em um tipo de post personalizado com arquivos ativados. Só aparece ao editar menus no modo "ver ao vivo" e um slug de arquivo personalizado foi fornecido.','Archives Nav Menu'=>'Menu de navegação de arquivos','%s Archives'=>'Arquivos de %s','No posts found in Trash'=>'Não foi possível encontrar posts na lixeira','At the top of the post type list screen when there are no posts in the trash.'=>'Na parte superior da tela da lista de tipos de post, quando não há posts na lixeira.','No Items Found in Trash'=>'Não foi possível encontrar itens na lixeira','No %s found in Trash'=>'Não foi possível encontrar %s na lixeira','No posts found'=>'Não foi possível encontrar posts','At the top of the post type list screen when there are no posts to display.'=>'Na parte superior da tela da lista de tipos de post, quando não há posts para exibir.','No Items Found'=>'Não foi possível encontrar itens','No %s found'=>'Não foi possível encontrar %s','Search Posts'=>'Pesquisar posts','At the top of the items screen when searching for an item.'=>'Na parte superior da tela de itens ao pesquisar um item.','Search Items'=>'Pesquisar itens','Search %s'=>'Pesquisar %s','Parent Page:'=>'Página ascendente:','For hierarchical types in the post type list screen.'=>'Para tipos hierárquicos na tela de lista de tipos de post.','Parent Item Prefix'=>'Prefixo do item ascendente','Parent %s:'=>'%s ascendente:','New Post'=>'Novo post','New Item'=>'Novo item','New %s'=>'Novo %s','Add New Post'=>'Adicionar novo post','At the top of the editor screen when adding a new item.'=>'Na parte superior da tela do editor ao adicionar um novo item.','Add New Item'=>'Adicionar novo item','Add New %s'=>'Adicionar novo %s','View Posts'=>'Ver posts','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Aparece na barra de administração na visualização "Todos as posts", desde que o tipo de post suporte arquivos e a página inicial não seja um arquivo desse tipo de post.','View Items'=>'Ver itens','View Post'=>'Ver post','In the admin bar to view item when editing it.'=>'Na barra de administração para visualizar o item ao editá-lo.','View Item'=>'Ver item','View %s'=>'Ver %s','Edit Post'=>'Editar post','At the top of the editor screen when editing an item.'=>'Na parte superior da tela do editor ao editar um item.','Edit Item'=>'Editar item','Edit %s'=>'Editar %s','All Posts'=>'Todos os posts','In the post type submenu in the admin dashboard.'=>'No submenu do tipo de post no painel administrativo.','All Items'=>'Todos os itens','All %s'=>'Todos os %s','Admin menu name for the post type.'=>'Nome do menu do administração para o tipo de post.','Menu Name'=>'Nome do menu','Regenerate all labels using the Singular and Plural labels'=>'Recriar todos os rótulos usando os rótulos singular e plural','Regenerate'=>'Recriar','Active post types are enabled and registered with WordPress.'=>'Os tipos de post ativos estão ativados e cadastrados com o WordPress.','A descriptive summary of the post type.'=>'Um resumo descritivo do tipo de post.','Add Custom'=>'Adicionar personalizado','Enable various features in the content editor.'=>'Ative vários recursos no editor de conteúdo.','Post Formats'=>'Formatos de post','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Selecione taxonomias existentes para classificar itens do tipo de post.','Browse Fields'=>'Procurar campos','Nothing to import'=>'Nada para importar','. The Custom Post Type UI plugin can be deactivated.'=>'. O plugin Custom Post Type UI pode ser desativado.','Imported %d item from Custom Post Type UI -'=>'%d item foi importado do Custom Post Type UI -' . "\0" . '%d itens foram importados do Custom Post Type UI -','Failed to import taxonomies.'=>'Falha ao importar as taxonomias.','Failed to import post types.'=>'Falha ao importar os tipos de post.','Nothing from Custom Post Type UI plugin selected for import.'=>'Nada do plugin Custom Post Type UI selecionado para importação.','Imported 1 item'=>'Um item importado' . "\0" . '%s itens importados','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'A importação de um tipo de post ou taxonomia com a mesma chave que já existe substituirá as configurações do tipo de post ou taxonomia existente pelas da importação.','Import from Custom Post Type UI'=>'Importar do Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'É possível usar o código a seguir para cadastrar uma versão local dos itens selecionados. Armazenar grupos de campos, tipos de post ou taxonomias localmente pode fornecer muitos benefícios, como tempos de carregamento mais rápidos, controle de versão e campos/configurações dinâmicos. Simplesmente copie e cole o código a seguir no arquivo functions.php do seu tema ou inclua-o em um arquivo externo e, em seguida, desative ou exclua os itens do painel do ACF.','Export - Generate PHP'=>'Exportar - Gerar PHP','Export'=>'Exportar','Select Taxonomies'=>'Selecionar taxonomias','Select Post Types'=>'Selecionar tipos de post','Exported 1 item.'=>'Um item exportado.' . "\0" . '%s itens exportados.','Category'=>'Categoria','Tag'=>'Tag','%s taxonomy created'=>'Taxonomia %s criada','%s taxonomy updated'=>'Taxonomia %s atualizada','Taxonomy draft updated.'=>'O rascunho da taxonomia foi atualizado.','Taxonomy scheduled for.'=>'Taxonomia agendada para.','Taxonomy submitted.'=>'Taxonomia enviada.','Taxonomy saved.'=>'Taxonomia salva.','Taxonomy deleted.'=>'Taxonomia excluída.','Taxonomy updated.'=>'Taxonomia atualizada.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Não foi possível cadastrar esta taxonomia porque sua chave está em uso por outra taxonomia cadastrada por outro plugin ou tema.','Taxonomy synchronized.'=>'Taxonomia sincronizada.' . "\0" . '%s taxonomias sincronizadas.','Taxonomy duplicated.'=>'Taxonomia duplicada.' . "\0" . '%s taxonomias duplicadas.','Taxonomy deactivated.'=>'Taxonomia desativada.' . "\0" . '%s taxonomias desativadas.','Taxonomy activated.'=>'Taxonomia ativada.' . "\0" . '%s taxonomias ativadas.','Terms'=>'Termos','Post type synchronized.'=>'Tipo de post sincronizado.' . "\0" . '%s tipos de post sincronizados.','Post type duplicated.'=>'Tipo de post duplicado.' . "\0" . '%s tipos de post duplicados.','Post type deactivated.'=>'Tipo de post desativado.' . "\0" . '%s tipos de post desativados.','Post type activated.'=>'Tipo de post ativado.' . "\0" . '%s tipos de post ativados.','Post Types'=>'Tipos de post','Advanced Settings'=>'Configurações avançadas','Basic Settings'=>'Configurações básicas','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Não foi possível cadastrar este tipo de post porque sua chave está em uso por outro tipo de post cadastrado por outro plugin ou tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'','%s post type created'=>'Tipo de post %s criado','Add fields to %s'=>'Adicionar campos para %s','%s post type updated'=>'Tipo de post %s atualizado','Post type draft updated.'=>'Rascunho do tipo de post atualizado.','Post type scheduled for.'=>'Tipo de post agendado para.','Post type submitted.'=>'Tipo de post enviado.','Post type saved.'=>'Tipo de post salvo.','Post type updated.'=>'Tipo de post atualizado.','Post type deleted.'=>'Tipo de post excluído.','Type to search...'=>'Digite para pesquisar...','PRO Only'=>'Somente PRO','Field groups linked successfully.'=>'Grupos de campos vinculados com sucesso.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importe tipos de post e taxonomias registradas com o Custom Post Type UI e gerencie-os com o ACF. Começar.','ACF'=>'ACF','taxonomy'=>'taxonomia','post type'=>'tipo de post','Done'=>'Concluído','Field Group(s)'=>'','Select one or many field groups...'=>'Selecione um ou vários grupos de campos...','Please select the field groups to link.'=>'Selecione os grupos de campos a serem vinculados.','Field group linked successfully.'=>'Grupo de campos vinculado com sucesso.' . "\0" . 'Grupos de campos vinculados com sucesso.','post statusRegistration Failed'=>'Falha no cadastro','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Não foi possível cadastrar este item porque sua chave está em uso por outro item cadastrado por outro plugin ou tema.','REST API'=>'API REST','Permissions'=>'Permissões','URLs'=>'URLs','Visibility'=>'Visibilidade','Labels'=>'Rótulos','Field Settings Tabs'=>'Abas de configurações de campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Valor de shortcode ACF desativado para visualização]','Close Modal'=>'Fechar modal','Field moved to other group'=>'Campo movido para outro grupo','Close modal'=>'Fechar modal','Start a new group of tabs at this tab.'=>'Iniciar um novo grupo de abas nesta aba.','New Tab Group'=>'Novo grupo de abas','Use a stylized checkbox using select2'=>'Usar uma caixa de seleção estilizada usando select2','Save Other Choice'=>'Salvar outra escolha','Allow Other Choice'=>'Permitir outra escolha','Add Toggle All'=>'Adicionar "selecionar tudo"','Save Custom Values'=>'Salvar valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Os valores personalizados da caixa de seleção não podem ficar vazios. Desmarque todos os valores vazios.','Updates'=>'Atualizações','Advanced Custom Fields logo'=>'Logo do Advanced Custom Fields','Save Changes'=>'Salvar alterações','Field Group Title'=>'Título do grupo de campos','Add title'=>'Adicionar título','New to ACF? Take a look at our getting started guide.'=>'Novo no ACF? Dê uma olhada em nosso guia de introdução.','Add Field Group'=>'Adicionar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'O ACF usa grupos de campos para agrupar campos personalizados e, em seguida, anexar esses campos às telas de edição.','Add Your First Field Group'=>'Adicionar seu primeiro grupo de campos','Options Pages'=>'Páginas de opções','ACF Blocks'=>'Blocos do ACF','Gallery Field'=>'Campo de galeria','Flexible Content Field'=>'Campo de conteúdo flexível','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloqueie recursos extras com o ACF PRO','Delete Field Group'=>'Excluir grupo de campos','Created on %1$s at %2$s'=>'Criado em %1$s às %2$s','Group Settings'=>'Configurações do grupo','Location Rules'=>'Regras de localização','Choose from over 30 field types. Learn more.'=>'Escolha entre mais de 30 tipos de campo. Saber mais.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comece a criar novos campos personalizados para seus posts, páginas, tipos de post personalizados e outros conteúdos do WordPress.','Add Your First Field'=>'Adicionar seu primeiro campo','#'=>'#','Add Field'=>'Adicionar campo','Presentation'=>'Apresentação','Validation'=>'Validação','General'=>'Geral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desativado.' . "\0" . '%s grupos de campos desativados.','Field group activated.'=>'Grupo de campos ativado.' . "\0" . '%s grupos de campos ativados.','Deactivate'=>'Desativar','Deactivate this item'=>'Desativar este item','Activate'=>'Ativar','Activate this item'=>'Ativar este item','Move field group to trash?'=>'Mover grupo de campos para a lixeira?','post statusInactive'=>'Inativo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não devem estar ativos ao mesmo tempo. Desativamos automaticamente o Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não devem estar ativos ao mesmo tempo. Desativamos automaticamente o Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Detectamos uma ou mais chamadas para recuperar os valores de campos do ACF antes de o ACF ser inicializado. Isso não é suportado e pode resultar em dados malformados ou ausentes. Saiba como corrigir isso.','%1$s must have a user with the %2$s role.'=>'%1$s deve ter um usuário com a função de %2$s .' . "\0" . '%1$s deve ter um usuário com uma das seguintes funções: %2$s','%1$s must have a valid user ID.'=>'%1$s deve ter um ID de usuário válido.','Invalid request.'=>'Solicitação inválida.','%1$s is not one of %2$s'=>'%1$s não é um de %2$s','%1$s must have term %2$s.'=>'%1$s deve ter o termo %2$s' . "\0" . '%1$s deve ter um dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s deve ser do tipo de post %2$s.' . "\0" . '%1$s deve ser de um dos seguintes tipos de post: %2$s','%1$s must have a valid post ID.'=>'%1$s deve ter um ID de post válido.','%s requires a valid attachment ID.'=>'%s requer um ID de anexo válido.','Show in REST API'=>'Mostrar na API REST','Enable Transparency'=>'Ativar transparência','RGBA Array'=>'Array RGBA','RGBA String'=>'Sequência RGBA','Hex String'=>'Sequência hex','Upgrade to PRO'=>'Atualizar para PRO','post statusActive'=>'Ativo','\'%s\' is not a valid email address'=>'"%s" não é um endereço de e-mail válido','Color value'=>'Valor da cor','Select default color'=>'Selecionar cor padrão','Clear color'=>'Limpar cor','Blocks'=>'Blocos','Options'=>'Opções','Users'=>'Usuários','Menu items'=>'Itens de menu','Widgets'=>'Widgets','Attachments'=>'Anexos','Taxonomies'=>'Taxonomias','Posts'=>'Posts','Last updated: %s'=>'Última atualização: %s','Sorry, this post is unavailable for diff comparison.'=>'Este post não está disponível para comparação de diferenças.','Invalid field group parameter(s).'=>'Parâmetros de grupo de campos inválidos.','Awaiting save'=>'Aguardando salvar','Saved'=>'Salvo','Import'=>'Importar','Review changes'=>'Revisar alterações','Located in: %s'=>'Localizado em: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Vários','Sync changes'=>'Sincronizar alterações','Loading diff'=>'Carregando diferenças','Review local JSON changes'=>'Revisão das alterações do JSON local','Visit website'=>'Visitar site','View details'=>'Ver detalhes','Version %s'=>'Versão %s','Information'=>'Informações','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Suporte técnico. Os profissionais de nosso Suporte técnico poderão auxiliá-lo em questões técnicas mais complexas.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussões. Temos uma comunidade ativa e amigável em nossos Fóruns da Comunidade que podem ajudá-lo a descobrir os \'como fazer\' do mundo ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentação. Nossa vasta documentação contém referências e guias para a maioria dos problemas e situações que você poderá encontrar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos por suporte e queremos que você aproveite ao máximo seu site com o ACF. Se você tiver alguma dificuldade, há vários lugares onde pode encontrar ajuda:','Help & Support'=>'Ajuda e suporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Use a aba "ajuda e suporte" para entrar em contato caso precise de assistência.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de crear seu primeiro grupo de campos recomendamos que leia nosso Guia para iniciantes a fim de familiarizar-se com a filosofia e as boas práticas deste plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields fornece um construtor de formulários visuais para personalizar as telas de edição do WordPress com campos extras e uma API intuitiva para exibir valores de campos personalizados em qualquer arquivo de modelo de tema.','Overview'=>'Visão geral','Location type "%s" is already registered.'=>'O tipo de localização "%s" já está registado.','Class "%s" does not exist.'=>'A classe "%s" não existe.','Invalid nonce.'=>'Nonce inválido.','Error loading field.'=>'Erro ao carregar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Função do usuário ','Comment'=>'Comentário','Post Format'=>'Formato do post','Menu Item'=>'Item do menu','Post Status'=>'Status do post','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia de post','Child Page (has parent)'=>'Página descendente (tem ascendente)','Parent Page (has children)'=>'Página ascendente (tem descendentes)','Top Level Page (no parent)'=>'Página de nível mais alto (sem ascendente)','Posts Page'=>'Página de posts','Front Page'=>'Página principal','Page Type'=>'Tipo de página','Viewing back end'=>'Visualizando o painel administrativo','Viewing front end'=>'Visualizando a interface','Logged in'=>'Conectado','Current User'=>'Usuário atual','Page Template'=>'Modelo de página','Register'=>'Cadastre-se','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de usuário','Page Parent'=>'Ascendente da página','Super Admin'=>'Super Admin','Current User Role'=>'Função do usuário atual','Default Template'=>'Modelo padrão','Post Template'=>'Modelo de Post','Post Category'=>'Categoria do post','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Clonar campo','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Verifique, também, se todos os complementos premium (%s) estão atualizados para a versão mais recente.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias no seu banco de dados e requer uma atualização.','Thank you for updating to %1$s v%2$s!'=>'Obrigado por atualizar para o %1$s v%2$s!','Database Upgrade Required'=>'Atualização do banco de dados obrigatória','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Selecione os itens que deverão ser ocultados da tela de edição','Hide on screen'=>'Ocultar na tela','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Tags','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Resumo','Content Editor'=>'Editor de conteúdo','Permalink'=>'Link permanente','Shown in field group list'=>'Exibido na lista de grupos de campos','Field groups with a lower order will appear first'=>'Grupos de campos com uma menor numeração aparecerão primeiro','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo dos rótulos','Instruction Placement'=>'','Label Placement'=>'','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Superior (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Integrado (sem metabox)','Standard (WP metabox)'=>'Padrão (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do invólucro','Required'=>'Obrigatório','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos sublinhados (_) e traços (-).','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que aparecerá na página de EDIÇÃO','Field Label'=>'Rótulo do campo','Delete'=>'Excluir','Delete field'=>'Excluir campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reorganizar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma atualização disponível.','Database upgrade complete. See what\'s new'=>'Atualização do banco de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'Lendo tarefas de atualização…','Upgrade failed.'=>'Falha na atualização.','Upgrade complete.'=>'Atualização concluída.','Upgrading data to version %s'=>'Atualizando os dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É extremamente recomendado que você faça backup de seu banco de dados antes de continuar. Você tem certeza que deseja fazer a atualização agora?','Please select at least one site to upgrade.'=>'Selecione pelo menos um site para atualizar.','Database Upgrade complete. Return to network dashboard'=>'Atualização do banco de dados concluída. Retornar para o painel da rede','Site is up to date'=>'O site está atualizado','Site requires database upgrade from %1$s to %2$s'=>'O site requer a atualização do banco de dados de %1$s para %2$s','Site'=>'Site','Upgrade Sites'=>'Atualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites a seguir necessitam de uma atualização do banco de dados. Marque aqueles que você deseja atualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar quais telas de edição usarão esses campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Selecione os itens que deseja exportar e, em seguida, selecione o método de exportação. Exporte como JSON para exportar para um arquivo .json que você pode importar para outra instalação do ACF. Gere PHP para exportar para código PHP que você pode colocar em seu tema.','Select Field Groups'=>'Selecionar grupos de campos','No field groups selected'=>'Nenhum grupo de campos selecionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Arquivo de importação vazio','Incorrect file type'=>'Tipo de arquivo incorreto','Error uploading file. Please try again'=>'Erro ao enviar arquivo. Tente novamente','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Selecione o arquivo JSON do Advanced Custom Fields que você gostaria de importar. Ao clicar no botão de importação abaixo, o ACF importará os itens desse arquivo.','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Selecionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Supports'=>'Suporta','Documentation'=>'Dcoumentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Ativo (%s)' . "\0" . 'Ativos (%s)','Review sites & upgrade'=>'Revisar sites e atualizar','Upgrade Database'=>'Atualizar o banco de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Selecione o destino para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s pode agora ser encontrado no grupo de campos %2$s','Move Complete.'=>'Movimentação concluída.','Active'=>'Ativo','Field Keys'=>'Chaves de campos','Settings'=>'Configurações ','Location'=>'Localização','Null'=>'Em branco','copy'=>'copiar','(this field)'=>'(este campo)','Checked'=>'Marcado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de alternância disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que suas alterações sejam salvas','The string "field_" may not be used at the start of a field name'=>'O termo “field_” não pode ser utilizado no início do nome de um campo','Field group draft updated.'=>'Rascunho de grupo de campos atualizado.','Field group scheduled for.'=>'Grupo de campos agendando.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos salvo.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos excluído.','Field group updated.'=>'Grupo de campos atualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Post','Relational'=>'Relacional','Choice'=>'Escolha','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Post atualizado','Update'=>'Atualizar','Validate Email'=>'Validar e-mail','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A seleção é menor que','Selection is greater than'=>'A seleção é maior que','Value is less than'=>'O valor é menor que','Value is greater than'=>'O valor é maior que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem qualquer valor','Cancel'=>'Cancelar','Are you sure?'=>'Você tem certeza?','%d fields require attention'=>'%d campos requerem atenção','1 field requires attention'=>'1 campo requer atenção','Validation failed'=>'Falha na validação','Validation successful'=>'Validação bem-sucedida','Restricted'=>'Restrito','Collapse Details'=>'Recolher detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Enviado para este post','verbUpdate'=>'Atualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações feitas serão perdidas se você sair desta página','File type must be %s.'=>'O tipo de arquivo deve ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamanho do arquivo não deve exceder %s.','File size must be at least %s.'=>'O tamanho do arquivo deve ter pelo menos %s.','Image height must not exceed %dpx.'=>'A altura da imagem não pode ser maior que %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ter pelo menos %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não pode ser maior que %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ter pelo menos %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Médio','Thumbnail'=>'Miniatura','(no label)'=>'(sem rótulo)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Anexar uma caixa de seleção adicional para alternar todas as escolhas','Save \'custom\' values to the field\'s choices'=>'Salvar valores "personalizados" nas escolhas do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova escolha','Toggle All'=>'Selecionar tudo','Allow Archives URLs'=>'Permitir URLs de arquivos','Archives'=>'Arquivos','Page Link'=>'Link da página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O usuário não pode adicionar um novo %s','Term ID'=>'ID do termo','Term Object'=>'Objeto de termo','Load value from posts terms'=>'Carrega valores a partir de termos de posts','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Conecta os termos selecionados ao post','Save Terms'=>'Salvar termos','Allow new terms to be created whilst editing'=>'Permitir que novos termos sejam criados durante a edição','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opção','Single Value'=>'Um único valor','Multi Select'=>'Seleção múltipla','Checkbox'=>'Caixa de seleção','Multiple Values'=>'Múltiplos valores','Select the appearance of this field'=>'Selecione a aparência deste campo','Appearance'=>'Aparência','Select the taxonomy to be displayed'=>'Selecione a taxonomia que será exibida','No TermsNo %s'=>'Sem %s','Value must be equal to or lower than %d'=>'O valor deve ser igual ou menor que %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou maior que %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Salvar valores de "outros" nas escolhas do campo','Add \'other\' choice to allow for custom values'=>'Adicionar escolha de "outros" para permitir valores personalizados','Other'=>'','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Defina um endpoint para a sanfona anterior parar. Esta sanfona não será visível.','Allow this accordion to open without closing others.'=>'Permitir abrir este item sem fechar os demais.','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Exibir esta sanfona como aberta ao carregar a página.','Open'=>'Aberta','Accordion'=>'Sanfona','Restrict which files can be uploaded'=>'Limita quais arquivos podem ser enviados','File ID'=>'ID do arquivo','File URL'=>'URL do Arquivo','File Array'=>'Array do arquivo','Add File'=>'Adicionar arquivo','No file selected'=>'Nenhum arquivo selecionado','File name'=>'Nome do arquivo','Update File'=>'Atualizar arquivo','Edit File'=>'Editar arquivo','Select File'=>'Selecionar arquivo','File'=>'Arquivo','Password'=>'Senha','Specify the value returned'=>'Especifica o valor devolvido.','Use AJAX to lazy load choices?'=>'Usar AJAX para carregar escolhas de forma atrasada?','Enter each default value on a new line'=>'Digite cada valor padrão em uma nova linha','verbSelect'=>'Selecionar','Select2 JS load_failLoading failed'=>'Falha ao carregar','Select2 JS searchingSearching…'=>'Pesquisando…','Select2 JS load_moreLoading more results…'=>'Carregando mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Você só pode selecionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Você só pode selecionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Exclua %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Exclua 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Digite %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Digite 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Não foi possível encontrar correspondências','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados disponíveis, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado disponível, aperte Enter para selecioná-lo.','nounSelect'=>'Seleção','User ID'=>'ID do usuário','User Object'=>'Objeto de usuário','User Array'=>'Array do usuário','All user roles'=>'Todas as funções de usuário','Filter by Role'=>'Filtrar por função','User'=>'Usuário','Separator'=>'Separador','Select Color'=>'Selecionar cor','Default'=>'Padrão','Clear'=>'Limpar','Color Picker'=>'Seletor de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Selecionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microssegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Horário','Date Time Picker JS timeOnlyTitleChoose Time'=>'Selecione o horário','Date Time Picker'=>'Seletor de data e horário','Endpoint'=>'Endpoint','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado ao topo','Placement'=>'Posição','Tab'=>'Aba','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL do link','Link Array'=>'Array do link','Opens in a new window/tab'=>'Abre em uma nova janela/aba','Select Link'=>'Selecionar link','Link'=>'Link','Email'=>'E-mail','Step Size'=>'Tamanho da escala','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Rótulo','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para mais controle, você pode especificar tanto os valores quanto os rótulos, como nos exemplos:','Enter each choice on a new line.'=>'Digite cada escolha em uma nova linha.','Choices'=>'Escolhas','Button Group'=>'Grupo de botões','Allow Null'=>'Permitir "em branco"','Parent'=>'Ascendente','TinyMCE will not be initialized until field is clicked'=>'O TinyMCE não será carregado até que o campo seja clicado','Delay Initialization'=>'','Show Media Upload Buttons'=>'','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas texto','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e texto','Tabs'=>'Abas','Click to initialize TinyMCE'=>'Clique para carregar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Texto','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não ter limite','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Exibido depois do campo','Append'=>'Sufixo','Appears before the input'=>'Exibido antes do campo','Prepend'=>'Prefixo','Appears within the input'=>'Exibido dentro do campo','Placeholder Text'=>'Texto de marcação','Appears when creating a new post'=>'Aparece ao criar um novo post','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s requer ao menos %2$s seleção' . "\0" . '%1$s requer ao menos %2$s seleções','Post ID'=>'ID do post','Post Object'=>'Objeto de post','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'Imagem destacada','Selected elements will be displayed in each result'=>'Os elementos selecionados serão exibidos em cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de post','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de post','Filter by Post Type'=>'Filtrar por tipo de post','Search...'=>'Pesquisar...','Select taxonomy'=>'Selecionar taxonomia','Select post type'=>'Selecionar tipo de post','No matches found'=>'Não foi possível encontrar correspondências','Loading'=>'Carregando','Maximum values reached ( {max} values )'=>'Máximo de valores alcançado ({max} valores)','Relationship'=>'Relacionamento','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos','Allowed File Types'=>'','Maximum'=>'Máximo','File size'=>'Tamanho do arquivo','Restrict which images can be uploaded'=>'Limita as imagens que podem ser enviadas','Minimum'=>'Mínimo','Uploaded to post'=>'Anexado ao post','All'=>'Tudo','Limit the media library choice'=>'Limitar a escolha da biblioteca de mídia','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na interface','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem selecionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Atualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Selecionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permitir que a marcação HTML seja exibida como texto ao invés de ser renderizada','Escape HTML'=>'Ignorar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como as novas linhas são renderizadas','New Lines'=>'Novas linhas','Week Starts On'=>'Início da semana','The format used when saving a value'=>'O formato usado ao salvar um valor','Save Format'=>'Salvar formato','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Seletor de data','Width'=>'Largura','Embed Size'=>'Tamanho do código incorporado','Enter URL'=>'Digite o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto exibido quando inativo','Off Text'=>'Texto "Inativo"','Text shown when active'=>'Texto exibido quando ativo','On Text'=>'Texto "Ativo"','Stylized UI'=>'Interface estilizada','Default Value'=>'Valor padrão','Displays text alongside the checkbox'=>'Exibe texto ao lado da caixa de seleção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifique o estilo utilizado para exibir os campos selecionados','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centralizar o mapa inicial','Center'=>'Centralizar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização atual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'O seu navegador não suporta o recurso de geolocalização','Google Map'=>'Mapa do Google','The format returned via template functions'=>'O formato devolvido por meio de funções de modelo','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato exibido ao editar um post','Display Format'=>'Formato de exibição','Time Picker'=>'Seletor de horário','Inactive (%s)'=>'Desativado (%s)' . "\0" . 'Desativados (%s)','No Fields found in Trash'=>'Não foi possível encontrar campos na lixeira','No Fields found'=>'Não foi possível encontrar campos','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Não foi possível encontrar grupos de campos na lixeira','No Field Groups found'=>'Não foi possível encontrar grupos de campos','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos poderosos, profissionais e intuitivos.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'O nome do bloco é obrigatório.','Block type "%s" is already registered.'=>'Tipo de bloco "%s" já está registrado.','Switch to Edit'=>'Alternar para edição','Switch to Preview'=>'Alternar para visualização','Change content alignment'=>'Mudar alinhamento do conteúdo','%s settings'=>'Configurações de %s','This block contains no editable fields.'=>'Este bloco não contém campos editáveis.','Assign a field group to add fields to this block.'=>'Atribua um grupo de campos para adicionar campos a este bloco.','Options Updated'=>'Opções atualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para ativar as atualizações, digite sua chave de licença na página atualizações. Se você não tiver uma chave de licença, consulte detalhes e preços.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erro de ativação do ACF. Sua chave de licença definida mudou, mas ocorreu um erro ao desativar sua licença antiga','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erro de ativação do ACF. Sua chave de licença definida foi alterada, mas ocorreu um erro ao conectar-se ao servidor de ativação','ACF Activation Error'=>'Erro de ativação do ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erro de ativação do ACF. Ocorreu um erro ao conectar ao servidor de ativação','Check Again'=>'Conferir novamente','ACF Activation Error. Could not connect to activation server'=>'Erro de ativação do ACF. Não foi possível conectar ao servidor de ativação','Publish'=>'Publicar','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nenhum grupo de campos personalizados encontrado para esta página de opções. Crie um grupo de campos personalizados','Error. Could not connect to update server'=>'Erro. Não foi possível se conectar ao servidor de atualização','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erro. Não foi possível autenticar o pacote de atualização. Verifique novamente ou desative e reative sua licença ACF PRO.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erro. Sua licença para este site expirou ou foi desativada. Reative sua licença ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Permite selecionar e exibir os campos existentes. Ele não duplica nenhum campo no banco de dados, mas carrega e exibe os campos selecionados em tempo de execução. O campo Clonar pode se substituir pelos campos selecionados ou exibir os campos selecionados como um grupo de subcampos.','Select one or more fields you wish to clone'=>'Selecione um ou mais campos que deseja clonar','Display'=>'Exibir','Specify the style used to render the clone field'=>'Especifique o estilo utilizado para exibir os campos de clone','Group (displays selected fields in a group within this field)'=>'Grupo (exibe os campos selecionados em um grupo dentro deste campo)','Seamless (replaces this field with selected fields)'=>'Integrado (substitui este campo pelos campos selecionados)','Labels will be displayed as %s'=>'Os rótulos serão exibidos como %s','Prefix Field Labels'=>'Prefixo nos rótulos do campo','Values will be saved as %s'=>'Valores serão salvos como %s','Prefix Field Names'=>'Prefixo nos nomes do campo','Unknown field'=>'Campo desconhecido','Unknown field group'=>'Grupo de campos desconhecido','All fields from %s field group'=>'Todos os campos do grupo de campos %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Permite definir, criar e gerenciar conteúdo com controle total, criando layouts que contêm subcampos que os editores de conteúdo podem escolher.','Add Row'=>'Adicionar linha','layout'=>'layout' . "\0" . 'layouts','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Este campo requer pelo menos {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Este campo tem um limite de {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponível (máx. {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} necessário (mín. {min})','Flexible Content requires at least 1 layout'=>'Conteúdo flexível requer pelo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Clique no botão "%s" abaixo para começar a criar seu layout','Add layout'=>'Adicionar layout','Duplicate layout'=>'Duplicar layout','Remove layout'=>'Remover layout','Click to toggle'=>'Clique para alternar','Delete Layout'=>'Excluir layout','Duplicate Layout'=>'Duplicar layout','Add New Layout'=>'Adicionar novo layout','Add Layout'=>'Adicionar layout','Min'=>'Mín','Max'=>'Máx','Minimum Layouts'=>'Mínimo de layouts','Maximum Layouts'=>'Máximo de layouts','Button Label'=>'Rótulo do botão','%s must be of type array or null.'=>'%s deve ser um array de tipos ou nulo.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s precisa conter no mínimo %2$s layout.' . "\0" . '%1$s precisa conter no mínimo %2$s layouts.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s deve conter no máximo %2$s layout de %3$s.' . "\0" . '%1$s deve conter no máximo %2$s layouts de %3$s.','An interactive interface for managing a collection of attachments, such as images.'=>'Uma interface interativa para gerenciar uma coleção de anexos, como imagens.','Add Image to Gallery'=>'Adicionar imagem na galeria','Maximum selection reached'=>'Seleção máxima alcançada','Length'=>'Duração','Caption'=>'Legenda','Alt Text'=>'Texto alternativo','Add to gallery'=>'Adicionar à galeria','Bulk actions'=>'Ações em massa','Sort by date uploaded'=>'Ordenar por data de envio','Sort by date modified'=>'Ordenar por data de modificação','Sort by title'=>'Ordenar por título','Reverse current order'=>'Ordem atual inversa','Close'=>'Fechar','Minimum Selection'=>'Seleção mínima','Maximum Selection'=>'Seleção máxima','Allowed file types'=>'Tipos de arquivos permitidos','Insert'=>'Inserir','Specify where new attachments are added'=>'Especifique onde novos anexos são adicionados','Append to the end'=>'Anexar ao final','Prepend to the beginning'=>'Anexar ao início','Minimum rows not reached ({min} rows)'=>'Mínimo de linhas alcançado ({min} linhas)','Maximum rows reached ({max} rows)'=>'Máximo de linhas alcançado ({max} linhas)','Error loading page'=>'Erro ao carregar página','Order will be assigned upon save'=>'A ordenação será atribuída ao salvar','Useful for fields with a large number of rows.'=>'Útil para campos com um grande número de linhas.','Rows Per Page'=>'Linhas por página','Set the number of rows to be displayed on a page.'=>'Define o número de linhas a serem exibidas em uma página.','Minimum Rows'=>'Mínimo de linhas','Maximum Rows'=>'Máximo de linhas','Collapsed'=>'Recolhido','Select a sub field to show when row is collapsed'=>'Selecione um subcampo para mostrar quando a linha for recolhida','Invalid field key or name.'=>'Chave ou nome de campo inválidos.','There was an error retrieving the field.'=>'Ocorreu um erro ao recuperar o campo.','Click to reorder'=>'Clique para reordenar','Add row'=>'Adicionar linha','Duplicate row'=>'Duplicar linha','Remove row'=>'Remover linha','Current Page'=>'Página atual','First Page'=>'Primeira página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Próxima página','Last Page'=>'Última página','No block types exist'=>'Nenhum tipo de bloco existente','No options pages exist'=>'Não existe nenhuma página de opções','Deactivate License'=>'Desativar licença','Activate License'=>'Ativar licença','License Information'=>'Informação da licença','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Para desbloquear atualizações, digite sua chave de licença abaixo. Se você não tiver uma chave de licença, consulte detalhes e preços.','License Key'=>'Chave de licença','Your license key is defined in wp-config.php.'=>'Sua chave de licença é definida em wp-config.php.','Retry Activation'=>'Tentar ativação novamente','Update Information'=>'Informação da atualização','Current Version'=>'Versão atual','Latest Version'=>'Versão mais recente','Update Available'=>'Atualização disponível','Upgrade Notice'=>'Aviso de atualização','Check For Updates'=>'Verificar atualizações','Enter your license key to unlock updates'=>'Digite sua chave de licença para desbloquear atualizações','Update Plugin'=>'Atualizar plugin','Please reactivate your license to unlock updates'=>'Reative sua licença para desbloquear as atualizações'],'language'=>'pt_BR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-pt_BR.mo b/lang/acf-pt_BR.mo
index 3e0ff7a..e8635de 100644
Binary files a/lang/acf-pt_BR.mo and b/lang/acf-pt_BR.mo differ
diff --git a/lang/acf-pt_BR.po b/lang/acf-pt_BR.po
index 5bb6409..6c75efb 100644
--- a/lang/acf-pt_BR.po
+++ b/lang/acf-pt_BR.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: pt_BR\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2031,21 +2047,21 @@ msgstr "Adicionar campos"
msgid "This Field"
msgstr "Este campo"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Sugestões"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Suporte"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "é desenvolvido e mantido por"
@@ -4583,7 +4599,7 @@ msgstr ""
"Importe tipos de post e taxonomias registradas com o Custom Post Type UI e "
"gerencie-os com o ACF. Começar."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4916,7 +4932,7 @@ msgstr "Ativar este item"
msgid "Move field group to trash?"
msgstr "Mover grupo de campos para a lixeira?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4929,7 +4945,7 @@ msgstr "Inativo"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4938,7 +4954,7 @@ msgstr ""
"ativos ao mesmo tempo. Desativamos automaticamente o Advanced Custom Fields "
"PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5388,7 +5404,7 @@ msgstr "Todos os formatos de %s"
msgid "Attachment"
msgstr "Anexo"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "O valor %s é obrigatório"
@@ -5883,7 +5899,7 @@ msgstr "Duplicar este item"
msgid "Supports"
msgstr "Suporta"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dcoumentação"
@@ -6180,8 +6196,8 @@ msgstr "%d campos requerem atenção"
msgid "1 field requires attention"
msgstr "1 campo requer atenção"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Falha na validação"
@@ -7562,90 +7578,90 @@ msgid "Time Picker"
msgstr "Seletor de horário"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Desativado (%s)"
msgstr[1] "Desativados (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Não foi possível encontrar campos na lixeira"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Não foi possível encontrar campos"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Pesquisar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Novo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Adicionar novo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Não foi possível encontrar grupos de campos na lixeira"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Não foi possível encontrar grupos de campos"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Pesquisar grupos de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Novo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Adicionar novo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Adicionar novo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-pt_PT.l10n.php b/lang/acf-pt_PT.l10n.php
index 1dbdcbd..b01f068 100644
--- a/lang/acf-pt_PT.l10n.php
+++ b/lang/acf-pt_PT.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'pt_PT','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Select Multiple'=>'Seleccionar múltiplos','WP Engine logo'=>'Logótipo da WP Engine','Edit Terms Capability'=>'Editar capacidade dos termos','More Tools from WP Engine'=>'Mais ferramentas da WP Engine','Built for those that build with WordPress, by the team at %s'=>'Criado para quem constrói com o WordPress, pela equipa da %s','View Pricing & Upgrade'=>'Ver preços e actualização','Learn More'=>'Saiba mais','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelere o seu fluxo de trabalho e desenvolva melhores sites com funcionalidades como blocos ACF, páginas de opções, e tipos de campos sofisticados como Repetidor, Conteúdo Flexível, Clone e Galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloqueie funcionalidades avançadas e crie ainda mais com o ACF PRO','%s fields'=>'Campos de %s','No terms'=>'Nenhum termo','No post types'=>'Nenhum tipo de conteúdo','No posts'=>'Nenhum conteúdo','No taxonomies'=>'Nenhuma taxonomia','No field groups'=>'Nenhum grupo de campos','No fields'=>'Nenhum campo','No description'=>'Nenhuma descrição','Any post status'=>'Qualquer estado de publicação','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta chave de taxonomia já está a ser utilizada por outra taxonomia registada fora do ACF e não pode ser utilizada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta chave de taxonomia já está a ser utilizada por outra taxonomia no ACF e não pode ser utilizada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave da taxonomia só pode conter caracteres alfanuméricos minúsculos, underscores e hífenes.','The taxonomy key must be under 32 characters.'=>'A chave da taxonomia tem de ter menos de 32 caracteres.','No Taxonomies found in Trash'=>'Nenhuma taxonomia encontrada no lixo','No Taxonomies found'=>'Nenhuma taxonomia encontrada','Search Taxonomies'=>'Pesquisar taxonomias','View Taxonomy'=>'Ver taxonomias','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Editar taxonomia','Add New Taxonomy'=>'Adicionar nova taxonomia','No Post Types found in Trash'=>'Nenhum tipo de conteúdo encontrado no lixo','No Post Types found'=>'Nenhum tipo de conteúdo encontrado','Search Post Types'=>'Pesquisar tipos de conteúdo','View Post Type'=>'Ver tipo de conteúdo','New Post Type'=>'Novo tipo de conteúdo','Edit Post Type'=>'Editar tipo de conteúdo','Add New Post Type'=>'Adicionar novo tipo de conteúdo','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta chave de tipo de conteúdo já está a ser utilizada por outro tipo de conteúdo registado fora do ACF e não pode ser utilizada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta chave de tipo de conteúdo já está a ser utilizada por outro tipo de conteúdo no ACF e não pode ser utilizada.','We do not recommend using this field in ACF Blocks.'=>'Não recomendamos utilizar este campo em blocos ACF.','WYSIWYG Editor'=>'Editor WYSIWYG','URL'=>'URL','Filter by Post Status'=>'Filtrar por estado de publicação','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avançado','JSON (newer)'=>'JSON (mais recente)','Original'=>'Original','Invalid post ID.'=>'O ID do conteúdo é inválido.','More'=>'Mais','Tutorial'=>'Tutorial','Select Field'=>'Seleccione o campo','Search fields...'=>'Pesquisar campos...','Select Field Type'=>'Seleccione o tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Adicionar taxonomia','Genre'=>'Género','Genres'=>'Géneros','Show Admin Column'=>'Mostrar coluna de administração','Quick Edit'=>'Edição rápida','Tag Cloud'=>'Nuvem de etiquetas','Meta Box Sanitization Callback'=>'Callback de sanitização da metabox','Meta Box'=>'Metabox','A link to a tag'=>'Uma ligação para uma etiqueta','A link to a %s'=>'Uma ligação para um %s','Tag Link'=>'Ligação da etiqueta','← Go to tags'=>'← Ir para etiquetas','Back To Items'=>'Voltar para os itens','← Go to %s'=>'← Ir para %s','Tags list'=>'Lista de etiquetas','Tags list navigation'=>'Navegação da lista de etiquetas','Filter by category'=>'Filtrar por categoria','Filter By Item'=>'Filtrar por item','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'Por omissão, a descrição não está proeminente, no entanto alguns temas poderão apresentá-la.','No tags'=>'Nenhuma etiqueta','No Terms'=>'Nenhum termo','No %s'=>'Nenhum %s','No tags found'=>'Nenhuma etiqueta encontrada','Not Found'=>'Nada encontrado','Most Used'=>'Mais usadas','Choose from the most used tags'=>'Escolha entre as etiquetas mais usadas','Choose From Most Used'=>'Escolher entre os mais utilizados','Choose from the most used %s'=>'Escolher entre %s mais utilizados(as)','Add or remove tags'=>'Adicionar ou remover etiquetas','Add or remove %s'=>'Adicionar ou remover %s','Separate tags with commas'=>'Separe as etiquetas por vírgulas','Separate Items With Commas'=>'Separe os itens por vírgulas','Separate %s with commas'=>'Separar %s por vírgulas','Popular Tags'=>'Etiquetas populares','Popular Items'=>'Itens populares','Popular %s'=>'%s mais populares','Search Tags'=>'Pesquisar etiquetas','Parent Category:'=>'Categoria superior:','Parent Category'=>'Categoria superior','Parent Item'=>'Item superior','Parent %s'=>'%s superior','New Tag Name'=>'Nome da nova etiqueta','New Item Name'=>'Nome do novo item','New %s Name'=>'Nome do novo %s','Add New Tag'=>'Adicionar nova etiqueta','Update Tag'=>'Actualizar etiqueta','Update Item'=>'Actualizar item','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','Edit Tag'=>'Editar etiqueta','All Tags'=>'Todas as etiquetas','Menu Label'=>'Legenda do menu','Term Description'=>'Descrição do termo','Term Slug'=>'Slug do termo','Term Name'=>'Nome do termo','Add Post Type'=>'Adicionar tipo de conteúdo','Hierarchical'=>'Hierárquico','Public'=>'Público','movie'=>'filme','Movie'=>'Filme','Singular Label'=>'Legenda no singular','Movies'=>'Filmes','Plural Label'=>'Legenda no plural','Controller Class'=>'Classe do controlador','Namespace Route'=>'Rota do namespace','Base URL'=>'URL de base','Query Variable'=>'Variável de consulta','Query Variable Support'=>'Suporte para variáveis de consulta','Publicly Queryable'=>'Pesquisável publicamente','Archive Slug'=>'Slug do arquivo','Archive'=>'Arquivo','Pagination'=>'Paginação','Feed URL'=>'URL do feed','URL Slug'=>'Slug do URL','Rename Capabilities'=>'Renomear capacidades','Exclude From Search'=>'Excluir da pesquisa','Show In Admin Bar'=>'Mostrar na barra da administração','Menu Icon'=>'Ícone do menu','Menu Position'=>'Posição no menu','A link to a post.'=>'Uma ligação para um conteúdo.','A link to a %s.'=>'Uma ligação para um %s.','Post Link'=>'Ligação do conteúdo','%s Link'=>'Ligação de %s','Post updated.'=>'Conteúdo actualizado.','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Conteúdo agendado.','%s scheduled.'=>'%s agendado.','Post reverted to draft.'=>'Conteúdo revertido para rascunho.','%s reverted to draft.'=>'%s revertido para rascunho.','Post published privately.'=>'Conteúdo publicado em privado.','%s published privately.'=>'%s publicado em privado.','Post published.'=>'Conteúdo publicado.','%s published.'=>'%s publicado.','Posts list'=>'Lista de conteúdos','Items List'=>'Lista de itens','%s list'=>'Lista de %s','Posts list navigation'=>'Navegação da lista de conteúdos','Items List Navigation'=>'Navegação da lista de itens','%s list navigation'=>'Navegação da lista de %s','Filter posts by date'=>'Filtrar conteúdos por data','Filter Items By Date'=>'Filtrar itens por data','Filter %s by date'=>'Filtrar %s por data','Filter posts list'=>'Filtrar lista de conteúdos','Filter Items List'=>'Filtrar lista de itens','Filter %s list'=>'Filtrar lista de %s','Uploaded To This Item'=>'Carregados para este item','Uploaded to this %s'=>'Carregados para este %s','Insert into post'=>'Inserir no conteúdo','Insert into %s'=>'Inserir em %s','Use as featured image'=>'Usar como imagem de destaque','Use Featured Image'=>'Usar imagem de destaque','Remove featured image'=>'Remover imagem de destaque','Remove Featured Image'=>'Remover imagem de destaque','Set featured image'=>'Definir imagem de destaque','Set Featured Image'=>'Definir imagem de destaque','Featured image'=>'Imagem de destaque','Post Attributes'=>'Atributos do conteúdo','%s Attributes'=>'Atributos de %s','Post Archives'=>'Arquivo de conteúdos','%s Archives'=>'Arquivo de %s','No Items Found in Trash'=>'Nenhum item encontrado no lixo','No %s found in Trash'=>'Nenhum %s encontrado no lixo','No Items Found'=>'Nenhum item encontrado','No %s found'=>'Nenhum %s encontrado','Search Posts'=>'Pesquisar conteúdos','Search Items'=>'Pesquisar itens','Search %s'=>'Pesquisa %s','Parent Page:'=>'Página superior:','Parent %s:'=>'%s superior:','New Post'=>'Novo conteúdo','New Item'=>'Novo item','New %s'=>'Novo %s','Add New Post'=>'Adicionar novo conteúdo','Add New Item'=>'Adicionar novo item','Add New %s'=>'Adicionar novo %s','View Posts'=>'Ver conteúdos','View Items'=>'Ver itens','View Post'=>'Ver conteúdo','View Item'=>'Ver item','View %s'=>'Ver %s','Edit Post'=>'Editar conteúdo','Edit Item'=>'Editar item','Edit %s'=>'Editar %s','All Posts'=>'Todos os conteúdos','All Items'=>'Todos os itens','All %s'=>'Todos os %s','Menu Name'=>'Nome do menu','Regenerate'=>'Regenerar','Add Custom'=>'Adicionar personalização','Post Formats'=>'Formatos de artigo','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Browse Fields'=>'Pesquisar campos','Nothing to import'=>'Nada para importar','Import from Custom Post Type UI'=>'Importar do Custom Post Type UI','Export - Generate PHP'=>'Exportar - Gerar PHP','Export'=>'Exportar','Select Taxonomies'=>'Seleccionar taxonomias','Select Post Types'=>'Seleccionar tipos de conteúdo','Category'=>'Categoria','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomia %s criada','%s taxonomy updated'=>'Taxonomia %s actualizada','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Não foi possível registar esta taxonomia porque a sua chave está a ser utilizada por outra taxonomia registada por outro plugin ou tema.','Terms'=>'Termos','Post Types'=>'Tipos de conteúdo','Advanced Settings'=>'Definições avançadas','Basic Settings'=>'Definições básicas','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Não foi possível registar este tipo de conteúdo porque a sua chave já foi utilizada para registar outro tipo de conteúdo noutro plugin ou tema.','Pages'=>'Páginas','%s post type created'=>'Tipo de conteúdo %s criado','Add fields to %s'=>'Adicionar campos a %s','%s post type updated'=>'Tipo de conteúdo %s actualizado','Type to search...'=>'Digite para pesquisar...','PRO Only'=>'Apenas PRO','Field groups linked successfully.'=>'Grupos de campos ligado com sucesso.','ACF'=>'ACF','post type'=>'tipo de conteúdo','Done'=>'Concluído','Select one or many field groups...'=>'Seleccione um ou vários grupos de campos...','Field group linked successfully.'=>'Grupo de campos ligado com sucesso.' . "\0" . 'Grupos de campos ligados com sucesso.','post statusRegistration Failed'=>'Falhou ao registar','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Não foi possível registar este item porque a sua chave está a ser utilizada por outro item registado por outro plugin ou tema.','REST API'=>'REST API','Permissions'=>'Permissões','URLs'=>'URLs','Visibility'=>'Visibilidade','Labels'=>'Legendas','Field Settings Tabs'=>'Separadores das definições do campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','Close Modal'=>'Fechar janela','Field moved to other group'=>'Campo movido para outro grupo','Close modal'=>'Fechar janela','Use a stylized checkbox using select2'=>'Utilize uma caixa de selecção estilizada com o select2','Save Other Choice'=>'Guardar outra opção','Allow Other Choice'=>'Permitir outra opção','Save Custom Values'=>'Guardar valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Updates'=>'Actualizações','Advanced Custom Fields logo'=>'Logótipo do Advanced Custom Fields','Save Changes'=>'Guardar alterações','Field Group Title'=>'Título do grupo de campos','Add title'=>'Adicionar título','New to ACF? Take a look at our getting started guide.'=>'Não conhece o ACF? Consulte o nosso guia para iniciantes.','Add Field Group'=>'Adicionar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'O ACF utiliza grupos de campos para agrupar campos personalizados, para depois poder anexar esses campos a ecrãs de edição.','Add Your First Field Group'=>'Adicione o seu primeiro grupo de campos','Options Pages'=>'Páginas de opções','ACF Blocks'=>'Blocos do ACF','Gallery Field'=>'Campo de galeria','Flexible Content Field'=>'Campo de conteúdo flexível','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloqueie funcionalidades adicionais com o ACF PRO','Delete Field Group'=>'Eliminar grupo de campos','Created on %1$s at %2$s'=>'Criado em %1$s às %2$s','Group Settings'=>'Definições do grupo','Location Rules'=>'Regras de localização','Choose from over 30 field types. Learn more.'=>'Escolha entre mais de 30 tipos de campo. Saiba mais.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comece por criar novos campos personalizados para os seus artigos, páginas, tipos de conteúdo personalizados e outros conteúdos do WordPress.','Add Your First Field'=>'Adicione o seu primeiro campo','#'=>'#','Add Field'=>'Adicionar campo','Presentation'=>'Apresentação','Validation'=>'Validação','General'=>'Geral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactivar este item','Activate'=>'Activar','Activate this item'=>'Activar este item','Move field group to trash?'=>'Mover o grupo de campos para o lixo?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não podem estar activos ao mesmo tempo. O Advanced Custom Fields PRO foi desactivado automaticamente.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não podem estar activos ao mesmo tempo. O Advanced Custom Fields foi desactivado automaticamente.','%1$s must have a user with the %2$s role.'=>'%1$s tem de ter um utilizador com o papel %2$s.' . "\0" . '%1$s tem de ter um utilizador com um dos seguintes papéis: %2$s','%1$s must have a valid user ID.'=>'%1$s tem de ter um ID de utilizador válido.','Invalid request.'=>'Pedido inválido.','%1$s is not one of %2$s'=>'%1$s não é um de %2$s','%1$s must have term %2$s.'=>'%1$s tem de ter o termo %2$s.' . "\0" . '%1$s tem de ter um dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s tem de ser do tipo de conteúdo %2$s.' . "\0" . '%1$s tem de ser de um dos seguintes tipos de conteúdo: %2$s','%1$s must have a valid post ID.'=>'%1$s tem de ter um ID de conteúdo válido.','%s requires a valid attachment ID.'=>'%s requer um ID de anexo válido.','Show in REST API'=>'Mostrar na REST API','Enable Transparency'=>'Activar transparência','RGBA Array'=>'Array de RGBA','RGBA String'=>'String de RGBA','Hex String'=>'String hexadecimal','Upgrade to PRO'=>'Actualizar para PRO','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'\'%s\' não é um endereço de email válido','Color value'=>'Valor da cor','Select default color'=>'Seleccionar cor por omissão','Clear color'=>'Limpar cor','Blocks'=>'Blocos','Options'=>'Opções','Users'=>'Utilizadores','Menu items'=>'Itens de menu','Widgets'=>'Widgets','Attachments'=>'Anexos','Taxonomies'=>'Taxonomias','Posts'=>'Conteúdos','Last updated: %s'=>'Última actualização: %s','Sorry, this post is unavailable for diff comparison.'=>'Desculpe, este conteúdo não está disponível para comparação das diferenças.','Invalid field group parameter(s).'=>'Os parâmetros do grupo de campos são inválidos.','Awaiting save'=>'Por guardar','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Rever alterações','Located in: %s'=>'Localizado em: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Vários','Sync changes'=>'Sincronizar alterações','Loading diff'=>'A carregar diferenças','Review local JSON changes'=>'Revisão das alterações do JSON local','Visit website'=>'Visitar site','View details'=>'Ver detalhes','Version %s'=>'Versão %s','Information'=>'Informações','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Suporte. Os profissionais de suporte no nosso Help Desk ajudar-lhe-ão com os desafios técnicos mais complexos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussão. Temos uma comunidade activa e amigável no nosso Fórum da Comunidade, que poderá ajudar a encontrar soluções no mundo ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentação. A nossa vasta documentação inclui referências e guias para a maioria das situações que poderá encontrar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos por suporte, queremos que tire o melhor partido do seu site com o ACF. Se tiver alguma dificuldade, tem várias opções para obter ajuda:','Help & Support'=>'Ajuda e suporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Caso precise de alguma assistência, entre em contacto através do separador Ajuda e suporte.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de criar o seu primeiro Grupo de Campos, recomendamos uma primeira leitura do nosso guia Getting started para se familiarizar com a filosofia e com as melhores práticas do plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields fornece-lhe um construtor visual de formulários para personalizar os ecrãs de edição do WordPress com campos adicionais, e uma interface intuitiva para mostrar os valores dos campos personalizados em qualquer ficheiro de modelo de tema.','Overview'=>'Visão geral','Location type "%s" is already registered.'=>'O tipo de localização "%s" já está registado.','Class "%s" does not exist.'=>'A classe "%s" não existe.','Invalid nonce.'=>'Nonce inválido.','Error loading field.'=>'Erro ao carregar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Papel de utilizador','Comment'=>'Comentário','Post Format'=>'Formato de artigo','Menu Item'=>'Item de menu','Post Status'=>'Estado do conteúdo','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia do artigo','Child Page (has parent)'=>'Página dependente (tem superior)','Parent Page (has children)'=>'Página superior (tem dependentes)','Top Level Page (no parent)'=>'Página de topo (sem superior)','Posts Page'=>'Página de artigos','Front Page'=>'Página inicial','Page Type'=>'Tipo de página','Viewing back end'=>'A visualizar a administração do site','Viewing front end'=>'A visualizar a frente do site','Logged in'=>'Sessão iniciada','Current User'=>'Utilizador actual','Page Template'=>'Modelo de página','Register'=>'Registar','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de utilizador','Page Parent'=>'Página superior','Super Admin'=>'Super Administrador','Current User Role'=>'Papel do utilizador actual','Default Template'=>'Modelo por omissão','Post Template'=>'Modelo de conteúdo','Post Category'=>'Categoria de artigo','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo de clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias na base de dados e requer uma actualização.','Thank you for updating to %1$s v%2$s!'=>'Obrigado por actualizar para o %1$s v%2$s!','Database Upgrade Required'=>'Actualização da base de dados necessária','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Seleccione os itens a esconder do ecrã de edição.','Hide on screen'=>'Esconder no ecrã','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Excerto','Content Editor'=>'Editor de conteúdo','Permalink'=>'Ligação permanente','Shown in field group list'=>'Mostrado na lista de grupos de campos','Field groups with a lower order will appear first'=>'Serão mostrados primeiro os grupos de campos com menor número de ordem.','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo das legendas','Instruction Placement'=>'Posição das instruções','Label Placement'=>'Posição da legenda','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Acima (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Simples (sem metabox)','Standard (WP metabox)'=>'Predefinido (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do wrapper','Required'=>'Obrigatório','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos underscores e hífenes.','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que será mostrado na página EDITAR','Field Label'=>'Legenda do campo','Delete'=>'Eliminar','Delete field'=>'Eliminar campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reordenar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma actualização disponível.','Database upgrade complete. See what\'s new'=>'Actualização da base de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'A ler tarefas de actualização...','Upgrade failed.'=>'Falhou ao actualizar.','Upgrade complete.'=>'Actualização concluída.','Upgrading data to version %s'=>'A actualizar dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É 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?','Please select at least one site to upgrade.'=>'Por favor, seleccione pelo menos um site para actualizar.','Database Upgrade complete. Return to network dashboard'=>'Actualização da base de dados concluída. Voltar ao painel da rede','Site is up to date'=>'O site está actualizado','Site requires database upgrade from %1$s to %2$s'=>'O site necessita de actualizar a base de dados de %1$s para %2$s','Site'=>'Site','Upgrade Sites'=>'Actualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleccione os itens que deseja exportar e seleccione o método de exportação. Utilize o Exportar como JSON para exportar um ficheiro .json que poderá depois importar para outra instalação do ACF. Utilize o botão Gerar PHP para exportar o código PHP que poderá incorporar no seu tema.','Select Field Groups'=>'Seleccione os grupos de campos','No field groups selected'=>'Nenhum grupo de campos seleccionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Ficheiro de importação vazio','Incorrect file type'=>'Tipo de ficheiro incorrecto','Error uploading file. Please try again'=>'Erro ao carregar ficheiro. Por favor tente de novo.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleccione o ficheiro JSON do Advanced Custom Fields que deseja importar. Ao clicar no botão Importar abaixo, o ACF irá importar os itens desse ficheiro.','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Seleccionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Supports'=>'Suporte','Documentation'=>'Documentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Rever sites e actualizar','Upgrade Database'=>'Actualizar base de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor seleccione o destinho para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s pode agora ser encontrado no grupo de campos %2$s','Move Complete.'=>'Movido com sucesso.','Active'=>'Activo','Field Keys'=>'Chaves dos campos','Settings'=>'Definições','Location'=>'Localização','Null'=>'Nulo','copy'=>'cópia','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de opções disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que as suas alterações sejam guardadas','The string "field_" may not be used at the start of a field name'=>'O prefixo "field_" não pode ser utilizado no início do nome do campo','Field group draft updated.'=>'Rascunho de grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos agendado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Artigo','Relational'=>'Relacional','Choice'=>'Opção','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Conteúdo actualizado','Update'=>'Actualizar','Validate Email'=>'Validar email','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selecção é menor do que','Selection is greater than'=>'A selecção é maior do que','Value is less than'=>'O valor é menor do que','Value is greater than'=>'O valor é maior do que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem um valor qualquer','Cancel'=>'Cancelar','Are you sure?'=>'Tem a certeza?','%d fields require attention'=>'%d campos requerem a sua atenção','1 field requires attention'=>'1 campo requer a sua atenção','Validation failed'=>'A validação falhou','Validation successful'=>'Validação bem sucedida','Restricted'=>'Restrito','Collapse Details'=>'Minimizar detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Carregados neste artigo','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações que fez serão ignoradas se navegar para fora desta página','File type must be %s.'=>'O tipo de ficheiro deve ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamanho do ficheiro não deve exceder %s.','File size must be at least %s.'=>'O tamanho do ficheiro deve ser pelo menos de %s.','Image height must not exceed %dpx.'=>'A altura da imagem não deve exceder os %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ser pelo menos de %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não deve exceder os %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ser pelo menos de %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Média','Thumbnail'=>'Miniatura','(no label)'=>'(sem legenda)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Preceder com caixa de selecção adicional para seleccionar todas as opções','Save \'custom\' values to the field\'s choices'=>'Guarda valores personalizados nas opções do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova opção','Toggle All'=>'Seleccionar tudo','Allow Archives URLs'=>'Permitir URL do arquivo','Archives'=>'Arquivo','Page Link'=>'Ligação de página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O utilizador não pôde adicionar novo(a) %s','Term ID'=>'ID do termo','Term Object'=>'Termo','Load value from posts terms'=>'Carregar os valores a partir dos termos dos conteúdos','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Liga os termos seleccionados ao conteúdo.','Save Terms'=>'Guardar termos','Allow new terms to be created whilst editing'=>'Permite a criação de novos termos durante a edição','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opções','Single Value'=>'Valor único','Multi Select'=>'Selecção múltipla','Checkbox'=>'Caixa de selecção','Multiple Values'=>'Valores múltiplos','Select the appearance of this field'=>'Seleccione a apresentação deste campo','Appearance'=>'Apresentação','Select the taxonomy to be displayed'=>'Seleccione a taxonomia que será mostrada','No TermsNo %s'=>'Nenhum %s','Value must be equal to or lower than %d'=>'O valor deve ser igual ou inferior a %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou superior a %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar \'outros\' valores nas opções do campo','Add \'other\' choice to allow for custom values'=>'Adicionar opção \'outros\' para permitir a inserção de valores personalizados','Other'=>'Outro','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define o fim do acordeão anterior. Este item de acordeão não será visível.','Allow this accordion to open without closing others.'=>'Permite abrir este item de acordeão sem fechar os restantes.','Multi-Expand'=>'Expandir múltiplos','Display this accordion as open on page load.'=>'Mostrar este item de acordeão aberto ao carregar a página.','Open'=>'Aberto','Accordion'=>'Acordeão','Restrict which files can be uploaded'=>'Restringe que ficheiros podem ser carregados','File ID'=>'ID do ficheiro','File URL'=>'URL do ficheiro','File Array'=>'Array do ficheiro','Add File'=>'Adicionar ficheiro','No file selected'=>'Nenhum ficheiro seleccionado','File name'=>'Nome do ficheiro','Update File'=>'Actualizar ficheiro','Edit File'=>'Editar ficheiro','Select File'=>'Seleccionar ficheiro','File'=>'Ficheiro','Password'=>'Senha','Specify the value returned'=>'Especifique o valor devolvido','Use AJAX to lazy load choices?'=>'Utilizar AJAX para carregar opções?','Enter each default value on a new line'=>'Insira cada valor por omissão numa linha separada','verbSelect'=>'Seleccionar','Select2 JS load_failLoading failed'=>'Falhou ao carregar','Select2 JS searchingSearching…'=>'A pesquisar...','Select2 JS load_moreLoading more results…'=>'A carregar mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só pode seleccionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Só pode seleccionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor elimine %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor elimine 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor insira %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor insira 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Nenhuma correspondência encontrada','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados encontrados, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado encontrado, prima Enter para seleccioná-lo.','nounSelect'=>'Selecção','User ID'=>'ID do utilizador','User Object'=>'Objecto do utilizador','User Array'=>'Array do utilizador','All user roles'=>'Todos os papéis de utilizador','Filter by Role'=>'Filtrar por papel','User'=>'Utilizador','Separator'=>'Divisória','Select Color'=>'Seleccionar cor','Default'=>'Por omissão','Clear'=>'Limpar','Color Picker'=>'Selecção de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Escolha a hora','Date Time Picker'=>'Selecção de data e hora','Endpoint'=>'Fim','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado acima','Placement'=>'Posição','Tab'=>'Separador','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL da ligação','Link Array'=>'Array da ligação','Opens in a new window/tab'=>'Abre numa nova janela/separador','Select Link'=>'Seleccionar ligação','Link'=>'Ligação','Email'=>'Email','Step Size'=>'Valor dos passos','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Legenda','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para maior controlo, pode especificar tanto os valores como as legendas:','Enter each choice on a new line.'=>'Insira cada opção numa linha separada.','Choices'=>'Opções','Button Group'=>'Grupo de botões','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'O TinyMCE não será inicializado até que clique no campo','Delay Initialization'=>'Atrasar a inicialização','Show Media Upload Buttons'=>'Mostrar botões de carregar multimédia','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas HTML','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e HTML','Tabs'=>'Separadores','Click to initialize TinyMCE'=>'Clique para inicializar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'HTML','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não limitar','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Mostrado depois do campo','Append'=>'Suceder','Appears before the input'=>'Mostrado antes do campo','Prepend'=>'Preceder','Appears within the input'=>'Mostrado dentro do campo','Placeholder Text'=>'Texto predefinido','Appears when creating a new post'=>'Mostrado ao criar um novo conteúdo','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s requer pelo menos %2$s selecção' . "\0" . '%1$s requer pelo menos %2$s selecções','Post ID'=>'ID do conteúdo','Post Object'=>'Conteúdo','Maximum Posts'=>'Máximo de conteúdos','Minimum Posts'=>'Mínimo de conteúdos','Featured Image'=>'Imagem de destaque','Selected elements will be displayed in each result'=>'Os elementos seleccionados serão mostrados em cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de conteúdo','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de conteúdo','Filter by Post Type'=>'Filtrar por tipo de conteúdo','Search...'=>'Pesquisar...','Select taxonomy'=>'Seleccionar taxonomia','Select post type'=>'Seleccionar tipo de conteúdo','No matches found'=>'Nenhuma correspondência encontrada','Loading'=>'A carregar','Maximum values reached ( {max} values )'=>'Valor máximo alcançado ( valor {max} )','Relationship'=>'Relação','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos.','Allowed File Types'=>'Tipos de ficheiros permitidos','Maximum'=>'Máximo','File size'=>'Tamanho do ficheiro','Restrict which images can be uploaded'=>'Restringe que imagens podem ser carregadas','Minimum'=>'Mínimo','Uploaded to post'=>'Carregados no conteúdo','All'=>'Todos','Limit the media library choice'=>'Limita a escolha da biblioteca multimédia','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na frente do site.','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem seleccionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Actualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Seleccionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permite visualizar o código HTML como texto visível, em vez de o processar','Escape HTML'=>'Mostrar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como serão visualizadas novas linhas','New Lines'=>'Novas linhas','Week Starts On'=>'Semana começa em','The format used when saving a value'=>'O formato usado ao guardar um valor','Save Format'=>'Formato guardado','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Selecção de data','Width'=>'Largura','Embed Size'=>'Tamanho da incorporação','Enter URL'=>'Insira o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado quando inactivo','Off Text'=>'Texto desligado','Text shown when active'=>'Texto mostrado quando activo','On Text'=>'Texto ligado','Stylized UI'=>'Interface estilizada','Default Value'=>'Valor por omissão','Displays text alongside the checkbox'=>'Texto mostrado ao lado da caixa de selecção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifique o estilo usado para mostrar os campos seleccionados','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centrar o mapa inicial','Center'=>'Centrar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização actual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'Desculpe, este navegador não suporta geolocalização','Google Map'=>'Mapa do Google','The format returned via template functions'=>'O formato devolvido através das template functions','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato de visualização ao editar um conteúdo','Display Format'=>'Formato de visualização','Time Picker'=>'Selecção de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'Nenhum campo encontrado no lixo','No Fields found'=>'Nenhum campo encontrado','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Nenhum grupo de campos encontrado no lixo','No Field Groups found'=>'Nenhum grupo de campos encontrado','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos intuitivos, poderosos e profissionais.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'O nome do tipo de bloco é obrigatório.','Block type "%s" is already registered.'=>'O tipo de bloco "%s" já está registado.','Switch to Edit'=>'Mudar para o editor','Switch to Preview'=>'Mudar para pré-visualização','Change content alignment'=>'Alterar o alinhamento do conteúdo','%s settings'=>'Definições de %s','This block contains no editable fields.'=>'Este bloco não contém campos editáveis.','Assign a field group to add fields to this block.'=>'Atribua um grupo de campos para adicionar campos a este bloco.','Options Updated'=>'Opções actualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para activar as actualizações, por favor insira a sua chave de licença na página das actualizações. Se não tiver uma chave de licença, por favor consulte os detalhes e preços.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erro de activação do ACF. A chave de licença definida foi alterada, mas ocorreu um erro ao desactivar a licença antiga','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erro de activação do ACF. A chave de licença definida foi alterada, mas ocorreu um erro ao ligar ao servidor de activação','ACF Activation Error'=>'Erro de activação do ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erro de activação do ACF. Ocorreu um erro ao ligar ao servidor de activação','Check Again'=>'Verificar de novo','ACF Activation Error. Could not connect to activation server'=>'Erro de activação do ACF. Não foi possível ligar ao servidor de activação','Publish'=>'Publicado','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nenhum grupo de campos personalizado encontrado na página de opções. Criar um grupo de campos personalizado','Error. Could not connect to update server'=>'Erro. Não foi possível ligar ao servidor de actualização','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erro. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erro. A sua licença para este site expirou ou foi desactivada. Por favor active de novo a sua licença ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Permite-lhe seleccionar e mostrar campos existentes. Não duplica nenhum campo na base de dados, mas carrega e mosta os campos seleccionados durante a execução. O campo Clone pode substituir-se a si próprio com os campos seleccionados, ou mostrar os campos seleccionados como um grupo de subcampos.','Select one or more fields you wish to clone'=>'Seleccione um ou mais campos que deseje clonar','Display'=>'Visualização','Specify the style used to render the clone field'=>'Especifique o estilo usado para mostrar o campo de clone','Group (displays selected fields in a group within this field)'=>'Grupo (mostra os campos seleccionados num grupo dentro deste campo)','Seamless (replaces this field with selected fields)'=>'Simples (substitui este campo pelos campos seleccionados)','Labels will be displayed as %s'=>'As legendas serão mostradas com %s','Prefix Field Labels'=>'Prefixo nas legendas dos campos','Values will be saved as %s'=>'Os valores serão guardados como %s','Prefix Field Names'=>'Prefixos nos nomes dos campos','Unknown field'=>'Campo desconhecido','Unknown field group'=>'Grupo de campos desconhecido','All fields from %s field group'=>'Todos os campos do grupo de campos %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Permite-lhe definir, criar e gerir conteúdos com total controlo através da criação de layouts que contêm subcampos que pode ser escolhidos pelos editores de conteúdos.','Add Row'=>'Adicionar linha','layout'=>'layout' . "\0" . 'layouts','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Este campo requer pelo menos {min} {identifier} {label}','This field has a limit of {max} {label} {identifier}'=>'Este campo está limitado a {max} {identifier} {label}','{available} {label} {identifier} available (max {max})'=>'{available} {identifier} {label} disponível (máx {max})','{required} {label} {identifier} required (min {min})'=>'{required} {identifier} {label} em falta (mín {min})','Flexible Content requires at least 1 layout'=>'O conteúdo flexível requer pelo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Clique no botão "%s" abaixo para começar a criar o seu layout','Add layout'=>'Adicionar layout','Duplicate layout'=>'Duplicar layout','Remove layout'=>'Remover layout','Click to toggle'=>'Clique para alternar','Delete Layout'=>'Eliminar layout','Duplicate Layout'=>'Duplicar layout','Add New Layout'=>'Adicionar novo layout','Add Layout'=>'Adicionar layout','Min'=>'Mín','Max'=>'Máx','Minimum Layouts'=>'Mínimo de layouts','Maximum Layouts'=>'Máximo de layouts','Button Label'=>'Legenda do botão','%s must be of type array or null.'=>'%s tem de ser do tipo array ou nulo.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s tem de conter pelo menos %2$s layout %3$s.' . "\0" . '%1$s tem de conter pelo menos %2$s layouts %3$s.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s tem de conter no máximo %2$s layout %3$s.' . "\0" . '%1$s tem de conter no máximo %2$s layouts %3$s.','An interactive interface for managing a collection of attachments, such as images.'=>'Uma interface interactiva para gerir uma colecção de anexos, como imagens.','Add Image to Gallery'=>'Adicionar imagem à galeria','Maximum selection reached'=>'Máximo de selecção alcançado','Length'=>'Comprimento','Caption'=>'Legenda','Alt Text'=>'Texto alternativo','Add to gallery'=>'Adicionar à galeria','Bulk actions'=>'Acções por lotes','Sort by date uploaded'=>'Ordenar por data de carregamento','Sort by date modified'=>'Ordenar por data de modificação','Sort by title'=>'Ordenar por título','Reverse current order'=>'Inverter ordem actual','Close'=>'Fechar','Minimum Selection'=>'Selecção mínima','Maximum Selection'=>'Selecção máxima','Insert'=>'Inserir','Specify where new attachments are added'=>'Especifique onde serão adicionados os novos anexos','Append to the end'=>'No fim','Prepend to the beginning'=>'No início','Minimum rows not reached ({min} rows)'=>'Mínimo de linhas não alcançado ({min} linhas)','Maximum rows reached ({max} rows)'=>'Máximo de linhas alcançado ({max} linhas)','Error loading page'=>'Erro ao carregar a página','Order will be assigned upon save'=>'A ordem será atribuída ao guardar','Useful for fields with a large number of rows.'=>'Útil para campos com uma grande quantidade de linhas.','Rows Per Page'=>'Linhas por página','Set the number of rows to be displayed on a page.'=>'Define o número de linhas a mostrar numa página.','Minimum Rows'=>'Mínimo de linhas','Maximum Rows'=>'Máximo de linhas','Collapsed'=>'Minimizado','Select a sub field to show when row is collapsed'=>'Seleccione o subcampo a mostrar ao minimizar a linha','Invalid field key or name.'=>'Chave ou nome de campo inválido.','There was an error retrieving the field.'=>'Ocorreu um erro ao obter o campo.','Click to reorder'=>'Arraste para reordenar','Add row'=>'Adicionar linha','Duplicate row'=>'Duplicar linha','Remove row'=>'Remover linha','Current Page'=>'Página actual','First Page'=>'Primeira página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Página seguinte','Last Page'=>'Última página','No block types exist'=>'Não existem tipos de blocos','No options pages exist'=>'Não existem páginas de opções','Deactivate License'=>'Desactivar licença','Activate License'=>'Activar licença','License Information'=>'Informações da licença','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 detalhes e preços.','License Key'=>'Chave de licença','Your license key is defined in wp-config.php.'=>'A sua chave de licença está definida no wp-config.php.','Retry Activation'=>'Tentar activar de novo','Update Information'=>'Informações de actualização','Current Version'=>'Versão actual','Latest Version'=>'Última versão','Update Available'=>'Actualização disponível','Upgrade Notice'=>'Informações sobre a actualização','Check For Updates'=>'Verificar actualizações','Enter your license key to unlock updates'=>'Digite a sua chave de licença para desbloquear as actualizações','Update Plugin'=>'Actualizar plugin','Please reactivate your license to unlock updates'=>'Por favor reactive a sua licença para desbloquear as actualizações']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'Seleccionar múltiplos','WP Engine logo'=>'Logótipo da WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'Editar capacidade dos termos','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'Mais ferramentas da WP Engine','Built for those that build with WordPress, by the team at %s'=>'Criado para quem constrói com o WordPress, pela equipa da %s','View Pricing & Upgrade'=>'Ver preços e actualização','Learn More'=>'Saiba mais','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Acelere o seu fluxo de trabalho e desenvolva melhores sites com funcionalidades como blocos ACF, páginas de opções, e tipos de campos sofisticados como Repetidor, Conteúdo Flexível, Clone e Galeria.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Desbloqueie funcionalidades avançadas e crie ainda mais com o ACF PRO','%s fields'=>'Campos de %s','No terms'=>'Nenhum termo','No post types'=>'Nenhum tipo de conteúdo','No posts'=>'Nenhum conteúdo','No taxonomies'=>'Nenhuma taxonomia','No field groups'=>'Nenhum grupo de campos','No fields'=>'Nenhum campo','No description'=>'Nenhuma descrição','Any post status'=>'Qualquer estado de publicação','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Esta chave de taxonomia já está a ser utilizada por outra taxonomia registada fora do ACF e não pode ser utilizada.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Esta chave de taxonomia já está a ser utilizada por outra taxonomia no ACF e não pode ser utilizada.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'A chave da taxonomia só pode conter caracteres alfanuméricos minúsculos, underscores e hífenes.','The taxonomy key must be under 32 characters.'=>'A chave da taxonomia tem de ter menos de 32 caracteres.','No Taxonomies found in Trash'=>'Nenhuma taxonomia encontrada no lixo','No Taxonomies found'=>'Nenhuma taxonomia encontrada','Search Taxonomies'=>'Pesquisar taxonomias','View Taxonomy'=>'Ver taxonomias','New Taxonomy'=>'Nova taxonomia','Edit Taxonomy'=>'Editar taxonomia','Add New Taxonomy'=>'Adicionar nova taxonomia','No Post Types found in Trash'=>'Nenhum tipo de conteúdo encontrado no lixo','No Post Types found'=>'Nenhum tipo de conteúdo encontrado','Search Post Types'=>'Pesquisar tipos de conteúdo','View Post Type'=>'Ver tipo de conteúdo','New Post Type'=>'Novo tipo de conteúdo','Edit Post Type'=>'Editar tipo de conteúdo','Add New Post Type'=>'Adicionar novo tipo de conteúdo','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Esta chave de tipo de conteúdo já está a ser utilizada por outro tipo de conteúdo registado fora do ACF e não pode ser utilizada.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Esta chave de tipo de conteúdo já está a ser utilizada por outro tipo de conteúdo no ACF e não pode ser utilizada.','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'Não recomendamos utilizar este campo em blocos ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'Filtrar por estado de publicação','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Clone','PRO'=>'PRO','Advanced'=>'Avançado','JSON (newer)'=>'JSON (mais recente)','Original'=>'Original','Invalid post ID.'=>'O ID do conteúdo é inválido.','Invalid post type selected for review.'=>'','More'=>'Mais','Tutorial'=>'Tutorial','Select Field'=>'Seleccione o campo','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'Pesquisar campos...','Select Field Type'=>'Seleccione o tipo de campo','Popular'=>'Populares','Add Taxonomy'=>'Adicionar taxonomia','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'Género','Genres'=>'Géneros','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'Mostrar coluna de administração','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'Edição rápida','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'Nuvem de etiquetas','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'Callback de sanitização da metabox','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Metabox','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'Uma ligação para uma etiqueta','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'Uma ligação para um %s','Tag Link'=>'Ligação da etiqueta','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Ir para etiquetas','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'Voltar para os itens','← Go to %s'=>'← Ir para %s','Tags list'=>'Lista de etiquetas','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'Navegação da lista de etiquetas','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Filtrar por categoria','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'Filtrar por item','Filter by %s'=>'Filtrar por %s','The description is not prominent by default; however, some themes may show it.'=>'Por omissão, a descrição não está proeminente, no entanto alguns temas poderão apresentá-la.','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'Nenhuma etiqueta','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'Nenhum termo','No %s'=>'Nenhum %s','No tags found'=>'Nenhuma etiqueta encontrada','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Nada encontrado','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Mais usadas','Choose from the most used tags'=>'Escolha entre as etiquetas mais usadas','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Escolher entre os mais utilizados','Choose from the most used %s'=>'Escolher entre %s mais utilizados(as)','Add or remove tags'=>'Adicionar ou remover etiquetas','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'Adicionar ou remover %s','Separate tags with commas'=>'Separe as etiquetas por vírgulas','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Separe os itens por vírgulas','Separate %s with commas'=>'Separar %s por vírgulas','Popular Tags'=>'Etiquetas populares','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'Itens populares','Popular %s'=>'%s mais populares','Search Tags'=>'Pesquisar etiquetas','Assigns search items text.'=>'','Parent Category:'=>'Categoria superior:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'Categoria superior','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'Item superior','Parent %s'=>'%s superior','New Tag Name'=>'Nome da nova etiqueta','Assigns the new item name text.'=>'','New Item Name'=>'Nome do novo item','New %s Name'=>'Nome do novo %s','Add New Tag'=>'Adicionar nova etiqueta','Assigns the add new item text.'=>'','Update Tag'=>'Actualizar etiqueta','Assigns the update item text.'=>'','Update Item'=>'Actualizar item','Update %s'=>'Actualizar %s','View Tag'=>'Ver etiqueta','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Editar etiqueta','At the top of the editor screen when editing a term.'=>'','All Tags'=>'Todas as etiquetas','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'Legenda do menu','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'Descrição do termo','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'Slug do termo','The name of the default term.'=>'','Term Name'=>'Nome do termo','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'Adicionar tipo de conteúdo','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'Hierárquico','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'Público','movie'=>'filme','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'Filme','Singular Label'=>'Legenda no singular','Movies'=>'Filmes','Plural Label'=>'Legenda no plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'Classe do controlador','The namespace part of the REST API URL.'=>'','Namespace Route'=>'Rota do namespace','The base URL for the post type REST API URLs.'=>'','Base URL'=>'URL de base','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'Variável de consulta','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'Suporte para variáveis de consulta','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'Pesquisável publicamente','Custom slug for the Archive URL.'=>'','Archive Slug'=>'Slug do arquivo','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Arquivo','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'Paginação','RSS feed URL for the post type items.'=>'','Feed URL'=>'URL do feed','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'Slug do URL','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'Renomear capacidades','Exclude From Search'=>'Excluir da pesquisa','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'Mostrar na barra da administração','Custom Meta Box Callback'=>'','Menu Icon'=>'Ícone do menu','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'Posição no menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'Uma ligação para um conteúdo.','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'Uma ligação para um %s.','Post Link'=>'Ligação do conteúdo','Title for a navigation link block variation.'=>'','Item Link'=>'','%s Link'=>'Ligação de %s','Post updated.'=>'Conteúdo actualizado.','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'%s actualizado.','Post scheduled.'=>'Conteúdo agendado.','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'%s agendado.','Post reverted to draft.'=>'Conteúdo revertido para rascunho.','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'%s revertido para rascunho.','Post published privately.'=>'Conteúdo publicado em privado.','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'%s publicado em privado.','Post published.'=>'Conteúdo publicado.','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'%s publicado.','Posts list'=>'Lista de conteúdos','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Lista de itens','%s list'=>'Lista de %s','Posts list navigation'=>'Navegação da lista de conteúdos','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'Navegação da lista de itens','%s list navigation'=>'Navegação da lista de %s','Filter posts by date'=>'Filtrar conteúdos por data','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Filtrar itens por data','Filter %s by date'=>'Filtrar %s por data','Filter posts list'=>'Filtrar lista de conteúdos','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'Filtrar lista de itens','Filter %s list'=>'Filtrar lista de %s','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'Carregados para este item','Uploaded to this %s'=>'Carregados para este %s','Insert into post'=>'Inserir no conteúdo','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'Inserir em %s','Use as featured image'=>'Usar como imagem de destaque','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'Usar imagem de destaque','Remove featured image'=>'Remover imagem de destaque','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'Remover imagem de destaque','Set featured image'=>'Definir imagem de destaque','As the button label when setting the featured image.'=>'','Set Featured Image'=>'Definir imagem de destaque','Featured image'=>'Imagem de destaque','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'Atributos do conteúdo','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'Atributos de %s','Post Archives'=>'Arquivo de conteúdos','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'Arquivo de %s','No posts found in Trash'=>'','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'Nenhum item encontrado no lixo','No %s found in Trash'=>'Nenhum %s encontrado no lixo','No posts found'=>'','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'Nenhum item encontrado','No %s found'=>'Nenhum %s encontrado','Search Posts'=>'Pesquisar conteúdos','At the top of the items screen when searching for an item.'=>'','Search Items'=>'Pesquisar itens','Search %s'=>'Pesquisa %s','Parent Page:'=>'Página superior:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'%s superior:','New Post'=>'Novo conteúdo','New Item'=>'Novo item','New %s'=>'Novo %s','Add New Post'=>'Adicionar novo conteúdo','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'Adicionar novo item','Add New %s'=>'Adicionar novo %s','View Posts'=>'Ver conteúdos','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Ver itens','View Post'=>'Ver conteúdo','In the admin bar to view item when editing it.'=>'','View Item'=>'Ver item','View %s'=>'Ver %s','Edit Post'=>'Editar conteúdo','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'Editar item','Edit %s'=>'Editar %s','All Posts'=>'Todos os conteúdos','In the post type submenu in the admin dashboard.'=>'','All Items'=>'Todos os itens','All %s'=>'Todos os %s','Admin menu name for the post type.'=>'','Menu Name'=>'Nome do menu','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'Regenerar','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'Adicionar personalização','Enable various features in the content editor.'=>'','Post Formats'=>'Formatos de artigo','Editor'=>'Editor','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'Pesquisar campos','Nothing to import'=>'Nada para importar','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'Importar do Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'Exportar - Gerar PHP','Export'=>'Exportar','Select Taxonomies'=>'Seleccionar taxonomias','Select Post Types'=>'Seleccionar tipos de conteúdo','Exported 1 item.'=>'' . "\0" . '','Category'=>'Categoria','Tag'=>'Etiqueta','%s taxonomy created'=>'Taxonomia %s criada','%s taxonomy updated'=>'Taxonomia %s actualizada','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'','Taxonomy updated.'=>'','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Não foi possível registar esta taxonomia porque a sua chave está a ser utilizada por outra taxonomia registada por outro plugin ou tema.','Taxonomy synchronized.'=>'' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '','Terms'=>'Termos','Post type synchronized.'=>'' . "\0" . '','Post type duplicated.'=>'' . "\0" . '','Post type deactivated.'=>'' . "\0" . '','Post type activated.'=>'' . "\0" . '','Post Types'=>'Tipos de conteúdo','Advanced Settings'=>'Definições avançadas','Basic Settings'=>'Definições básicas','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Não foi possível registar este tipo de conteúdo porque a sua chave já foi utilizada para registar outro tipo de conteúdo noutro plugin ou tema.','Pages'=>'Páginas','Link Existing Field Groups'=>'','%s post type created'=>'Tipo de conteúdo %s criado','Add fields to %s'=>'Adicionar campos a %s','%s post type updated'=>'Tipo de conteúdo %s actualizado','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'Digite para pesquisar...','PRO Only'=>'Apenas PRO','Field groups linked successfully.'=>'Grupos de campos ligado com sucesso.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'','post type'=>'tipo de conteúdo','Done'=>'Concluído','Field Group(s)'=>'','Select one or many field groups...'=>'Seleccione um ou vários grupos de campos...','Please select the field groups to link.'=>'','Field group linked successfully.'=>'Grupo de campos ligado com sucesso.' . "\0" . 'Grupos de campos ligados com sucesso.','post statusRegistration Failed'=>'Falhou ao registar','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Não foi possível registar este item porque a sua chave está a ser utilizada por outro item registado por outro plugin ou tema.','REST API'=>'REST API','Permissions'=>'Permissões','URLs'=>'URLs','Visibility'=>'Visibilidade','Labels'=>'Legendas','Field Settings Tabs'=>'Separadores das definições do campo','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'Fechar janela','Field moved to other group'=>'Campo movido para outro grupo','Close modal'=>'Fechar janela','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'','Use a stylized checkbox using select2'=>'Utilize uma caixa de selecção estilizada com o select2','Save Other Choice'=>'Guardar outra opção','Allow Other Choice'=>'Permitir outra opção','Add Toggle All'=>'','Save Custom Values'=>'Guardar valores personalizados','Allow Custom Values'=>'Permitir valores personalizados','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Actualizações','Advanced Custom Fields logo'=>'Logótipo do Advanced Custom Fields','Save Changes'=>'Guardar alterações','Field Group Title'=>'Título do grupo de campos','Add title'=>'Adicionar título','New to ACF? Take a look at our getting started guide.'=>'Não conhece o ACF? Consulte o nosso guia para iniciantes.','Add Field Group'=>'Adicionar grupo de campos','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'O ACF utiliza grupos de campos para agrupar campos personalizados, para depois poder anexar esses campos a ecrãs de edição.','Add Your First Field Group'=>'Adicione o seu primeiro grupo de campos','Options Pages'=>'Páginas de opções','ACF Blocks'=>'Blocos do ACF','Gallery Field'=>'Campo de galeria','Flexible Content Field'=>'Campo de conteúdo flexível','Repeater Field'=>'Campo repetidor','Unlock Extra Features with ACF PRO'=>'Desbloqueie funcionalidades adicionais com o ACF PRO','Delete Field Group'=>'Eliminar grupo de campos','Created on %1$s at %2$s'=>'Criado em %1$s às %2$s','Group Settings'=>'Definições do grupo','Location Rules'=>'Regras de localização','Choose from over 30 field types. Learn more.'=>'Escolha entre mais de 30 tipos de campo. Saiba mais.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Comece por criar novos campos personalizados para os seus artigos, páginas, tipos de conteúdo personalizados e outros conteúdos do WordPress.','Add Your First Field'=>'Adicione o seu primeiro campo','#'=>'#','Add Field'=>'Adicionar campo','Presentation'=>'Apresentação','Validation'=>'Validação','General'=>'Geral','Import JSON'=>'Importar JSON','Export As JSON'=>'Exportar como JSON','Field group deactivated.'=>'Grupo de campos desactivado.' . "\0" . '%s grupos de campos desactivados.','Field group activated.'=>'Grupo de campos activado.' . "\0" . '%s grupos de campos activados.','Deactivate'=>'Desactivar','Deactivate this item'=>'Desactivar este item','Activate'=>'Activar','Activate this item'=>'Activar este item','Move field group to trash?'=>'Mover o grupo de campos para o lixo?','post statusInactive'=>'Inactivo','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não podem estar activos ao mesmo tempo. O Advanced Custom Fields PRO foi desactivado automaticamente.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'O Advanced Custom Fields e o Advanced Custom Fields PRO não podem estar activos ao mesmo tempo. O Advanced Custom Fields foi desactivado automaticamente.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'%1$s tem de ter um utilizador com o papel %2$s.' . "\0" . '%1$s tem de ter um utilizador com um dos seguintes papéis: %2$s','%1$s must have a valid user ID.'=>'%1$s tem de ter um ID de utilizador válido.','Invalid request.'=>'Pedido inválido.','%1$s is not one of %2$s'=>'%1$s não é um de %2$s','%1$s must have term %2$s.'=>'%1$s tem de ter o termo %2$s.' . "\0" . '%1$s tem de ter um dos seguintes termos: %2$s','%1$s must be of post type %2$s.'=>'%1$s tem de ser do tipo de conteúdo %2$s.' . "\0" . '%1$s tem de ser de um dos seguintes tipos de conteúdo: %2$s','%1$s must have a valid post ID.'=>'%1$s tem de ter um ID de conteúdo válido.','%s requires a valid attachment ID.'=>'%s requer um ID de anexo válido.','Show in REST API'=>'Mostrar na REST API','Enable Transparency'=>'Activar transparência','RGBA Array'=>'Array de RGBA','RGBA String'=>'String de RGBA','Hex String'=>'String hexadecimal','Upgrade to PRO'=>'Actualizar para PRO','post statusActive'=>'Activo','\'%s\' is not a valid email address'=>'\'%s\' não é um endereço de email válido','Color value'=>'Valor da cor','Select default color'=>'Seleccionar cor por omissão','Clear color'=>'Limpar cor','Blocks'=>'Blocos','Options'=>'Opções','Users'=>'Utilizadores','Menu items'=>'Itens de menu','Widgets'=>'Widgets','Attachments'=>'Anexos','Taxonomies'=>'Taxonomias','Posts'=>'Conteúdos','Last updated: %s'=>'Última actualização: %s','Sorry, this post is unavailable for diff comparison.'=>'Desculpe, este conteúdo não está disponível para comparação das diferenças.','Invalid field group parameter(s).'=>'Os parâmetros do grupo de campos são inválidos.','Awaiting save'=>'Por guardar','Saved'=>'Guardado','Import'=>'Importar','Review changes'=>'Rever alterações','Located in: %s'=>'Localizado em: %s','Located in plugin: %s'=>'Localizado no plugin: %s','Located in theme: %s'=>'Localizado no tema: %s','Various'=>'Vários','Sync changes'=>'Sincronizar alterações','Loading diff'=>'A carregar diferenças','Review local JSON changes'=>'Revisão das alterações do JSON local','Visit website'=>'Visitar site','View details'=>'Ver detalhes','Version %s'=>'Versão %s','Information'=>'Informações','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Suporte. Os profissionais de suporte no nosso Help Desk ajudar-lhe-ão com os desafios técnicos mais complexos.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Discussão. Temos uma comunidade activa e amigável no nosso Fórum da Comunidade, que poderá ajudar a encontrar soluções no mundo ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Documentação. A nossa vasta documentação inclui referências e guias para a maioria das situações que poderá encontrar.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Somos fanáticos por suporte, queremos que tire o melhor partido do seu site com o ACF. Se tiver alguma dificuldade, tem várias opções para obter ajuda:','Help & Support'=>'Ajuda e suporte','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Caso precise de alguma assistência, entre em contacto através do separador Ajuda e suporte.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Antes de criar o seu primeiro Grupo de Campos, recomendamos uma primeira leitura do nosso guia Getting started para se familiarizar com a filosofia e com as melhores práticas do plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'O plugin Advanced Custom Fields fornece-lhe um construtor visual de formulários para personalizar os ecrãs de edição do WordPress com campos adicionais, e uma interface intuitiva para mostrar os valores dos campos personalizados em qualquer ficheiro de modelo de tema.','Overview'=>'Visão geral','Location type "%s" is already registered.'=>'O tipo de localização "%s" já está registado.','Class "%s" does not exist.'=>'A classe "%s" não existe.','Invalid nonce.'=>'Nonce inválido.','Error loading field.'=>'Erro ao carregar o campo.','Error: %s'=>'Erro: %s','Widget'=>'Widget','User Role'=>'Papel de utilizador','Comment'=>'Comentário','Post Format'=>'Formato de artigo','Menu Item'=>'Item de menu','Post Status'=>'Estado do conteúdo','Menus'=>'Menus','Menu Locations'=>'Localizações do menu','Menu'=>'Menu','Post Taxonomy'=>'Taxonomia do artigo','Child Page (has parent)'=>'Página dependente (tem superior)','Parent Page (has children)'=>'Página superior (tem dependentes)','Top Level Page (no parent)'=>'Página de topo (sem superior)','Posts Page'=>'Página de artigos','Front Page'=>'Página inicial','Page Type'=>'Tipo de página','Viewing back end'=>'A visualizar a administração do site','Viewing front end'=>'A visualizar a frente do site','Logged in'=>'Sessão iniciada','Current User'=>'Utilizador actual','Page Template'=>'Modelo de página','Register'=>'Registar','Add / Edit'=>'Adicionar / Editar','User Form'=>'Formulário de utilizador','Page Parent'=>'Página superior','Super Admin'=>'Super Administrador','Current User Role'=>'Papel do utilizador actual','Default Template'=>'Modelo por omissão','Post Template'=>'Modelo de conteúdo','Post Category'=>'Categoria de artigo','All %s formats'=>'Todos os formatos de %s','Attachment'=>'Anexo','%s value is required'=>'O valor %s é obrigatório','Show this field if'=>'Mostrar este campo se','Conditional Logic'=>'Lógica condicional','and'=>'e','Local JSON'=>'JSON local','Clone Field'=>'Campo de clone','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Por favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão.','This version contains improvements to your database and requires an upgrade.'=>'Esta versão inclui melhorias na base de dados e requer uma actualização.','Thank you for updating to %1$s v%2$s!'=>'Obrigado por actualizar para o %1$s v%2$s!','Database Upgrade Required'=>'Actualização da base de dados necessária','Options Page'=>'Página de opções','Gallery'=>'Galeria','Flexible Content'=>'Conteúdo flexível','Repeater'=>'Repetidor','Back to all tools'=>'Voltar para todas as ferramentas','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)'=>'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)','Select items to hide them from the edit screen.'=>'Seleccione os itens a esconder do ecrã de edição.','Hide on screen'=>'Esconder no ecrã','Send Trackbacks'=>'Enviar trackbacks','Tags'=>'Etiquetas','Categories'=>'Categorias','Page Attributes'=>'Atributos da página','Format'=>'Formato','Author'=>'Autor','Slug'=>'Slug','Revisions'=>'Revisões','Comments'=>'Comentários','Discussion'=>'Discussão','Excerpt'=>'Excerto','Content Editor'=>'Editor de conteúdo','Permalink'=>'Ligação permanente','Shown in field group list'=>'Mostrado na lista de grupos de campos','Field groups with a lower order will appear first'=>'Serão mostrados primeiro os grupos de campos com menor número de ordem.','Order No.'=>'Nº. de ordem','Below fields'=>'Abaixo dos campos','Below labels'=>'Abaixo das legendas','Instruction Placement'=>'Posição das instruções','Label Placement'=>'Posição da legenda','Side'=>'Lateral','Normal (after content)'=>'Normal (depois do conteúdo)','High (after title)'=>'Acima (depois do título)','Position'=>'Posição','Seamless (no metabox)'=>'Simples (sem metabox)','Standard (WP metabox)'=>'Predefinido (metabox do WP)','Style'=>'Estilo','Type'=>'Tipo','Key'=>'Chave','Order'=>'Ordem','Close Field'=>'Fechar campo','id'=>'id','class'=>'classe','width'=>'largura','Wrapper Attributes'=>'Atributos do wrapper','Required'=>'Obrigatório','Instructions'=>'Instruções','Field Type'=>'Tipo de campo','Single word, no spaces. Underscores and dashes allowed'=>'Uma única palavra, sem espaços. São permitidos underscores e hífenes.','Field Name'=>'Nome do campo','This is the name which will appear on the EDIT page'=>'Este é o nome que será mostrado na página EDITAR','Field Label'=>'Legenda do campo','Delete'=>'Eliminar','Delete field'=>'Eliminar campo','Move'=>'Mover','Move field to another group'=>'Mover campo para outro grupo','Duplicate field'=>'Duplicar campo','Edit field'=>'Editar campo','Drag to reorder'=>'Arraste para reordenar','Show this field group if'=>'Mostrar este grupo de campos se','No updates available.'=>'Nenhuma actualização disponível.','Database upgrade complete. See what\'s new'=>'Actualização da base de dados concluída. Ver o que há de novo','Reading upgrade tasks...'=>'A ler tarefas de actualização...','Upgrade failed.'=>'Falhou ao actualizar.','Upgrade complete.'=>'Actualização concluída.','Upgrading data to version %s'=>'A actualizar dados para a versão %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'É 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?','Please select at least one site to upgrade.'=>'Por favor, seleccione pelo menos um site para actualizar.','Database Upgrade complete. Return to network dashboard'=>'Actualização da base de dados concluída. Voltar ao painel da rede','Site is up to date'=>'O site está actualizado','Site requires database upgrade from %1$s to %2$s'=>'O site necessita de actualizar a base de dados de %1$s para %2$s','Site'=>'Site','Upgrade Sites'=>'Actualizar sites','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s.','Add rule group'=>'Adicionar grupo de regras','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Crie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançados','Rules'=>'Regras','Copied'=>'Copiado','Copy to clipboard'=>'Copiar para a área de transferência','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Seleccione os itens que deseja exportar e seleccione o método de exportação. Utilize o Exportar como JSON para exportar um ficheiro .json que poderá depois importar para outra instalação do ACF. Utilize o botão Gerar PHP para exportar o código PHP que poderá incorporar no seu tema.','Select Field Groups'=>'Seleccione os grupos de campos','No field groups selected'=>'Nenhum grupo de campos seleccionado','Generate PHP'=>'Gerar PHP','Export Field Groups'=>'Exportar grupos de campos','Import file empty'=>'Ficheiro de importação vazio','Incorrect file type'=>'Tipo de ficheiro incorrecto','Error uploading file. Please try again'=>'Erro ao carregar ficheiro. Por favor tente de novo.','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Seleccione o ficheiro JSON do Advanced Custom Fields que deseja importar. Ao clicar no botão Importar abaixo, o ACF irá importar os itens desse ficheiro.','Import Field Groups'=>'Importar grupos de campos','Sync'=>'Sincronizar','Select %s'=>'Seleccionar %s','Duplicate'=>'Duplicar','Duplicate this item'=>'Duplicar este item','Supports'=>'Suporte','Documentation'=>'Documentação','Description'=>'Descrição','Sync available'=>'Sincronização disponível','Field group synchronized.'=>'Grupo de campos sincronizado.' . "\0" . '%s grupos de campos sincronizados.','Field group duplicated.'=>'Grupo de campos duplicado.' . "\0" . '%s grupos de campos duplicados.','Active (%s)'=>'Activo (%s)' . "\0" . 'Activos (%s)','Review sites & upgrade'=>'Rever sites e actualizar','Upgrade Database'=>'Actualizar base de dados','Custom Fields'=>'Campos personalizados','Move Field'=>'Mover campo','Please select the destination for this field'=>'Por favor seleccione o destinho para este campo','The %1$s field can now be found in the %2$s field group'=>'O campo %1$s pode agora ser encontrado no grupo de campos %2$s','Move Complete.'=>'Movido com sucesso.','Active'=>'Activo','Field Keys'=>'Chaves dos campos','Settings'=>'Definições','Location'=>'Localização','Null'=>'Nulo','copy'=>'cópia','(this field)'=>'(este campo)','Checked'=>'Seleccionado','Move Custom Field'=>'Mover campo personalizado','No toggle fields available'=>'Nenhum campo de opções disponível','Field group title is required'=>'O título do grupo de campos é obrigatório','This field cannot be moved until its changes have been saved'=>'Este campo não pode ser movido até que as suas alterações sejam guardadas','The string "field_" may not be used at the start of a field name'=>'O prefixo "field_" não pode ser utilizado no início do nome do campo','Field group draft updated.'=>'Rascunho de grupo de campos actualizado.','Field group scheduled for.'=>'Grupo de campos agendado.','Field group submitted.'=>'Grupo de campos enviado.','Field group saved.'=>'Grupo de campos guardado.','Field group published.'=>'Grupo de campos publicado.','Field group deleted.'=>'Grupo de campos eliminado.','Field group updated.'=>'Grupo de campos actualizado.','Tools'=>'Ferramentas','is not equal to'=>'não é igual a','is equal to'=>'é igual a','Forms'=>'Formulários','Page'=>'Página','Post'=>'Artigo','Relational'=>'Relacional','Choice'=>'Opção','Basic'=>'Básico','Unknown'=>'Desconhecido','Field type does not exist'=>'Tipo de campo não existe','Spam Detected'=>'Spam detectado','Post updated'=>'Conteúdo actualizado','Update'=>'Actualizar','Validate Email'=>'Validar email','Content'=>'Conteúdo','Title'=>'Título','Edit field group'=>'Editar grupo de campos','Selection is less than'=>'A selecção é menor do que','Selection is greater than'=>'A selecção é maior do que','Value is less than'=>'O valor é menor do que','Value is greater than'=>'O valor é maior do que','Value contains'=>'O valor contém','Value matches pattern'=>'O valor corresponde ao padrão','Value is not equal to'=>'O valor é diferente de','Value is equal to'=>'O valor é igual a','Has no value'=>'Não tem valor','Has any value'=>'Tem um valor qualquer','Cancel'=>'Cancelar','Are you sure?'=>'Tem a certeza?','%d fields require attention'=>'%d campos requerem a sua atenção','1 field requires attention'=>'1 campo requer a sua atenção','Validation failed'=>'A validação falhou','Validation successful'=>'Validação bem sucedida','Restricted'=>'Restrito','Collapse Details'=>'Minimizar detalhes','Expand Details'=>'Expandir detalhes','Uploaded to this post'=>'Carregados neste artigo','verbUpdate'=>'Actualizar','verbEdit'=>'Editar','The changes you made will be lost if you navigate away from this page'=>'As alterações que fez serão ignoradas se navegar para fora desta página','File type must be %s.'=>'O tipo de ficheiro deve ser %s.','or'=>'ou','File size must not exceed %s.'=>'O tamanho do ficheiro não deve exceder %s.','File size must be at least %s.'=>'O tamanho do ficheiro deve ser pelo menos de %s.','Image height must not exceed %dpx.'=>'A altura da imagem não deve exceder os %dpx.','Image height must be at least %dpx.'=>'A altura da imagem deve ser pelo menos de %dpx.','Image width must not exceed %dpx.'=>'A largura da imagem não deve exceder os %dpx.','Image width must be at least %dpx.'=>'A largura da imagem deve ser pelo menos de %dpx.','(no title)'=>'(sem título)','Full Size'=>'Tamanho original','Large'=>'Grande','Medium'=>'Média','Thumbnail'=>'Miniatura','(no label)'=>'(sem legenda)','Sets the textarea height'=>'Define a altura da área de texto','Rows'=>'Linhas','Text Area'=>'Área de texto','Prepend an extra checkbox to toggle all choices'=>'Preceder com caixa de selecção adicional para seleccionar todas as opções','Save \'custom\' values to the field\'s choices'=>'Guarda valores personalizados nas opções do campo','Allow \'custom\' values to be added'=>'Permite adicionar valores personalizados','Add new choice'=>'Adicionar nova opção','Toggle All'=>'Seleccionar tudo','Allow Archives URLs'=>'Permitir URL do arquivo','Archives'=>'Arquivo','Page Link'=>'Ligação de página','Add'=>'Adicionar','Name'=>'Nome','%s added'=>'%s adicionado(a)','%s already exists'=>'%s já existe','User unable to add new %s'=>'O utilizador não pôde adicionar novo(a) %s','Term ID'=>'ID do termo','Term Object'=>'Termo','Load value from posts terms'=>'Carregar os valores a partir dos termos dos conteúdos','Load Terms'=>'Carregar termos','Connect selected terms to the post'=>'Liga os termos seleccionados ao conteúdo.','Save Terms'=>'Guardar termos','Allow new terms to be created whilst editing'=>'Permite a criação de novos termos durante a edição','Create Terms'=>'Criar termos','Radio Buttons'=>'Botões de opções','Single Value'=>'Valor único','Multi Select'=>'Selecção múltipla','Checkbox'=>'Caixa de selecção','Multiple Values'=>'Valores múltiplos','Select the appearance of this field'=>'Seleccione a apresentação deste campo','Appearance'=>'Apresentação','Select the taxonomy to be displayed'=>'Seleccione a taxonomia que será mostrada','No TermsNo %s'=>'Nenhum %s','Value must be equal to or lower than %d'=>'O valor deve ser igual ou inferior a %d','Value must be equal to or higher than %d'=>'O valor deve ser igual ou superior a %d','Value must be a number'=>'O valor deve ser um número','Number'=>'Número','Save \'other\' values to the field\'s choices'=>'Guardar \'outros\' valores nas opções do campo','Add \'other\' choice to allow for custom values'=>'Adicionar opção \'outros\' para permitir a inserção de valores personalizados','Other'=>'Outro','Radio Button'=>'Botão de opção','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Define o fim do acordeão anterior. Este item de acordeão não será visível.','Allow this accordion to open without closing others.'=>'Permite abrir este item de acordeão sem fechar os restantes.','Multi-Expand'=>'Expandir múltiplos','Display this accordion as open on page load.'=>'Mostrar este item de acordeão aberto ao carregar a página.','Open'=>'Aberto','Accordion'=>'Acordeão','Restrict which files can be uploaded'=>'Restringe que ficheiros podem ser carregados','File ID'=>'ID do ficheiro','File URL'=>'URL do ficheiro','File Array'=>'Array do ficheiro','Add File'=>'Adicionar ficheiro','No file selected'=>'Nenhum ficheiro seleccionado','File name'=>'Nome do ficheiro','Update File'=>'Actualizar ficheiro','Edit File'=>'Editar ficheiro','Select File'=>'Seleccionar ficheiro','File'=>'Ficheiro','Password'=>'Senha','Specify the value returned'=>'Especifique o valor devolvido','Use AJAX to lazy load choices?'=>'Utilizar AJAX para carregar opções?','Enter each default value on a new line'=>'Insira cada valor por omissão numa linha separada','verbSelect'=>'Seleccionar','Select2 JS load_failLoading failed'=>'Falhou ao carregar','Select2 JS searchingSearching…'=>'A pesquisar...','Select2 JS load_moreLoading more results…'=>'A carregar mais resultados…','Select2 JS selection_too_long_nYou can only select %d items'=>'Só pode seleccionar %d itens','Select2 JS selection_too_long_1You can only select 1 item'=>'Só pode seleccionar 1 item','Select2 JS input_too_long_nPlease delete %d characters'=>'Por favor elimine %d caracteres','Select2 JS input_too_long_1Please delete 1 character'=>'Por favor elimine 1 caractere','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Por favor insira %d ou mais caracteres','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Por favor insira 1 ou mais caracteres','Select2 JS matches_0No matches found'=>'Nenhuma correspondência encontrada','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultados encontrados, use as setas para cima ou baixo para navegar.','Select2 JS matches_1One result is available, press enter to select it.'=>'Um resultado encontrado, prima Enter para seleccioná-lo.','nounSelect'=>'Selecção','User ID'=>'ID do utilizador','User Object'=>'Objecto do utilizador','User Array'=>'Array do utilizador','All user roles'=>'Todos os papéis de utilizador','Filter by Role'=>'Filtrar por papel','User'=>'Utilizador','Separator'=>'Divisória','Select Color'=>'Seleccionar cor','Default'=>'Por omissão','Clear'=>'Limpar','Color Picker'=>'Selecção de cor','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seleccionar','Date Time Picker JS closeTextDone'=>'Concluído','Date Time Picker JS currentTextNow'=>'Agora','Date Time Picker JS timezoneTextTime Zone'=>'Fuso horário','Date Time Picker JS microsecTextMicrosecond'=>'Microsegundo','Date Time Picker JS millisecTextMillisecond'=>'Milissegundo','Date Time Picker JS secondTextSecond'=>'Segundo','Date Time Picker JS minuteTextMinute'=>'Minuto','Date Time Picker JS hourTextHour'=>'Hora','Date Time Picker JS timeTextTime'=>'Hora','Date Time Picker JS timeOnlyTitleChoose Time'=>'Escolha a hora','Date Time Picker'=>'Selecção de data e hora','Endpoint'=>'Fim','Left aligned'=>'Alinhado à esquerda','Top aligned'=>'Alinhado acima','Placement'=>'Posição','Tab'=>'Separador','Value must be a valid URL'=>'O valor deve ser um URL válido','Link URL'=>'URL da ligação','Link Array'=>'Array da ligação','Opens in a new window/tab'=>'Abre numa nova janela/separador','Select Link'=>'Seleccionar ligação','Link'=>'Ligação','Email'=>'Email','Step Size'=>'Valor dos passos','Maximum Value'=>'Valor máximo','Minimum Value'=>'Valor mínimo','Range'=>'Intervalo','Both (Array)'=>'Ambos (Array)','Label'=>'Legenda','Value'=>'Valor','Vertical'=>'Vertical','Horizontal'=>'Horizontal','red : Red'=>'vermelho : Vermelho','For more control, you may specify both a value and label like this:'=>'Para maior controlo, pode especificar tanto os valores como as legendas:','Enter each choice on a new line.'=>'Insira cada opção numa linha separada.','Choices'=>'Opções','Button Group'=>'Grupo de botões','Allow Null'=>'Permitir nulo','Parent'=>'Superior','TinyMCE will not be initialized until field is clicked'=>'O TinyMCE não será inicializado até que clique no campo','Delay Initialization'=>'Atrasar a inicialização','Show Media Upload Buttons'=>'Mostrar botões de carregar multimédia','Toolbar'=>'Barra de ferramentas','Text Only'=>'Apenas HTML','Visual Only'=>'Apenas visual','Visual & Text'=>'Visual e HTML','Tabs'=>'Separadores','Click to initialize TinyMCE'=>'Clique para inicializar o TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'HTML','Visual'=>'Visual','Value must not exceed %d characters'=>'O valor não deve exceder %d caracteres','Leave blank for no limit'=>'Deixe em branco para não limitar','Character Limit'=>'Limite de caracteres','Appears after the input'=>'Mostrado depois do campo','Append'=>'Suceder','Appears before the input'=>'Mostrado antes do campo','Prepend'=>'Preceder','Appears within the input'=>'Mostrado dentro do campo','Placeholder Text'=>'Texto predefinido','Appears when creating a new post'=>'Mostrado ao criar um novo conteúdo','Text'=>'Texto','%1$s requires at least %2$s selection'=>'%1$s requer pelo menos %2$s selecção' . "\0" . '%1$s requer pelo menos %2$s selecções','Post ID'=>'ID do conteúdo','Post Object'=>'Conteúdo','Maximum Posts'=>'Máximo de conteúdos','Minimum Posts'=>'Mínimo de conteúdos','Featured Image'=>'Imagem de destaque','Selected elements will be displayed in each result'=>'Os elementos seleccionados serão mostrados em cada resultado','Elements'=>'Elementos','Taxonomy'=>'Taxonomia','Post Type'=>'Tipo de conteúdo','Filters'=>'Filtros','All taxonomies'=>'Todas as taxonomias','Filter by Taxonomy'=>'Filtrar por taxonomia','All post types'=>'Todos os tipos de conteúdo','Filter by Post Type'=>'Filtrar por tipo de conteúdo','Search...'=>'Pesquisar...','Select taxonomy'=>'Seleccionar taxonomia','Select post type'=>'Seleccionar tipo de conteúdo','No matches found'=>'Nenhuma correspondência encontrada','Loading'=>'A carregar','Maximum values reached ( {max} values )'=>'Valor máximo alcançado ( valor {max} )','Relationship'=>'Relação','Comma separated list. Leave blank for all types'=>'Lista separada por vírgulas. Deixe em branco para permitir todos os tipos.','Allowed File Types'=>'Tipos de ficheiros permitidos','Maximum'=>'Máximo','File size'=>'Tamanho do ficheiro','Restrict which images can be uploaded'=>'Restringe que imagens podem ser carregadas','Minimum'=>'Mínimo','Uploaded to post'=>'Carregados no conteúdo','All'=>'Todos','Limit the media library choice'=>'Limita a escolha da biblioteca multimédia','Library'=>'Biblioteca','Preview Size'=>'Tamanho da pré-visualização','Image ID'=>'ID da imagem','Image URL'=>'URL da imagem','Image Array'=>'Array da imagem','Specify the returned value on front end'=>'Especifica o valor devolvido na frente do site.','Return Value'=>'Valor devolvido','Add Image'=>'Adicionar imagem','No image selected'=>'Nenhuma imagem seleccionada','Remove'=>'Remover','Edit'=>'Editar','All images'=>'Todas as imagens','Update Image'=>'Actualizar imagem','Edit Image'=>'Editar imagem','Select Image'=>'Seleccionar imagem','Image'=>'Imagem','Allow HTML markup to display as visible text instead of rendering'=>'Permite visualizar o código HTML como texto visível, em vez de o processar','Escape HTML'=>'Mostrar HTML','No Formatting'=>'Sem formatação','Automatically add <br>'=>'Adicionar <br> automaticamente','Automatically add paragraphs'=>'Adicionar parágrafos automaticamente','Controls how new lines are rendered'=>'Controla como serão visualizadas novas linhas','New Lines'=>'Novas linhas','Week Starts On'=>'Semana começa em','The format used when saving a value'=>'O formato usado ao guardar um valor','Save Format'=>'Formato guardado','Date Picker JS weekHeaderWk'=>'Sem','Date Picker JS prevTextPrev'=>'Anterior','Date Picker JS nextTextNext'=>'Seguinte','Date Picker JS currentTextToday'=>'Hoje','Date Picker JS closeTextDone'=>'Concluído','Date Picker'=>'Selecção de data','Width'=>'Largura','Embed Size'=>'Tamanho da incorporação','Enter URL'=>'Insira o URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Texto mostrado quando inactivo','Off Text'=>'Texto desligado','Text shown when active'=>'Texto mostrado quando activo','On Text'=>'Texto ligado','Stylized UI'=>'Interface estilizada','Default Value'=>'Valor por omissão','Displays text alongside the checkbox'=>'Texto mostrado ao lado da caixa de selecção','Message'=>'Mensagem','No'=>'Não','Yes'=>'Sim','True / False'=>'Verdadeiro / Falso','Row'=>'Linha','Table'=>'Tabela','Block'=>'Bloco','Specify the style used to render the selected fields'=>'Especifique o estilo usado para mostrar os campos seleccionados','Layout'=>'Layout','Sub Fields'=>'Subcampos','Group'=>'Grupo','Customize the map height'=>'Personalizar a altura do mapa','Height'=>'Altura','Set the initial zoom level'=>'Definir o nível de zoom inicial','Zoom'=>'Zoom','Center the initial map'=>'Centrar o mapa inicial','Center'=>'Centrar','Search for address...'=>'Pesquisar endereço...','Find current location'=>'Encontrar a localização actual','Clear location'=>'Limpar localização','Search'=>'Pesquisa','Sorry, this browser does not support geolocation'=>'Desculpe, este navegador não suporta geolocalização','Google Map'=>'Mapa do Google','The format returned via template functions'=>'O formato devolvido através das template functions','Return Format'=>'Formato devolvido','Custom:'=>'Personalizado:','The format displayed when editing a post'=>'O formato de visualização ao editar um conteúdo','Display Format'=>'Formato de visualização','Time Picker'=>'Selecção de hora','Inactive (%s)'=>'Inactivo (%s)' . "\0" . 'Inactivos (%s)','No Fields found in Trash'=>'Nenhum campo encontrado no lixo','No Fields found'=>'Nenhum campo encontrado','Search Fields'=>'Pesquisar campos','View Field'=>'Ver campo','New Field'=>'Novo campo','Edit Field'=>'Editar campo','Add New Field'=>'Adicionar novo campo','Field'=>'Campo','Fields'=>'Campos','No Field Groups found in Trash'=>'Nenhum grupo de campos encontrado no lixo','No Field Groups found'=>'Nenhum grupo de campos encontrado','Search Field Groups'=>'Pesquisar grupos de campos','View Field Group'=>'Ver grupo de campos','New Field Group'=>'Novo grupo de campos','Edit Field Group'=>'Editar grupo de campos','Add New Field Group'=>'Adicionar novo grupo de campos','Add New'=>'Adicionar novo','Field Group'=>'Grupo de campos','Field Groups'=>'Grupos de campos','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalize o WordPress com campos intuitivos, poderosos e profissionais.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'O nome do tipo de bloco é obrigatório.','Block type "%s" is already registered.'=>'O tipo de bloco "%s" já está registado.','Switch to Edit'=>'Mudar para o editor','Switch to Preview'=>'Mudar para pré-visualização','Change content alignment'=>'Alterar o alinhamento do conteúdo','%s settings'=>'Definições de %s','This block contains no editable fields.'=>'Este bloco não contém campos editáveis.','Assign a field group to add fields to this block.'=>'Atribua um grupo de campos para adicionar campos a este bloco.','Options Updated'=>'Opções actualizadas','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Para activar as actualizações, por favor insira a sua chave de licença na página das actualizações. Se não tiver uma chave de licença, por favor consulte os detalhes e preços.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'Erro de activação do ACF. A chave de licença definida foi alterada, mas ocorreu um erro ao desactivar a licença antiga','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'Erro de activação do ACF. A chave de licença definida foi alterada, mas ocorreu um erro ao ligar ao servidor de activação','ACF Activation Error'=>'Erro de activação do ACF','ACF Activation Error. An error occurred when connecting to activation server'=>'Erro de activação do ACF. Ocorreu um erro ao ligar ao servidor de activação','Check Again'=>'Verificar de novo','ACF Activation Error. Could not connect to activation server'=>'Erro de activação do ACF. Não foi possível ligar ao servidor de activação','Publish'=>'Publicado','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nenhum grupo de campos personalizado encontrado na página de opções. Criar um grupo de campos personalizado','Error. Could not connect to update server'=>'Erro. Não foi possível ligar ao servidor de actualização','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Erro. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Erro. A sua licença para este site expirou ou foi desactivada. Por favor active de novo a sua licença ACF PRO.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Permite-lhe seleccionar e mostrar campos existentes. Não duplica nenhum campo na base de dados, mas carrega e mosta os campos seleccionados durante a execução. O campo Clone pode substituir-se a si próprio com os campos seleccionados, ou mostrar os campos seleccionados como um grupo de subcampos.','Select one or more fields you wish to clone'=>'Seleccione um ou mais campos que deseje clonar','Display'=>'Visualização','Specify the style used to render the clone field'=>'Especifique o estilo usado para mostrar o campo de clone','Group (displays selected fields in a group within this field)'=>'Grupo (mostra os campos seleccionados num grupo dentro deste campo)','Seamless (replaces this field with selected fields)'=>'Simples (substitui este campo pelos campos seleccionados)','Labels will be displayed as %s'=>'As legendas serão mostradas com %s','Prefix Field Labels'=>'Prefixo nas legendas dos campos','Values will be saved as %s'=>'Os valores serão guardados como %s','Prefix Field Names'=>'Prefixos nos nomes dos campos','Unknown field'=>'Campo desconhecido','Unknown field group'=>'Grupo de campos desconhecido','All fields from %s field group'=>'Todos os campos do grupo de campos %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'Permite-lhe definir, criar e gerir conteúdos com total controlo através da criação de layouts que contêm subcampos que pode ser escolhidos pelos editores de conteúdos.','Add Row'=>'Adicionar linha','layout'=>'layout' . "\0" . 'layouts','layouts'=>'layouts','This field requires at least {min} {label} {identifier}'=>'Este campo requer pelo menos {min} {identifier} {label}','This field has a limit of {max} {label} {identifier}'=>'Este campo está limitado a {max} {identifier} {label}','{available} {label} {identifier} available (max {max})'=>'{available} {identifier} {label} disponível (máx {max})','{required} {label} {identifier} required (min {min})'=>'{required} {identifier} {label} em falta (mín {min})','Flexible Content requires at least 1 layout'=>'O conteúdo flexível requer pelo menos 1 layout','Click the "%s" button below to start creating your layout'=>'Clique no botão "%s" abaixo para começar a criar o seu layout','Add layout'=>'Adicionar layout','Duplicate layout'=>'Duplicar layout','Remove layout'=>'Remover layout','Click to toggle'=>'Clique para alternar','Delete Layout'=>'Eliminar layout','Duplicate Layout'=>'Duplicar layout','Add New Layout'=>'Adicionar novo layout','Add Layout'=>'Adicionar layout','Min'=>'Mín','Max'=>'Máx','Minimum Layouts'=>'Mínimo de layouts','Maximum Layouts'=>'Máximo de layouts','Button Label'=>'Legenda do botão','%s must be of type array or null.'=>'%s tem de ser do tipo array ou nulo.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s tem de conter pelo menos %2$s layout %3$s.' . "\0" . '%1$s tem de conter pelo menos %2$s layouts %3$s.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s tem de conter no máximo %2$s layout %3$s.' . "\0" . '%1$s tem de conter no máximo %2$s layouts %3$s.','An interactive interface for managing a collection of attachments, such as images.'=>'Uma interface interactiva para gerir uma colecção de anexos, como imagens.','Add Image to Gallery'=>'Adicionar imagem à galeria','Maximum selection reached'=>'Máximo de selecção alcançado','Length'=>'Comprimento','Caption'=>'Legenda','Alt Text'=>'Texto alternativo','Add to gallery'=>'Adicionar à galeria','Bulk actions'=>'Acções por lotes','Sort by date uploaded'=>'Ordenar por data de carregamento','Sort by date modified'=>'Ordenar por data de modificação','Sort by title'=>'Ordenar por título','Reverse current order'=>'Inverter ordem actual','Close'=>'Fechar','Minimum Selection'=>'Selecção mínima','Maximum Selection'=>'Selecção máxima','Insert'=>'Inserir','Specify where new attachments are added'=>'Especifique onde serão adicionados os novos anexos','Append to the end'=>'No fim','Prepend to the beginning'=>'No início','Minimum rows not reached ({min} rows)'=>'Mínimo de linhas não alcançado ({min} linhas)','Maximum rows reached ({max} rows)'=>'Máximo de linhas alcançado ({max} linhas)','Error loading page'=>'Erro ao carregar a página','Order will be assigned upon save'=>'A ordem será atribuída ao guardar','Useful for fields with a large number of rows.'=>'Útil para campos com uma grande quantidade de linhas.','Rows Per Page'=>'Linhas por página','Set the number of rows to be displayed on a page.'=>'Define o número de linhas a mostrar numa página.','Minimum Rows'=>'Mínimo de linhas','Maximum Rows'=>'Máximo de linhas','Collapsed'=>'Minimizado','Select a sub field to show when row is collapsed'=>'Seleccione o subcampo a mostrar ao minimizar a linha','Invalid field key or name.'=>'Chave ou nome de campo inválido.','There was an error retrieving the field.'=>'Ocorreu um erro ao obter o campo.','Click to reorder'=>'Arraste para reordenar','Add row'=>'Adicionar linha','Duplicate row'=>'Duplicar linha','Remove row'=>'Remover linha','Current Page'=>'Página actual','First Page'=>'Primeira página','Previous Page'=>'Página anterior','paging%1$s of %2$s'=>'%1$s de %2$s','Next Page'=>'Página seguinte','Last Page'=>'Última página','No block types exist'=>'Não existem tipos de blocos','No options pages exist'=>'Não existem páginas de opções','Deactivate License'=>'Desactivar licença','Activate License'=>'Activar licença','License Information'=>'Informações da licença','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'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 detalhes e preços.','License Key'=>'Chave de licença','Your license key is defined in wp-config.php.'=>'A sua chave de licença está definida no wp-config.php.','Retry Activation'=>'Tentar activar de novo','Update Information'=>'Informações de actualização','Current Version'=>'Versão actual','Latest Version'=>'Última versão','Update Available'=>'Actualização disponível','Upgrade Notice'=>'Informações sobre a actualização','Check For Updates'=>'Verificar actualizações','Enter your license key to unlock updates'=>'Digite a sua chave de licença para desbloquear as actualizações','Update Plugin'=>'Actualizar plugin','Please reactivate your license to unlock updates'=>'Por favor reactive a sua licença para desbloquear as actualizações'],'language'=>'pt_PT','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-pt_PT.mo b/lang/acf-pt_PT.mo
index 93148d2..0f95161 100644
Binary files a/lang/acf-pt_PT.mo and b/lang/acf-pt_PT.mo differ
diff --git a/lang/acf-pt_PT.po b/lang/acf-pt_PT.po
index 3728acb..8c3718d 100644
--- a/lang/acf-pt_PT.po
+++ b/lang/acf-pt_PT.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: pt_PT\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4383,7 +4399,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4715,7 +4731,7 @@ msgstr "Activar este item"
msgid "Move field group to trash?"
msgstr "Mover o grupo de campos para o lixo?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4728,7 +4744,7 @@ msgstr "Inactivo"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4737,7 +4753,7 @@ msgstr ""
"activos ao mesmo tempo. O Advanced Custom Fields PRO foi desactivado "
"automaticamente."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5184,7 +5200,7 @@ msgstr "Todos os formatos de %s"
msgid "Attachment"
msgstr "Anexo"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "O valor %s é obrigatório"
@@ -5677,7 +5693,7 @@ msgstr "Duplicar este item"
msgid "Supports"
msgstr "Suporte"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentação"
@@ -5975,8 +5991,8 @@ msgstr "%d campos requerem a sua atenção"
msgid "1 field requires attention"
msgstr "1 campo requer a sua atenção"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "A validação falhou"
@@ -7357,90 +7373,90 @@ msgid "Time Picker"
msgstr "Selecção de hora"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactivo (%s)"
msgstr[1] "Inactivos (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Nenhum campo encontrado no lixo"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Nenhum campo encontrado"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Pesquisar campos"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Ver campo"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Novo campo"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editar campo"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Adicionar novo campo"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Campo"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Campos"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Nenhum grupo de campos encontrado no lixo"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Nenhum grupo de campos encontrado"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Pesquisar grupos de campos"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Ver grupo de campos"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Novo grupo de campos"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editar grupo de campos"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Adicionar novo grupo de campos"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Adicionar novo"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grupo de campos"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-ro_RO.l10n.php b/lang/acf-ro_RO.l10n.php
index 2946a66..e0733f5 100644
--- a/lang/acf-ro_RO.l10n.php
+++ b/lang/acf-ro_RO.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'ro_RO','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['WP Engine logo'=>'Logo WP Engine','No Taxonomies found in Trash'=>'Nu am găsit nicio taxonomie la gunoi','No Taxonomies found'=>'Nu am găsit nicio taxonomie','Search Taxonomies'=>'Caută taxonomii','View Taxonomy'=>'Vezi taxonomia','New Taxonomy'=>'Taxonomie nouă','Edit Taxonomy'=>'Editează taxonomia','Add New Taxonomy'=>'Adaugă o taxonomie nouă','No Post Types found in Trash'=>'Nu am găsit niciun tip de articol la gunoi','No Post Types found'=>'Nu am găsit niciun tip de articol','Search Post Types'=>'Caută tipuri de articol','View Post Type'=>'Vezi tipul de articol','New Post Type'=>'Tip de articol nou','Edit Post Type'=>'Editează tipul de articol','Add New Post Type'=>'Adaugă un tip de articol nou','The post type key must be under 20 characters.'=>'Cheia tipului de articol trebuie să aibă mai puțin de 20 de caractere.','WYSIWYG Editor'=>'Editor WYSIWYG','URL'=>'URL','Filter by Post Status'=>'Filtrează după stare articol','nounClone'=>'Clonare','PRO'=>'PRO','Advanced'=>'Avansate','Invalid post ID.'=>'ID-ul articolului nu este valid.','Tutorial'=>'Tutorial','Select Field'=>'Selectează câmpul','Try a different search term or browse %s'=>'Încearcă un alt termen de căutare sau răsfoiește %s','Popular fields'=>'Câmpuri populare','No search results for \'%s\''=>'Niciun rezultat de căutare pentru „%s”','Search fields...'=>'Caută câmpuri...','Select Field Type'=>'Selectează tipul de câmp','Popular'=>'Populare','Add Taxonomy'=>'Adaugă o taxonomie','Add Your First Taxonomy'=>'Adaugă prima ta taxonomie','Customize the query variable name'=>'Personalizează numele variabilei de interogare','Customize the slug used in the URL'=>'Personalizează descriptorul folosit în URL','Permalinks for this taxonomy are disabled.'=>'Legăturile permanente pentru această taxonomie sunt dezactivate.','Taxonomy Key'=>'Cheie taxonomie','Quick Edit'=>'Editează rapid','Tag Cloud'=>'Nor de etichete','← Go to tags'=>'← Mergi la etichete','← Go to %s'=>'← Mergi la %s','Tags list'=>'Listă cu etichete','Tags list navigation'=>'Navigare în lista cu etichete','Filter by category'=>'Filtrează după categorie','Filter By Item'=>'Filtrează după element','Filter by %s'=>'Filtrează după %s','Parent Field Description'=>'Descriere câmp părinte','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'„Descriptorul” este versiunea prietenoasă a URL-ului pentru nume. De obicei, are numai minuscule și este compus din litere, cifre și cratime.','Slug Field Description'=>'Descriere câmp descriptor','The name is how it appears on your site'=>'Numele este așa cum apare pe site-ul tău','Name Field Description'=>'Descriere câmp nume','No tags'=>'Nicio etichetă','No Terms'=>'Niciun termen','No tags found'=>'Nu am găsit nicio etichetă','Not Found'=>'Nu am găsit','Most Used'=>'Folosite frecvent','Choose from the most used tags'=>'Alege dintre etichetele cel mai mult folosite','Choose From Most Used'=>'Alege dintre cele mai mult folosite','Add or remove tags'=>'Adaugă sau înlătură etichete','Add Or Remove Items'=>'Adaugă sau înlătură elemente','Add or remove %s'=>'Adaugă sau înlătură %s','Separate tags with commas'=>'Separă etichetele cu virgule','Separate Items With Commas'=>'Separă elementele cu virgule','Separate %s with commas'=>'Separă %s cu virgule','Popular Tags'=>'Etichete populare','Popular Items'=>'Elemente populare','Popular %s'=>'%s populare','Search Tags'=>'Caută etichete','Parent Category:'=>'Categorie părinte:','Parent Category'=>'Categorie părinte','Parent Item'=>'Element părinte','Parent %s'=>'%s părinte','New Tag Name'=>'Nume etichetă nouă','New Item Name'=>'Nume element nou','Add New Tag'=>'Adaugă o etichetă nouă','Update Tag'=>'Actualizează eticheta','Update Item'=>'Actualizează elementul','Update %s'=>'Actualizează %s','View Tag'=>'Vezi eticheta','Edit Tag'=>'Editează eticheta','All Tags'=>'Toate etichetele','Menu Label'=>'Etichetă meniu','Active taxonomies are enabled and registered with WordPress.'=>'Taxonomiile active sunt activate și înregistrate cu WordPress.','A descriptive summary of the taxonomy.'=>'Un rezumat descriptiv al taxonomiei.','A descriptive summary of the term.'=>'Un rezumat descriptiv al termenului.','Term Description'=>'Descriere termen','Term Slug'=>'Descriptor termen','The name of the default term.'=>'Numele termenului implicit.','Term Name'=>'Nume termen','Default Term'=>'Termen implicit','Sort Terms'=>'Sortează termenii','Add Post Type'=>'Adaugă un tip de articol','Add Your First Post Type'=>'Adaugă primul tău tip de articol','Advanced Configuration'=>'Configurare avansată','Show In REST API'=>'Arată în REST API','Customize the query variable name.'=>'Personalizează numele variabilei de interogare.','Query Variable'=>'Variabilă pentru interogare','Custom Query Variable'=>'Variabilă personalizată pentru interogare','Custom slug for the Archive URL.'=>'Descriptor personalizat pentru URL-ul arhivei.','Archive Slug'=>'Descriptor arhivă','Archive'=>'Arhivă','Pagination'=>'Paginație','Feed URL'=>'URL flux','Customize the slug used in the URL.'=>'Personalizează descriptorul folosit în URL.','URL Slug'=>'Descriptor URL','Permalinks for this post type are disabled.'=>'Legăturile permanente pentru acest tip de articol sunt dezactivate.','Custom Permalink'=>'Legături permanente personalizate','Exclude From Search'=>'Exclude din căutare','Show In Admin Bar'=>'Arată în bara de administrare','Menu Position'=>'Poziție meniu','Show In Admin Menu'=>'Arată în meniul de administrare','Show In UI'=>'Arată în UI','A link to a post.'=>'O legătură la un articol.','A link to a %s.'=>'O legătură la un %s.','Post Link'=>'Legătură la articol','Item Link'=>'Legătură la element','%s Link'=>'Legătură la %s','Post updated.'=>'Am actualizat articolul.','In the editor notice after an item is updated.'=>'În notificarea din editor după ce un element este actualizat.','Item Updated'=>'Am actualizat elementul','%s updated.'=>'Am actualizat %s.','Post scheduled.'=>'Am programat articolul.','In the editor notice after scheduling an item.'=>'În notificarea din editor după programarea unui element.','Item Scheduled'=>'Am programat elementul','%s scheduled.'=>'Am programat %s.','Post reverted to draft.'=>'Articolul a revenit la ciornă.','Post published privately.'=>'Am publicat articolul ca privat.','In the editor notice after publishing a private item.'=>'În notificarea din editor după publicarea unui element privat.','Item Published Privately'=>'Am publicat elementul ca privat','%s published privately.'=>'Am publicat %s ca privat.','Post published.'=>'Am publicat articolul.','In the editor notice after publishing an item.'=>'În notificarea din editor după publicarea unui element.','Item Published'=>'Am publicat elementul','%s published.'=>'Am publicat %s.','Posts list'=>'Listă cu articole','Items List'=>'Listă cu elemente','%s list'=>'Listă cu %s','Posts list navigation'=>'Navigare în lista cu articole','Items List Navigation'=>'Navigare în lista cu elemente','%s list navigation'=>'Navigare în lista cu %s','Filter posts by date'=>'Filtrează articolele după dată','Filter Items By Date'=>'Filtrează elementele după dată','Filter %s by date'=>'Filtrează %s după dată','Filter posts list'=>'Filtrează lista cu articole','Filter Items List'=>'Filtrează lista cu elemente','Filter %s list'=>'Filtrează lista cu %s','Insert into post'=>'Inserează în articol','Insert into %s'=>'Inserează în %s','Use as featured image'=>'Folosește ca imagine reprezentativă','Use Featured Image'=>'Folosește imaginea reprezentativă','Remove featured image'=>'Înlătură imaginea reprezentativă','Remove Featured Image'=>'Înlătură imaginea reprezentativă','Set featured image'=>'Stabilește imaginea reprezentativă','Post Attributes'=>'Atribute articol','%s Attributes'=>'Atribute %s','Post Archives'=>'Arhive articole','Archives Nav Menu'=>'Meniu de navigare în arhive','%s Archives'=>'Arhive %s','No posts found in Trash'=>'Nu am găsit niciun articol la gunoi','No Items Found in Trash'=>'Nu am găsit niciun element la gunoi','No %s found in Trash'=>'Nu am găsit niciun %s la gunoi','No posts found'=>'Nu am găsit niciun articol','No Items Found'=>'Nu am găsit niciun element','No %s found'=>'Nu am găsit niciun %s','Search Posts'=>'Caută articole','Search Items'=>'Caută elemente','Search %s'=>'Caută %s','Parent Page:'=>'Pagină părinte:','Parent %s:'=>'%s părinte:','New Post'=>'Articol nou','New Item'=>'Element nou','New %s'=>'%s nou','Add New Post'=>'Adaugă articol nou','Add New Item'=>'Adaugă element nou','Add New %s'=>'Adaugă %s nou','View Posts'=>'Vezi articolele','View Items'=>'Vezi elementele','View Post'=>'Vezi articolul','View Item'=>'Vezi elementul','View %s'=>'Vezi %s','Edit Post'=>'Editează articolul','Edit Item'=>'Editează elementul','Edit %s'=>'Editează %s','All Posts'=>'Toate articolele','All Items'=>'Toate elementele','All %s'=>'Toate %s','Menu Name'=>'Nume meniu','Regenerate'=>'Regenerează','Editor'=>'Editor','Trackbacks'=>'Trackback-uri','Browse Fields'=>'Răsfoiește câmpurile','Nothing to import'=>'Nimic pentru import','Failed to import taxonomies.'=>'Importul taxonomiilor a eșuat.','Failed to import post types.'=>'Importul tipurilor de articol a eșuat.','Imported 1 item'=>'Am importat un element' . "\0" . 'Am importat %s elemente' . "\0" . 'Am importat %s de elemente','Select Taxonomies'=>'Selectează taxonomiile','Select Post Types'=>'Selectează tipurile de articol','Exported 1 item.'=>'Am exportat un element.' . "\0" . 'Am exportat %s elemente.' . "\0" . 'Am exportat %s de elemente.','Category'=>'Categorie','Tag'=>'Etichetă','%s taxonomy created'=>'Am creat taxonomia %s','%s taxonomy updated'=>'Am actualizat taxonomia %s','Taxonomy draft updated.'=>'Am actualizat ciorna taxonomiei.','Taxonomy scheduled for.'=>'Am programat taxonomia.','Taxonomy submitted.'=>'Am trimis taxonomia.','Taxonomy saved.'=>'Am salvat taxonomia.','Taxonomy deleted.'=>'Am șters taxonomia.','Taxonomy updated.'=>'Am actualizat taxonomia.','Taxonomy synchronized.'=>'Am sincronizat taxonomia.' . "\0" . 'Am sincronizat %s taxonomii.' . "\0" . 'Am sincronizat %s de taxonomii.','Taxonomy deactivated.'=>'Am dezactivat taxonomia.' . "\0" . 'Am dezactivat %s taxonomii.' . "\0" . 'Am dezactivat %s de taxonomii.','Taxonomy activated.'=>'Am activat taxonomia.' . "\0" . 'Am activat %s taxonomii.' . "\0" . 'Am activat %s de taxonomii.','Terms'=>'Termeni','Post type synchronized.'=>'Am sincronizat tipul de articol.' . "\0" . 'Am sincronizat %s tipuri de articol.' . "\0" . 'Am sincronizat %s de tipuri de articol.','Post type deactivated.'=>'Am dezactivat tipul de articol.' . "\0" . 'Am dezactivat %s tipuri de articol.' . "\0" . 'Am dezactivat %s de tipuri de articol.','Post type activated.'=>'Am activat tipul de articol.' . "\0" . 'Am activat %s tipuri de articol.' . "\0" . 'Am activat %s de tipuri de articol.','Post Types'=>'Tipuri de articol','Advanced Settings'=>'Setări avansate','Basic Settings'=>'Setări de bază','Pages'=>'Pagini','Link Existing Field Groups'=>'Leagă grupurile de câmpuri existente','%s post type created'=>'Am creat tipul de articol %s','Add fields to %s'=>'Adaugă câmpuri la %s','%s post type updated'=>'Am actualizat tipul de articol %s','Post type draft updated.'=>'Am actualizat ciorna tipului de articol.','Post type scheduled for.'=>'Am programat tipul de articol.','Post type submitted.'=>'Am trimis tipul de articol.','Post type saved.'=>'Am salvat tipul de articol.','Post type updated.'=>'Am actualizat tipul de articol.','Post type deleted.'=>'Am șters tipul de articol.','Field groups linked successfully.'=>'Am legat cu succes grupurile de câmpuri.','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'tip de articol','Field group linked successfully.'=>'Am legat cu succes grupul de câmpuri.' . "\0" . 'Am legat cu succes grupurile de câmpuri.' . "\0" . 'Am legat cu succes grupurile de câmpuri.','post statusRegistration Failed'=>'Înregistrarea a eșuat','REST API'=>'REST API','Permissions'=>'Permisiuni','URLs'=>'URL-uri','Visibility'=>'Vizibilitate','Labels'=>'Etichete','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','Close Modal'=>'Închide fereastra modală','Field moved to other group'=>'Am mutat câmpul la un alt grup','Close modal'=>'Închide fereastra modală','New Tab Group'=>'Grup de file nou','Save Custom Values'=>'Salvează valorile personalizate','Allow Custom Values'=>'Permite valori personalizate','Updates'=>'Actualizări','Save Changes'=>'Salvează modificările','Field Group Title'=>'Titlu grup de câmpuri','Add title'=>'Adaugă titlu','Add Field Group'=>'Adaugă un grup de câmpuri','Add Your First Field Group'=>'Adaugă primul tău grup de câmpuri','Options Pages'=>'Pagini opțiuni','ACF Blocks'=>'Blocuri ACF','Flexible Content Field'=>'Câmp cu conținut flexibil','Delete Field Group'=>'Șterge grupul de câmpuri','Created on %1$s at %2$s'=>'Creat pe %1$s la %2$s','Add Your First Field'=>'Adaugă primul tău câmp','Add Field'=>'Adaugă câmp','Presentation'=>'Prezentare','Validation'=>'Validare','General'=>'Generale','Field group deactivated.'=>'Am dezactivat grupul de câmpuri.' . "\0" . 'Am dezactivat %s grupuri de câmpuri.' . "\0" . 'Am dezactivat %s de grupuri de câmpuri.','Field group activated.'=>'Am activat grupul de câmpuri.' . "\0" . 'Am activat %s grupuri de câmpuri.' . "\0" . 'Am activat %s de grupuri de câmpuri.','Deactivate'=>'Dezactivează','Deactivate this item'=>'Dezactivează acest element','Activate'=>'Activează','Activate this item'=>'Activează acest element','Move field group to trash?'=>'Muți grupul de câmpuri la gunoi?','Invalid request.'=>'Cererea nu este validă.','%1$s must have term %2$s.'=>'%1$s trebuie să aibă termenul %2$s.' . "\0" . '%1$s trebuie să aibă unul dintre următorii termeni: %2$s.' . "\0" . '%1$s trebuie să aibă unul dintre următorii termeni: %2$s.','%1$s must have a valid post ID.'=>'%1$s trebuie să aibă un ID valid pentru articol.','%s requires a valid attachment ID.'=>'%s are nevoie de un ID valid pentru atașament.','Show in REST API'=>'Arată în REST API','Enable Transparency'=>'Activează transparența','Upgrade to PRO'=>'Actualizează la PRO','post statusActive'=>'Activ','\'%s\' is not a valid email address'=>'„%s” nu este o adresă de email validă','Color value'=>'Valoare culoare','Select default color'=>'Selectează culoarea implicită','Clear color'=>'Șterge culoarea','Blocks'=>'Blocuri','Options'=>'Opțiuni','Users'=>'Utilizatori','Menu items'=>'Elemente de meniu','Widgets'=>'Piese','Attachments'=>'Atașamente','Taxonomies'=>'Taxonomii','Posts'=>'Articole','Last updated: %s'=>'Ultima actualizare: %s','Import'=>'Importă','Visit website'=>'Vizitează site-ul web','View details'=>'Vezi detaliile','Version %s'=>'Versiunea %s','Information'=>'Informații','Help & Support'=>'Ajutor și suport','Overview'=>'Prezentare generală','Location type "%s" is already registered.'=>'Tipul de locație „%s” este deja înregistrat.','Class "%s" does not exist.'=>'Clasa „%s” nu există.','Invalid nonce.'=>'Nunicul nu este valid.','Error loading field.'=>'Eroare la încărcarea câmpului.','Error: %s'=>'Eroare: %s','Widget'=>'Piesă','User Role'=>'Rol utilizator','Comment'=>'Comentariu','Post Format'=>'Format de articol','Menu Item'=>'Element de meniu','Post Status'=>'Stare articol','Menus'=>'Meniuri','Menu Locations'=>'Locații pentru meniuri','Menu'=>'Meniu','Post Taxonomy'=>'Taxonomie articol','Child Page (has parent)'=>'Pagină copil (are părinte)','Parent Page (has children)'=>'Pagină părinte (are copii)','Top Level Page (no parent)'=>'Pagină de primul nivel (fără părinte)','Posts Page'=>'Pagină articole','Front Page'=>'Pagina din față','Page Type'=>'Tip de pagină','Viewing back end'=>'Vizualizare în partea administrativă','Viewing front end'=>'Vizualizare în partea din față','Logged in'=>'Autentificat','Current User'=>'Utilizator curent','Page Template'=>'Șablon de pagini','Register'=>'Înregistrează','Add / Edit'=>'Adaugă/editează','Page Parent'=>'Părinte pagină','Super Admin'=>'Super-administrator','Current User Role'=>'Rol utilizator curent','Default Template'=>'Șablon implicit','Post Template'=>'Șablon de articole','Post Category'=>'Categorie de articole','All %s formats'=>'Toate formatele %s','Attachment'=>'Atașament','%s value is required'=>'Valoarea %s este obligatorie','Show this field if'=>'Arată acest câmp dacă','Conditional Logic'=>'Condiționalitate logică','and'=>'și','Local JSON'=>'JSON local','Clone Field'=>'Clonează câmpul','Database Upgrade Required'=>'Este necesară actualizarea bazei de date','Options Page'=>'Pagină opțiuni','Gallery'=>'Galerie','Flexible Content'=>'Conținut flexibil','Repeater'=>'Repeater','Back to all tools'=>'Înapoi la toate uneltele','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)'=>'Dacă pe un ecran de editare apar mai multe grupuri de câmpuri, vor fi folosite opțiunile pentru primul grup de câmpuri (cel care are numărul de ordine cel mai mic)','Select items to hide them from the edit screen.'=>'Selectează elementele pe care le ascunzi în ecranul de editare.','Hide on screen'=>'Ascunde pe ecran','Send Trackbacks'=>'Trimite trackback-uri','Tags'=>'Etichete','Categories'=>'Categorii','Page Attributes'=>'Atribute pagină','Format'=>'Format','Author'=>'Autor','Slug'=>'Descriptor','Revisions'=>'Revizii','Comments'=>'Comentarii','Discussion'=>'Discuții','Excerpt'=>'Rezumat','Content Editor'=>'Editor de conținut','Permalink'=>'Legătură permanentă','Below fields'=>'Sub câmpuri','Below labels'=>'Sub etichete','Instruction Placement'=>'Plasare instrucțiuni','Label Placement'=>'Plasare etichetă','Side'=>'Lateral','Normal (after content)'=>'Normal (după conținut)','Position'=>'Poziție','Seamless (no metabox)'=>'Omogen (fără casetă meta)','Standard (WP metabox)'=>'Standard (casetă meta WP)','Style'=>'Stil','Type'=>'Tip','Key'=>'Cheie','Order'=>'Ordine','Close Field'=>'Închide câmpul','id'=>'ID','class'=>'clasă','width'=>'lățime','Wrapper Attributes'=>'Atribute învelitoare','Required'=>'Obligatoriu','Instructions'=>'Instrucțiuni','Field Type'=>'Tip de câmp','Single word, no spaces. Underscores and dashes allowed'=>'Un singur cuvânt, fără spații. Sunt permise liniuțe-jos și cratime','Field Name'=>'Nume câmp','This is the name which will appear on the EDIT page'=>'Acesta este numele care va apărea în pagina EDITEAZĂ','Field Label'=>'Etichetă câmp','Delete'=>'Șterge','Delete field'=>'Șterge câmpul','Move'=>'Mută','Move field to another group'=>'Mută câmpul în alt grup','Edit field'=>'Editează câmpul','Drag to reorder'=>'Trage pentru a reordona','Show this field group if'=>'Arată acest grup de câmpuri dacă','No updates available.'=>'Nu este disponibilă nicio actualizare.','Upgrade failed.'=>'Actualizarea a eșuat.','Upgrade complete.'=>'Actualizarea este finalizată.','Please select at least one site to upgrade.'=>'Te rog selectează cel puțin un site pentru actualizare.','Site is up to date'=>'Site-ul este actualizat','Site requires database upgrade from %1$s to %2$s'=>'Trebuie actualizată baza de date a site-ului de la %1$s la %2$s','Site'=>'Site','Upgrade Sites'=>'Actualizează site-urile','Add rule group'=>'Adaugă un grup de reguli','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Creează un set de reguli pentru a stabili ecranele de editare care vor folosi aceste câmpuri personalizate avansate','Rules'=>'Reguli','Copied'=>'Copiat','Copy to clipboard'=>'Copiază în clipboard','Select Field Groups'=>'Selectează grupurile de câmpuri','No field groups selected'=>'Nu ai selectat niciun grup de câmpuri','Generate PHP'=>'Generează PHP','Export Field Groups'=>'Exportă grupurile de câmpuri','Import file empty'=>'Fișierul importat este gol','Incorrect file type'=>'Tip de fișier incorect','Error uploading file. Please try again'=>'Eroare la încărcarea fișierului. Te rog încearcă din nou','Import Field Groups'=>'Importă grupuri de câmpuri','Sync'=>'Sincronizează','Select %s'=>'Selectează %s','Duplicate'=>'Fă duplicat','Duplicate this item'=>'Fă un duplicat al acestui element','Documentation'=>'Documentație','Description'=>'Descriere','Sync available'=>'Sincronizarea este disponibilă','Field group synchronized.'=>'Am sincronizat grupul de câmpuri.' . "\0" . 'Am sincronizat %s grupuri de câmpuri.' . "\0" . 'Am sincronizat %s de grupuri de câmpuri.','Active (%s)'=>'Activ (%s)' . "\0" . 'Active (%s)' . "\0" . 'Active (%s)','Upgrade Database'=>'Actualizează baza de date','Custom Fields'=>'Câmpuri personalizate','Move Field'=>'Mută câmpul','Please select the destination for this field'=>'Te rog selectează destinația pentru acest câmp','The %1$s field can now be found in the %2$s field group'=>'Câmpul %1$s poate fi găsit acum în grupul de câmpuri %2$s','Field Keys'=>'Chei câmp','Settings'=>'Setări','Location'=>'Locație','(this field)'=>'(acest câmp)','Checked'=>'Bifat','Move Custom Field'=>'Mută câmpul personalizat','Field group title is required'=>'Titlul grupului de câmpuri este obligatoriu','This field cannot be moved until its changes have been saved'=>'Acest câmp nu poate fi mutat până când nu îi salvezi modificările','Field group draft updated.'=>'Am actualizat ciorna grupului de câmpuri.','Field group scheduled for.'=>'Am programat grupul de câmpuri.','Field group submitted.'=>'Am trimis grupul de câmpuri.','Field group saved.'=>'Am salvat grupul de câmpuri.','Field group published.'=>'Am publicat grupul de câmpuri.','Field group deleted.'=>'Am șters grupul de câmpuri.','Field group updated.'=>'Am actualizat grupul de câmpuri.','Tools'=>'Unelte','is not equal to'=>'nu este egal cu','is equal to'=>'este egal cu','Forms'=>'Formulare','Page'=>'Pagină','Post'=>'Articol','Basic'=>'De bază','Field type does not exist'=>'Tipul de câmp nu există','Spam Detected'=>'Am detectat spam','Post updated'=>'Am actualizat articolul','Update'=>'Actualizează','Validate Email'=>'Validează emailul','Content'=>'Conținut','Title'=>'Titlu','Edit field group'=>'Editează grupul de câmpuri','Value is less than'=>'Valoarea este mai mică decât','Value is greater than'=>'Valoarea este mai mare decât','Value contains'=>'Valoarea conține','Value is not equal to'=>'Valoarea nu este egală cu','Value is equal to'=>'Valoarea este egală cu','Has no value'=>'Nu are o valoare','Has any value'=>'Are orice valoare','Cancel'=>'Anulează','Are you sure?'=>'Sigur?','%d fields require attention'=>'%d câmpuri necesită atenție','1 field requires attention'=>'Un câmp necesită atenție','Validation failed'=>'Validarea a eșuat','Validation successful'=>'Validare făcută cu succes','Collapse Details'=>'Restrânge detaliile','Expand Details'=>'Extinde detaliile','verbUpdate'=>'Actualizează','verbEdit'=>'Editează','The changes you made will be lost if you navigate away from this page'=>'Modificările pe care le-ai făcut se vor pierde dacă părăsești această pagină','File type must be %s.'=>'Tipul de fișier trebuie să fie %s.','or'=>'sau','File size must not exceed %s.'=>'Dimensiunea fișierului nu trebuie să depășească %s.','File size must be at least %s.'=>'Dimensiunea fișierului trebuie să aibă cel puțin %s.','Image height must not exceed %dpx.'=>'Înălțimea imaginii nu trebuie să depășească %d px.','Image height must be at least %dpx.'=>'Înălțimea imaginii trebuie să fie de cel puțin %d px.','Image width must not exceed %dpx.'=>'Lățimea imaginii nu trebuie să depășească %d px.','Image width must be at least %dpx.'=>'Lățimea imaginii trebuie să aibă cel puțin %d px.','(no title)'=>'(fără titlu)','Full Size'=>'Dimensiune completă','Large'=>'Mare','Medium'=>'Medie','Thumbnail'=>'Miniatură','(no label)'=>'(fără etichetă)','Sets the textarea height'=>'Setează înălțimea zonei text','Rows'=>'Rânduri','Text Area'=>'Zonă text','Archives'=>'Arhive','Page Link'=>'Legătură la pagină','Add'=>'Adaugă','Name'=>'Nume','%s added'=>'Am adăugat %s','Term ID'=>'ID termen','Term Object'=>'Obiect termen','Load Terms'=>'Încarcă termeni','Connect selected terms to the post'=>'Conectează termenii selectați la articol','Save Terms'=>'Salvează termenii','Create Terms'=>'Creează termeni','Radio Buttons'=>'Butoane radio','Multiple Values'=>'Mai multe valori','Select the appearance of this field'=>'Selectează aspectul acestui câmp','Appearance'=>'Aspect','Select the taxonomy to be displayed'=>'Selectează taxonomia care să fie afișată','Value must be equal to or lower than %d'=>'Valoarea trebuie să fie egală sau mai mică decât %d','Value must be equal to or higher than %d'=>'Valoarea trebuie să fie egală sau mai mare decât %d','Value must be a number'=>'Valoarea trebuie să fie un număr','Number'=>'Număr','Radio Button'=>'Buton radio','Restrict which files can be uploaded'=>'Restricționează fișierele care pot fi încărcate','File ID'=>'ID fișier','File URL'=>'URL fișier','File Array'=>'Tablou de fișiere','Add File'=>'Adaugă fișier','No file selected'=>'Nu ai selectat niciun fișier','File name'=>'Nume fișier','Update File'=>'Actualizează fișierul','Edit File'=>'Editează fișierul','Select File'=>'Selectează fișierul','File'=>'Fișier','Password'=>'Parolă','Specify the value returned'=>'Specifică valoarea returnată','Enter each default value on a new line'=>'Introdu fiecare valoare implicită pe un rând nou','verbSelect'=>'Selectează','Select2 JS load_failLoading failed'=>'Încărcarea a eșuat','Select2 JS searchingSearching…'=>'Caut...','Select2 JS load_moreLoading more results…'=>'Încarc mai multe rezultate...','Select2 JS selection_too_long_nYou can only select %d items'=>'Poți să selectezi numai %d elemente','Select2 JS selection_too_long_1You can only select 1 item'=>'Poți să selectezi numai un singur element','Select2 JS input_too_long_nPlease delete %d characters'=>'Te rog să ștergi %d caractere','Select2 JS input_too_long_1Please delete 1 character'=>'Te rog să ștergi un caracter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Te rog să introduci %d sau mai multe caractere','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Te rog să introduci cel puțin un caracter','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Sunt disponibile %d rezultate, folosește tastele săgeată sus și săgeată jos pentru a naviga.','Select2 JS matches_1One result is available, press enter to select it.'=>'Este disponibil un rezultat, apasă pe Enter pentru a-l selecta.','nounSelect'=>'Selectează','User ID'=>'ID utilizator','User Object'=>'Obiect utilizator','User Array'=>'Tablou de utilizatori','All user roles'=>'Toate rolurile de utilizator','Filter by Role'=>'Filtrează după rol','User'=>'Utilizator','Separator'=>'Separator','Select Color'=>'Selectează culoarea','Default'=>'Implicită','Clear'=>'Șterge','Color Picker'=>'Selector de culoare','Date Time Picker JS selectTextSelect'=>'Selectează','Date Time Picker JS closeTextDone'=>'Gata','Date Time Picker JS currentTextNow'=>'Acum','Date Time Picker JS timezoneTextTime Zone'=>'Fus orar','Endpoint'=>'Punct-final','Placement'=>'Plasare','Tab'=>'Filă','Value must be a valid URL'=>'Valoarea trebuie să fie un URL valid','Link Array'=>'Tablou de legături','Opens in a new window/tab'=>'Se deschide într-o fereastră/filă nouă','Select Link'=>'Selectează legătura','Link'=>'Legătură','Email'=>'Email','Step Size'=>'Mărime pas','Maximum Value'=>'Valoare maximă','Minimum Value'=>'Valoare minimă','Label'=>'Etichetă','Value'=>'Valoare','For more control, you may specify both a value and label like this:'=>'Pentru un control mai bun, poți specifica atât o valoare cât și o etichetă, de exemplu:','Enter each choice on a new line.'=>'Introdu fiecare alegere pe un rând nou.','Allow Null'=>'Permite o valoare nulă','Parent'=>'Părinte','TinyMCE will not be initialized until field is clicked'=>'TinyMCE nu va fi inițializat până când câmpul nu este bifat','Delay Initialization'=>'Întârzie inițializarea','Show Media Upload Buttons'=>'Arată butoanele de încărcare Media','Toolbar'=>'Bară de unelte','Text Only'=>'Numai text','Visual Only'=>'Numai vizual','Visual & Text'=>'Vizual și text','Tabs'=>'File','Click to initialize TinyMCE'=>'Dă clic pentru a inițializa TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Vizual','Value must not exceed %d characters'=>'Valoarea nu trebuie să depășească %d caractere','Leave blank for no limit'=>'Lasă gol pentru fără limită','Character Limit'=>'Număr limită de caractere','Appears after the input'=>'Apare după intrare','Append'=>'Adaugă după','Appears before the input'=>'Apare înainte de intrare','Prepend'=>'Adaugă înainte','Appears within the input'=>'Apare în intrare','Placeholder Text'=>'Text substituent','Appears when creating a new post'=>'Apare la crearea unui articol nou','Text'=>'Text','Post ID'=>'ID articol','Post Object'=>'Obiect articol','Maximum Posts'=>'Număr maxim de articole','Minimum Posts'=>'Număr minim de articole','Featured Image'=>'Imagine reprezentativă','Selected elements will be displayed in each result'=>'Elementele selectate vor fi afișate în fiecare rezultat','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Tip de articol','Filters'=>'Filtre','All taxonomies'=>'Toate taxonomiile','Filter by Taxonomy'=>'Filtrează după taxonomie','All post types'=>'Toate tipurile de articol','Filter by Post Type'=>'Filtrează după tipul de articol','Search...'=>'Caută...','Select taxonomy'=>'Selectează taxonomia','Select post type'=>'Selectează tipul de articol','No matches found'=>'Nu am găsit nicio potrivire','Loading'=>'Încarc','Relationship'=>'Relație','Comma separated list. Leave blank for all types'=>'Listă separată prin virgulă. Lăsați liber pentru toate tipurile','Allowed File Types'=>'Tipuri de fișier permise','Maximum'=>'Maxim','File size'=>'Dimensiune fișier','Restrict which images can be uploaded'=>'Restricționează imaginile care pot fi încărcate','Minimum'=>'Minim','Uploaded to post'=>'Încărcate pentru acest articol','All'=>'Tot','Limit the media library choice'=>'Limitați alegerea librăriei media','Library'=>'Bibliotecă','Preview Size'=>'Dimensiune previzualizare','Image ID'=>'ID imagine','Image URL'=>'URL imagine','Image Array'=>'Tablou de imagini','Return Value'=>'Valoare returnată','Add Image'=>'Adaugă o imagine','No image selected'=>'Nu ai selectat nicio imagine','Remove'=>'Înlătură','Edit'=>'Editează','All images'=>'Toate imaginile','Update Image'=>'Actualizează imaginea','Edit Image'=>'Editează imaginea','Select Image'=>'Selectează o imagine','Image'=>'Imagine','No Formatting'=>'Fără formatare','Automatically add <br>'=>'Adaugă automat <br>','Automatically add paragraphs'=>'Adaugă automat paragrafe','Controls how new lines are rendered'=>'Controlează cum sunt randate liniile noi','New Lines'=>'Linii noi','Week Starts On'=>'Săptămâna începe','The format used when saving a value'=>'Formatul folosit la salvarea unei valori','Save Format'=>'Salvează formatul','Date Picker JS nextTextNext'=>'Următor','Date Picker JS currentTextToday'=>'Azi','Date Picker JS closeTextDone'=>'Gata','Date Picker'=>'Selector de dată','Width'=>'Lățime','Embed Size'=>'Dimensiune înglobare','Enter URL'=>'Introdu URL-ul','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text arătat când este inactiv','Text shown when active'=>'Text arătat când este activ','Default Value'=>'Valoare implicită','Message'=>'Mesaj','No'=>'Nu','Yes'=>'Da','Row'=>'Rând','Table'=>'Tabel','Block'=>'Bloc','Layout'=>'Aranjament','Sub Fields'=>'Sub-câmpuri','Customize the map height'=>'Personalizează înălțimea hărții','Height'=>'Înălțime','Center the initial map'=>'Centrează harta inițială','Search for address...'=>'Caută adresa...','Find current location'=>'Găsește locația curentă','Search'=>'Caută','Sorry, this browser does not support geolocation'=>'Regret, acest navigator nu acceptă localizarea geografică','Return Format'=>'Format returnat','Custom:'=>'Personalizat:','The format displayed when editing a post'=>'Formatul afișat la editarea unui articol','Display Format'=>'Format de afișare','Time Picker'=>'Selector de oră','Inactive (%s)'=>'Inactive (%s)' . "\0" . 'Inactive (%s)' . "\0" . 'Inactive (%s)','No Fields found in Trash'=>'Nu am găsit niciun câmp la gunoi','No Fields found'=>'Nu am găsit niciun câmp','Search Fields'=>'Caută câmpuri','View Field'=>'Vezi câmpul','New Field'=>'Câmp nou','Edit Field'=>'Editează câmpul','Add New Field'=>'Adaugă un nou câmp','Field'=>'Câmp','Fields'=>'Câmpuri','No Field Groups found in Trash'=>'Nu am găsit niciun grup de câmpuri la gunoi','No Field Groups found'=>'Nu am găsit niciun grup de câmpuri','Search Field Groups'=>'Caută grupuri de câmpuri','View Field Group'=>'Vezi grupul de câmpuri','New Field Group'=>'Grup de câmpuri nou','Edit Field Group'=>'Editează grupul de câmpuri','Add New Field Group'=>'Adaugă grup de câmpuri nou','Field Group'=>'Grup de câmpuri','Field Groups'=>'Grupuri de câmpuri','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalizează WordPress cu câmpuri puternice, profesionale și intuitive.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields PRO'=>'Câmpuri Avansate Personalizate PRO','Block type name is required.'=>'%s valoarea este obligatorie','%s settings'=>'Setări','Options Updated'=>'Opțiunile au fost actualizate','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pentru a activa actualizările, este nevoie să introduci licența în pagina de actualizări. Dacă nu ai o licență, verifică aici detaliile și prețul.','ACF Activation Error. An error occurred when connecting to activation server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Check Again'=>'Verifică din nou','ACF Activation Error. Could not connect to activation server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Publish'=>'Publică','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nu a fost găsit nici un grup de câmpuri personalizate. Creează un Grup de Câmpuri Personalizat','Error. Could not connect to update server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Display'=>'Arată','Unknown field'=>'Câmp necunoscut','Unknown field group'=>'Grup de câmpuri necunoscut','Add Row'=>'Adaugă o linie nouă','layout'=>'schemă' . "\0" . 'schemă' . "\0" . 'schemă','layouts'=>'scheme','This field requires at least {min} {label} {identifier}'=>'Acest câmp necesită cel puțin {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Acest câmp are o limită de {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponibile (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} obligatoriu (min {min})','Flexible Content requires at least 1 layout'=>'Conținutul Flexibil necesită cel puțin 1 schemă','Click the "%s" button below to start creating your layout'=>'Apasă butonul "%s" de mai jos pentru a începe să îți creezi schema','Add layout'=>'Adaugă Schema','Duplicate layout'=>'Copiază Schema','Remove layout'=>'Înlătură Schema','Delete Layout'=>'Șterge Schema','Duplicate Layout'=>'Copiază Schema','Add New Layout'=>'Adaugă o Nouă Schemă','Add Layout'=>'Adaugă Schema','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Scheme Minime','Maximum Layouts'=>'Scheme Maxime','Button Label'=>'Buton Etichetă','Add Image to Gallery'=>'Adaugă imagini în Galerie','Maximum selection reached'=>'Selecția maximă atinsă','Length'=>'Lungime','Alt Text'=>'Text alternativ','Add to gallery'=>'Adaugă în galerie','Bulk actions'=>'Acțiuni în masă','Sort by date uploaded'=>'Sortează după data încărcării','Sort by date modified'=>'Sortează după data modficării','Sort by title'=>'Sortează după titlu','Reverse current order'=>'Inversează ordinea curentă','Close'=>'Închide','Minimum Selection'=>'Selecție minimă','Maximum Selection'=>'Selecție maximă','Allowed file types'=>'Tipuri de fișiere permise','Append to the end'=>'Adaugă la sfârșit','Prepend to the beginning'=>'Adaugă la început','Minimum rows not reached ({min} rows)'=>'Numărul minim de linii a fost atins ({min} rows)','Maximum rows reached ({max} rows)'=>'Numărul maxim de linii a fost atins ({max} rows)','Rows Per Page'=>'Pagina Articolelor','Minimum Rows'=>'Numărul minim de Linii','Maximum Rows'=>'Numărul maxim de Linii','Click to reorder'=>'Trage pentru a reordona','Add row'=>'Adaugă linie','Duplicate row'=>'Copiază','Remove row'=>'Înlătură linie','Current Page'=>'Utilizatorul Curent','First Page'=>'Pagina principală','Previous Page'=>'Pagina Articolelor','Next Page'=>'Pagina principală','Last Page'=>'Pagina Articolelor','No block types exist'=>'Nu există nicio pagină de opțiuni','No options pages exist'=>'Nu există nicio pagină de opțiuni','Deactivate License'=>'Dezactivează Licența','Activate License'=>'Activează Licența','License Key'=>'Cod de activare','Retry Activation'=>'O validare mai bună','Update Information'=>'Actualizează infromațiile','Current Version'=>'Versiunea curentă','Latest Version'=>'Ultima versiune','Update Available'=>'Sunt disponibile actualizări','Upgrade Notice'=>'Anunț Actualizări','Enter your license key to unlock updates'=>'Te rog sa introduci codul de activare în câmpul de mai sus pentru a permite actualizări','Update Plugin'=>'Actualizează Modulul','Please reactivate your license to unlock updates'=>'Te rog sa introduci codul de activare în câmpul de mai sus pentru a permite actualizări']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'','YouTube Icon'=>'','Yes (alt) Icon'=>'','Xing Icon'=>'','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'','Learn More Icon'=>'','Add Page Icon'=>'','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'','REST API Icon'=>'','Remove Icon'=>'','Reddit Icon'=>'','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'','Pets Icon'=>'','PDF Icon'=>'','Palm Tree Icon'=>'','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'','Default Icon'=>'','Location (alt) Icon'=>'','LinkedIn Icon'=>'','Instagram Icon'=>'','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'','Games Icon'=>'','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'','Image Icon'=>'','Gallery Icon'=>'','Chat Icon'=>'','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'','Database Export Icon'=>'','Database Add Icon'=>'','Database Icon'=>'','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'','Warning Icon'=>'','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'','Trash Icon'=>'','Translation Icon'=>'','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'','Megaphone Icon'=>'','Marker Icon'=>'','Lock Icon'=>'','Location Icon'=>'','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'','Video Icon'=>'','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'','Backup Icon'=>'','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'','Users Icon'=>'','Tools Icon'=>'','Site Icon'=>'','Settings Icon'=>'','Post Icon'=>'','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'','Customizer Icon'=>'','Comments Icon'=>'','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'','Dashicons'=>'','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'','Standard'=>'','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'','Parent Theme'=>'','Active Theme'=>'','Is Multisite'=>'','MySQL Version'=>'','WordPress Version'=>'','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'','Plugin Type'=>'','Plugin Version'=>'','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'','(Duplicated from %s)'=>'','Select Options Pages'=>'','Duplicate taxonomy'=>'','Create taxonomy'=>'','Duplicate post type'=>'','Create post type'=>'','Link field groups'=>'','Add fields'=>'','This Field'=>'','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'','Select Multiple'=>'','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'','No terms'=>'','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'Nu am găsit nicio taxonomie la gunoi','No Taxonomies found'=>'Nu am găsit nicio taxonomie','Search Taxonomies'=>'Caută taxonomii','View Taxonomy'=>'Vezi taxonomia','New Taxonomy'=>'Taxonomie nouă','Edit Taxonomy'=>'Editează taxonomia','Add New Taxonomy'=>'Adaugă o taxonomie nouă','No Post Types found in Trash'=>'Nu am găsit niciun tip de articol la gunoi','No Post Types found'=>'Nu am găsit niciun tip de articol','Search Post Types'=>'Caută tipuri de articol','View Post Type'=>'Vezi tipul de articol','New Post Type'=>'Tip de articol nou','Edit Post Type'=>'Editează tipul de articol','Add New Post Type'=>'Adaugă un tip de articol nou','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'Cheia tipului de articol trebuie să aibă mai puțin de 20 de caractere.','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'Editor WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'Filtrează după stare articol','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Clonare','PRO'=>'PRO','Advanced'=>'Avansate','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'ID-ul articolului nu este valid.','Invalid post type selected for review.'=>'','More'=>'','Tutorial'=>'Tutorial','Select Field'=>'Selectează câmpul','Try a different search term or browse %s'=>'Încearcă un alt termen de căutare sau răsfoiește %s','Popular fields'=>'Câmpuri populare','No search results for \'%s\''=>'Niciun rezultat de căutare pentru „%s”','Search fields...'=>'Caută câmpuri...','Select Field Type'=>'Selectează tipul de câmp','Popular'=>'Populare','Add Taxonomy'=>'Adaugă o taxonomie','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'Adaugă prima ta taxonomie','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'','Genres'=>'','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'Personalizează numele variabilei de interogare','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'Personalizează descriptorul folosit în URL','Permalinks for this taxonomy are disabled.'=>'Legăturile permanente pentru această taxonomie sunt dezactivate.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'Cheie taxonomie','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'Editează rapid','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'Nor de etichete','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'','Tag Link'=>'','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Mergi la etichete','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'← Mergi la %s','Tags list'=>'Listă cu etichete','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'Navigare în lista cu etichete','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Filtrează după categorie','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'Filtrează după element','Filter by %s'=>'Filtrează după %s','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'Descriere câmp părinte','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'„Descriptorul” este versiunea prietenoasă a URL-ului pentru nume. De obicei, are numai minuscule și este compus din litere, cifre și cratime.','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'Descriere câmp descriptor','The name is how it appears on your site'=>'Numele este așa cum apare pe site-ul tău','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'Descriere câmp nume','No tags'=>'Nicio etichetă','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'Niciun termen','No %s'=>'','No tags found'=>'Nu am găsit nicio etichetă','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Nu am găsit','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Folosite frecvent','Choose from the most used tags'=>'Alege dintre etichetele cel mai mult folosite','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Alege dintre cele mai mult folosite','Choose from the most used %s'=>'','Add or remove tags'=>'Adaugă sau înlătură etichete','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Adaugă sau înlătură elemente','Add or remove %s'=>'Adaugă sau înlătură %s','Separate tags with commas'=>'Separă etichetele cu virgule','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Separă elementele cu virgule','Separate %s with commas'=>'Separă %s cu virgule','Popular Tags'=>'Etichete populare','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'Elemente populare','Popular %s'=>'%s populare','Search Tags'=>'Caută etichete','Assigns search items text.'=>'','Parent Category:'=>'Categorie părinte:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'Categorie părinte','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'Element părinte','Parent %s'=>'%s părinte','New Tag Name'=>'Nume etichetă nouă','Assigns the new item name text.'=>'','New Item Name'=>'Nume element nou','New %s Name'=>'','Add New Tag'=>'Adaugă o etichetă nouă','Assigns the add new item text.'=>'','Update Tag'=>'Actualizează eticheta','Assigns the update item text.'=>'','Update Item'=>'Actualizează elementul','Update %s'=>'Actualizează %s','View Tag'=>'Vezi eticheta','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Editează eticheta','At the top of the editor screen when editing a term.'=>'','All Tags'=>'Toate etichetele','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'Etichetă meniu','Active taxonomies are enabled and registered with WordPress.'=>'Taxonomiile active sunt activate și înregistrate cu WordPress.','A descriptive summary of the taxonomy.'=>'Un rezumat descriptiv al taxonomiei.','A descriptive summary of the term.'=>'Un rezumat descriptiv al termenului.','Term Description'=>'Descriere termen','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'Descriptor termen','The name of the default term.'=>'Numele termenului implicit.','Term Name'=>'Nume termen','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'Termen implicit','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'Sortează termenii','Add Post Type'=>'Adaugă un tip de articol','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'Adaugă primul tău tip de articol','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'Configurare avansată','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'','movie'=>'','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'','Singular Label'=>'','Movies'=>'','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'Arată în REST API','Customize the query variable name.'=>'Personalizează numele variabilei de interogare.','Query Variable'=>'Variabilă pentru interogare','No Query Variable Support'=>'','Custom Query Variable'=>'Variabilă personalizată pentru interogare','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'Descriptor personalizat pentru URL-ul arhivei.','Archive Slug'=>'Descriptor arhivă','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Arhivă','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'Paginație','RSS feed URL for the post type items.'=>'','Feed URL'=>'URL flux','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'Personalizează descriptorul folosit în URL.','URL Slug'=>'Descriptor URL','Permalinks for this post type are disabled.'=>'Legăturile permanente pentru acest tip de articol sunt dezactivate.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'Legături permanente personalizate','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'Exclude din căutare','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'Arată în bara de administrare','Custom Meta Box Callback'=>'','Menu Icon'=>'','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'Poziție meniu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'Arată în meniul de administrare','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'Arată în UI','A link to a post.'=>'O legătură la un articol.','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'O legătură la un %s.','Post Link'=>'Legătură la articol','Title for a navigation link block variation.'=>'','Item Link'=>'Legătură la element','%s Link'=>'Legătură la %s','Post updated.'=>'Am actualizat articolul.','In the editor notice after an item is updated.'=>'În notificarea din editor după ce un element este actualizat.','Item Updated'=>'Am actualizat elementul','%s updated.'=>'Am actualizat %s.','Post scheduled.'=>'Am programat articolul.','In the editor notice after scheduling an item.'=>'În notificarea din editor după programarea unui element.','Item Scheduled'=>'Am programat elementul','%s scheduled.'=>'Am programat %s.','Post reverted to draft.'=>'Articolul a revenit la ciornă.','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'','Post published privately.'=>'Am publicat articolul ca privat.','In the editor notice after publishing a private item.'=>'În notificarea din editor după publicarea unui element privat.','Item Published Privately'=>'Am publicat elementul ca privat','%s published privately.'=>'Am publicat %s ca privat.','Post published.'=>'Am publicat articolul.','In the editor notice after publishing an item.'=>'În notificarea din editor după publicarea unui element.','Item Published'=>'Am publicat elementul','%s published.'=>'Am publicat %s.','Posts list'=>'Listă cu articole','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Listă cu elemente','%s list'=>'Listă cu %s','Posts list navigation'=>'Navigare în lista cu articole','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'Navigare în lista cu elemente','%s list navigation'=>'Navigare în lista cu %s','Filter posts by date'=>'Filtrează articolele după dată','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Filtrează elementele după dată','Filter %s by date'=>'Filtrează %s după dată','Filter posts list'=>'Filtrează lista cu articole','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'Filtrează lista cu elemente','Filter %s list'=>'Filtrează lista cu %s','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'','Insert into post'=>'Inserează în articol','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'Inserează în %s','Use as featured image'=>'Folosește ca imagine reprezentativă','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'Folosește imaginea reprezentativă','Remove featured image'=>'Înlătură imaginea reprezentativă','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'Înlătură imaginea reprezentativă','Set featured image'=>'Stabilește imaginea reprezentativă','As the button label when setting the featured image.'=>'','Set Featured Image'=>'','Featured image'=>'','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'Atribute articol','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'Atribute %s','Post Archives'=>'Arhive articole','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'Meniu de navigare în arhive','%s Archives'=>'Arhive %s','No posts found in Trash'=>'Nu am găsit niciun articol la gunoi','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'Nu am găsit niciun element la gunoi','No %s found in Trash'=>'Nu am găsit niciun %s la gunoi','No posts found'=>'Nu am găsit niciun articol','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'Nu am găsit niciun element','No %s found'=>'Nu am găsit niciun %s','Search Posts'=>'Caută articole','At the top of the items screen when searching for an item.'=>'','Search Items'=>'Caută elemente','Search %s'=>'Caută %s','Parent Page:'=>'Pagină părinte:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'%s părinte:','New Post'=>'Articol nou','New Item'=>'Element nou','New %s'=>'%s nou','Add New Post'=>'Adaugă articol nou','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'Adaugă element nou','Add New %s'=>'Adaugă %s nou','View Posts'=>'Vezi articolele','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Vezi elementele','View Post'=>'Vezi articolul','In the admin bar to view item when editing it.'=>'','View Item'=>'Vezi elementul','View %s'=>'Vezi %s','Edit Post'=>'Editează articolul','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'Editează elementul','Edit %s'=>'Editează %s','All Posts'=>'Toate articolele','In the post type submenu in the admin dashboard.'=>'','All Items'=>'Toate elementele','All %s'=>'Toate %s','Admin menu name for the post type.'=>'','Menu Name'=>'Nume meniu','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'Regenerează','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'','Post Formats'=>'','Editor'=>'Editor','Trackbacks'=>'Trackback-uri','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'Răsfoiește câmpurile','Nothing to import'=>'Nimic pentru import','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '' . "\0" . '','Failed to import taxonomies.'=>'Importul taxonomiilor a eșuat.','Failed to import post types.'=>'Importul tipurilor de articol a eșuat.','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'Am importat un element' . "\0" . 'Am importat %s elemente' . "\0" . 'Am importat %s de elemente','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'','Select Taxonomies'=>'Selectează taxonomiile','Select Post Types'=>'Selectează tipurile de articol','Exported 1 item.'=>'Am exportat un element.' . "\0" . 'Am exportat %s elemente.' . "\0" . 'Am exportat %s de elemente.','Category'=>'Categorie','Tag'=>'Etichetă','%s taxonomy created'=>'Am creat taxonomia %s','%s taxonomy updated'=>'Am actualizat taxonomia %s','Taxonomy draft updated.'=>'Am actualizat ciorna taxonomiei.','Taxonomy scheduled for.'=>'Am programat taxonomia.','Taxonomy submitted.'=>'Am trimis taxonomia.','Taxonomy saved.'=>'Am salvat taxonomia.','Taxonomy deleted.'=>'Am șters taxonomia.','Taxonomy updated.'=>'Am actualizat taxonomia.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'Am sincronizat taxonomia.' . "\0" . 'Am sincronizat %s taxonomii.' . "\0" . 'Am sincronizat %s de taxonomii.','Taxonomy duplicated.'=>'' . "\0" . '' . "\0" . '','Taxonomy deactivated.'=>'Am dezactivat taxonomia.' . "\0" . 'Am dezactivat %s taxonomii.' . "\0" . 'Am dezactivat %s de taxonomii.','Taxonomy activated.'=>'Am activat taxonomia.' . "\0" . 'Am activat %s taxonomii.' . "\0" . 'Am activat %s de taxonomii.','Terms'=>'Termeni','Post type synchronized.'=>'Am sincronizat tipul de articol.' . "\0" . 'Am sincronizat %s tipuri de articol.' . "\0" . 'Am sincronizat %s de tipuri de articol.','Post type duplicated.'=>'' . "\0" . '' . "\0" . '','Post type deactivated.'=>'Am dezactivat tipul de articol.' . "\0" . 'Am dezactivat %s tipuri de articol.' . "\0" . 'Am dezactivat %s de tipuri de articol.','Post type activated.'=>'Am activat tipul de articol.' . "\0" . 'Am activat %s tipuri de articol.' . "\0" . 'Am activat %s de tipuri de articol.','Post Types'=>'Tipuri de articol','Advanced Settings'=>'Setări avansate','Basic Settings'=>'Setări de bază','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'Pagini','Link Existing Field Groups'=>'Leagă grupurile de câmpuri existente','%s post type created'=>'Am creat tipul de articol %s','Add fields to %s'=>'Adaugă câmpuri la %s','%s post type updated'=>'Am actualizat tipul de articol %s','Post type draft updated.'=>'Am actualizat ciorna tipului de articol.','Post type scheduled for.'=>'Am programat tipul de articol.','Post type submitted.'=>'Am trimis tipul de articol.','Post type saved.'=>'Am salvat tipul de articol.','Post type updated.'=>'Am actualizat tipul de articol.','Post type deleted.'=>'Am șters tipul de articol.','Type to search...'=>'','PRO Only'=>'','Field groups linked successfully.'=>'Am legat cu succes grupurile de câmpuri.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'taxonomie','post type'=>'tip de articol','Done'=>'','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'Am legat cu succes grupul de câmpuri.' . "\0" . 'Am legat cu succes grupurile de câmpuri.' . "\0" . 'Am legat cu succes grupurile de câmpuri.','post statusRegistration Failed'=>'Înregistrarea a eșuat','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'REST API','Permissions'=>'Permisiuni','URLs'=>'URL-uri','Visibility'=>'Vizibilitate','Labels'=>'Etichete','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'Închide fereastra modală','Field moved to other group'=>'Am mutat câmpul la un alt grup','Close modal'=>'Închide fereastra modală','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'Grup de file nou','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'Salvează valorile personalizate','Allow Custom Values'=>'Permite valori personalizate','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Actualizări','Advanced Custom Fields logo'=>'','Save Changes'=>'Salvează modificările','Field Group Title'=>'Titlu grup de câmpuri','Add title'=>'Adaugă titlu','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'Adaugă un grup de câmpuri','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'Adaugă primul tău grup de câmpuri','Options Pages'=>'Pagini opțiuni','ACF Blocks'=>'Blocuri ACF','Gallery Field'=>'','Flexible Content Field'=>'Câmp cu conținut flexibil','Repeater Field'=>'','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'Șterge grupul de câmpuri','Created on %1$s at %2$s'=>'Creat pe %1$s la %2$s','Group Settings'=>'','Location Rules'=>'','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'Adaugă primul tău câmp','#'=>'','Add Field'=>'Adaugă câmp','Presentation'=>'Prezentare','Validation'=>'Validare','General'=>'Generale','Import JSON'=>'','Export As JSON'=>'','Field group deactivated.'=>'Am dezactivat grupul de câmpuri.' . "\0" . 'Am dezactivat %s grupuri de câmpuri.' . "\0" . 'Am dezactivat %s de grupuri de câmpuri.','Field group activated.'=>'Am activat grupul de câmpuri.' . "\0" . 'Am activat %s grupuri de câmpuri.' . "\0" . 'Am activat %s de grupuri de câmpuri.','Deactivate'=>'Dezactivează','Deactivate this item'=>'Dezactivează acest element','Activate'=>'Activează','Activate this item'=>'Activează acest element','Move field group to trash?'=>'Muți grupul de câmpuri la gunoi?','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'Cererea nu este validă.','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'%1$s trebuie să aibă termenul %2$s.' . "\0" . '%1$s trebuie să aibă unul dintre următorii termeni: %2$s.' . "\0" . '%1$s trebuie să aibă unul dintre următorii termeni: %2$s.','%1$s must be of post type %2$s.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid post ID.'=>'%1$s trebuie să aibă un ID valid pentru articol.','%s requires a valid attachment ID.'=>'%s are nevoie de un ID valid pentru atașament.','Show in REST API'=>'Arată în REST API','Enable Transparency'=>'Activează transparența','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'Actualizează la PRO','post statusActive'=>'Activ','\'%s\' is not a valid email address'=>'„%s” nu este o adresă de email validă','Color value'=>'Valoare culoare','Select default color'=>'Selectează culoarea implicită','Clear color'=>'Șterge culoarea','Blocks'=>'Blocuri','Options'=>'Opțiuni','Users'=>'Utilizatori','Menu items'=>'Elemente de meniu','Widgets'=>'Piese','Attachments'=>'Atașamente','Taxonomies'=>'Taxonomii','Posts'=>'Articole','Last updated: %s'=>'Ultima actualizare: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'','Awaiting save'=>'','Saved'=>'','Import'=>'Importă','Review changes'=>'','Located in: %s'=>'','Located in plugin: %s'=>'','Located in theme: %s'=>'','Various'=>'','Sync changes'=>'','Loading diff'=>'','Review local JSON changes'=>'','Visit website'=>'Vizitează site-ul web','View details'=>'Vezi detaliile','Version %s'=>'Versiunea %s','Information'=>'Informații','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'Ajutor și suport','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'Prezentare generală','Location type "%s" is already registered.'=>'Tipul de locație „%s” este deja înregistrat.','Class "%s" does not exist.'=>'Clasa „%s” nu există.','Invalid nonce.'=>'Nunicul nu este valid.','Error loading field.'=>'Eroare la încărcarea câmpului.','Error: %s'=>'Eroare: %s','Widget'=>'Piesă','User Role'=>'Rol utilizator','Comment'=>'Comentariu','Post Format'=>'Format articol','Menu Item'=>'Element de meniu','Post Status'=>'Stare articol','Menus'=>'Meniuri','Menu Locations'=>'Locații pentru meniuri','Menu'=>'Meniu','Post Taxonomy'=>'Taxonomie articol','Child Page (has parent)'=>'Pagină copil (are părinte)','Parent Page (has children)'=>'Pagină părinte (are copii)','Top Level Page (no parent)'=>'Pagină de primul nivel (fără părinte)','Posts Page'=>'Pagină articole','Front Page'=>'Pagina din față','Page Type'=>'Tip de pagină','Viewing back end'=>'Vizualizare în partea administrativă','Viewing front end'=>'Vizualizare în partea din față','Logged in'=>'Autentificat','Current User'=>'Utilizator curent','Page Template'=>'Șablon de pagini','Register'=>'Înregistrează','Add / Edit'=>'Adaugă/editează','User Form'=>'','Page Parent'=>'Părinte pagină','Super Admin'=>'Super-administrator','Current User Role'=>'Rol utilizator curent','Default Template'=>'Șablon implicit','Post Template'=>'Șablon de articole','Post Category'=>'Categorie de articole','All %s formats'=>'Toate formatele %s','Attachment'=>'Atașament','%s value is required'=>'Valoarea %s este obligatorie','Show this field if'=>'Arată acest câmp dacă','Conditional Logic'=>'Condiționalitate logică','and'=>'și','Local JSON'=>'JSON local','Clone Field'=>'Clonează câmpul','Please also check all premium add-ons (%s) are updated to the latest version.'=>'','This version contains improvements to your database and requires an upgrade.'=>'','Thank you for updating to %1$s v%2$s!'=>'','Database Upgrade Required'=>'Este necesară actualizarea bazei de date','Options Page'=>'Pagină opțiuni','Gallery'=>'Galerie','Flexible Content'=>'Conținut flexibil','Repeater'=>'Repeater','Back to all tools'=>'Înapoi la toate uneltele','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)'=>'Dacă pe un ecran de editare apar mai multe grupuri de câmpuri, vor fi folosite opțiunile pentru primul grup de câmpuri (cel care are numărul de ordine cel mai mic)','Select items to hide them from the edit screen.'=>'Selectează elementele pe care le ascunzi în ecranul de editare.','Hide on screen'=>'Ascunde pe ecran','Send Trackbacks'=>'Trimite trackback-uri','Tags'=>'Etichete','Categories'=>'Categorii','Page Attributes'=>'Atribute pagină','Format'=>'Format','Author'=>'Autor','Slug'=>'Descriptor','Revisions'=>'Revizii','Comments'=>'Comentarii','Discussion'=>'Discuții','Excerpt'=>'Rezumat','Content Editor'=>'Editor de conținut','Permalink'=>'Legătură permanentă','Shown in field group list'=>'','Field groups with a lower order will appear first'=>'','Order No.'=>'','Below fields'=>'Sub câmpuri','Below labels'=>'Sub etichete','Instruction Placement'=>'Plasare instrucțiuni','Label Placement'=>'Plasare etichetă','Side'=>'Lateral','Normal (after content)'=>'Normal (după conținut)','High (after title)'=>'','Position'=>'Poziție','Seamless (no metabox)'=>'Omogen (fără casetă meta)','Standard (WP metabox)'=>'Standard (casetă meta WP)','Style'=>'Stil','Type'=>'Tip','Key'=>'Cheie','Order'=>'Ordine','Close Field'=>'Închide câmpul','id'=>'ID','class'=>'clasă','width'=>'lățime','Wrapper Attributes'=>'Atribute învelitoare','Required'=>'Obligatoriu','Instructions'=>'Instrucțiuni','Field Type'=>'Tip de câmp','Single word, no spaces. Underscores and dashes allowed'=>'Un singur cuvânt, fără spații. Sunt permise liniuțe-jos și cratime','Field Name'=>'Nume câmp','This is the name which will appear on the EDIT page'=>'Acesta este numele care va apărea în pagina EDITEAZĂ','Field Label'=>'Etichetă câmp','Delete'=>'Șterge','Delete field'=>'Șterge câmpul','Move'=>'Mută','Move field to another group'=>'Mută câmpul în alt grup','Duplicate field'=>'','Edit field'=>'Editează câmpul','Drag to reorder'=>'Trage pentru a reordona','Show this field group if'=>'Arată acest grup de câmpuri dacă','No updates available.'=>'Nu este disponibilă nicio actualizare.','Database upgrade complete. See what\'s new'=>'','Reading upgrade tasks...'=>'','Upgrade failed.'=>'Actualizarea a eșuat.','Upgrade complete.'=>'Actualizarea este finalizată.','Upgrading data to version %s'=>'','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'','Please select at least one site to upgrade.'=>'Te rog selectează cel puțin un site pentru actualizare.','Database Upgrade complete. Return to network dashboard'=>'','Site is up to date'=>'Site-ul este actualizat','Site requires database upgrade from %1$s to %2$s'=>'Trebuie actualizată baza de date a site-ului de la %1$s la %2$s','Site'=>'Site','Upgrade Sites'=>'Actualizează site-urile','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'','Add rule group'=>'Adaugă un grup de reguli','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Creează un set de reguli pentru a stabili ecranele de editare care vor folosi aceste câmpuri personalizate avansate','Rules'=>'Reguli','Copied'=>'Copiat','Copy to clipboard'=>'Copiază în clipboard','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Selectează grupurile de câmpuri','No field groups selected'=>'Nu ai selectat niciun grup de câmpuri','Generate PHP'=>'Generează PHP','Export Field Groups'=>'Exportă grupurile de câmpuri','Import file empty'=>'Fișierul importat este gol','Incorrect file type'=>'Tip de fișier incorect','Error uploading file. Please try again'=>'Eroare la încărcarea fișierului. Te rog încearcă din nou','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'','Import Field Groups'=>'Importă grupuri de câmpuri','Sync'=>'Sincronizează','Select %s'=>'Selectează %s','Duplicate'=>'Fă duplicat','Duplicate this item'=>'Fă un duplicat al acestui element','Supports'=>'','Documentation'=>'Documentație','Description'=>'Descriere','Sync available'=>'Sincronizarea este disponibilă','Field group synchronized.'=>'Am sincronizat grupul de câmpuri.' . "\0" . 'Am sincronizat %s grupuri de câmpuri.' . "\0" . 'Am sincronizat %s de grupuri de câmpuri.','Field group duplicated.'=>'' . "\0" . '' . "\0" . '','Active (%s)'=>'Activ (%s)' . "\0" . 'Active (%s)' . "\0" . 'Active (%s)','Review sites & upgrade'=>'','Upgrade Database'=>'Actualizează baza de date','Custom Fields'=>'Câmpuri personalizate','Move Field'=>'Mută câmpul','Please select the destination for this field'=>'Te rog selectează destinația pentru acest câmp','The %1$s field can now be found in the %2$s field group'=>'Câmpul %1$s poate fi găsit acum în grupul de câmpuri %2$s','Move Complete.'=>'','Active'=>'','Field Keys'=>'Chei câmp','Settings'=>'Setări','Location'=>'Locație','Null'=>'','copy'=>'','(this field)'=>'(acest câmp)','Checked'=>'Bifat','Move Custom Field'=>'Mută câmpul personalizat','No toggle fields available'=>'','Field group title is required'=>'Titlul grupului de câmpuri este obligatoriu','This field cannot be moved until its changes have been saved'=>'Acest câmp nu poate fi mutat până când nu îi salvezi modificările','The string "field_" may not be used at the start of a field name'=>'','Field group draft updated.'=>'Am actualizat ciorna grupului de câmpuri.','Field group scheduled for.'=>'Am programat grupul de câmpuri.','Field group submitted.'=>'Am trimis grupul de câmpuri.','Field group saved.'=>'Am salvat grupul de câmpuri.','Field group published.'=>'Am publicat grupul de câmpuri.','Field group deleted.'=>'Am șters grupul de câmpuri.','Field group updated.'=>'Am actualizat grupul de câmpuri.','Tools'=>'Unelte','is not equal to'=>'nu este egal cu','is equal to'=>'este egal cu','Forms'=>'Formulare','Page'=>'Pagină','Post'=>'Articol','Relational'=>'','Choice'=>'','Basic'=>'De bază','Unknown'=>'','Field type does not exist'=>'Tipul de câmp nu există','Spam Detected'=>'Am detectat spam','Post updated'=>'Am actualizat articolul','Update'=>'Actualizează','Validate Email'=>'Validează emailul','Content'=>'Conținut','Title'=>'Titlu','Edit field group'=>'Editează grupul de câmpuri','Selection is less than'=>'','Selection is greater than'=>'','Value is less than'=>'Valoarea este mai mică decât','Value is greater than'=>'Valoarea este mai mare decât','Value contains'=>'Valoarea conține','Value matches pattern'=>'','Value is not equal to'=>'Valoarea nu este egală cu','Value is equal to'=>'Valoarea este egală cu','Has no value'=>'Nu are o valoare','Has any value'=>'Are orice valoare','Cancel'=>'Anulează','Are you sure?'=>'Sigur?','%d fields require attention'=>'%d câmpuri necesită atenție','1 field requires attention'=>'Un câmp necesită atenție','Validation failed'=>'Validarea a eșuat','Validation successful'=>'Validare făcută cu succes','Restricted'=>'','Collapse Details'=>'Restrânge detaliile','Expand Details'=>'Extinde detaliile','Uploaded to this post'=>'','verbUpdate'=>'Actualizează','verbEdit'=>'Editează','The changes you made will be lost if you navigate away from this page'=>'Modificările pe care le-ai făcut se vor pierde dacă părăsești această pagină','File type must be %s.'=>'Tipul de fișier trebuie să fie %s.','or'=>'sau','File size must not exceed %s.'=>'Dimensiunea fișierului nu trebuie să depășească %s.','File size must be at least %s.'=>'Dimensiunea fișierului trebuie să aibă cel puțin %s.','Image height must not exceed %dpx.'=>'Înălțimea imaginii nu trebuie să depășească %d px.','Image height must be at least %dpx.'=>'Înălțimea imaginii trebuie să fie de cel puțin %d px.','Image width must not exceed %dpx.'=>'Lățimea imaginii nu trebuie să depășească %d px.','Image width must be at least %dpx.'=>'Lățimea imaginii trebuie să aibă cel puțin %d px.','(no title)'=>'(fără titlu)','Full Size'=>'Dimensiune completă','Large'=>'Mare','Medium'=>'Medie','Thumbnail'=>'Miniatură','(no label)'=>'(fără etichetă)','Sets the textarea height'=>'Setează înălțimea zonei text','Rows'=>'Rânduri','Text Area'=>'Zonă text','Prepend an extra checkbox to toggle all choices'=>'','Save \'custom\' values to the field\'s choices'=>'','Allow \'custom\' values to be added'=>'','Add new choice'=>'','Toggle All'=>'','Allow Archives URLs'=>'','Archives'=>'Arhive','Page Link'=>'Legătură la pagină','Add'=>'Adaugă','Name'=>'Nume','%s added'=>'Am adăugat %s','%s already exists'=>'','User unable to add new %s'=>'','Term ID'=>'ID termen','Term Object'=>'Obiect termen','Load value from posts terms'=>'','Load Terms'=>'Încarcă termeni','Connect selected terms to the post'=>'Conectează termenii selectați la articol','Save Terms'=>'Salvează termenii','Allow new terms to be created whilst editing'=>'','Create Terms'=>'Creează termeni','Radio Buttons'=>'Butoane radio','Single Value'=>'','Multi Select'=>'','Checkbox'=>'','Multiple Values'=>'Mai multe valori','Select the appearance of this field'=>'Selectează aspectul acestui câmp','Appearance'=>'Aspect','Select the taxonomy to be displayed'=>'Selectează taxonomia care să fie afișată','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'Valoarea trebuie să fie egală sau mai mică decât %d','Value must be equal to or higher than %d'=>'Valoarea trebuie să fie egală sau mai mare decât %d','Value must be a number'=>'Valoarea trebuie să fie un număr','Number'=>'Număr','Save \'other\' values to the field\'s choices'=>'','Add \'other\' choice to allow for custom values'=>'','Other'=>'','Radio Button'=>'Buton radio','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'','Allow this accordion to open without closing others.'=>'','Multi-Expand'=>'','Display this accordion as open on page load.'=>'','Open'=>'','Accordion'=>'','Restrict which files can be uploaded'=>'Restricționează fișierele care pot fi încărcate','File ID'=>'ID fișier','File URL'=>'URL fișier','File Array'=>'Tablou de fișiere','Add File'=>'Adaugă fișier','No file selected'=>'Nu ai selectat niciun fișier','File name'=>'Nume fișier','Update File'=>'Actualizează fișierul','Edit File'=>'Editează fișierul','Select File'=>'Selectează fișierul','File'=>'Fișier','Password'=>'Parolă','Specify the value returned'=>'Specifică valoarea returnată','Use AJAX to lazy load choices?'=>'','Enter each default value on a new line'=>'Introdu fiecare valoare implicită pe un rând nou','verbSelect'=>'Selectează','Select2 JS load_failLoading failed'=>'Încărcarea a eșuat','Select2 JS searchingSearching…'=>'Caut...','Select2 JS load_moreLoading more results…'=>'Încarc mai multe rezultate...','Select2 JS selection_too_long_nYou can only select %d items'=>'Poți să selectezi numai %d elemente','Select2 JS selection_too_long_1You can only select 1 item'=>'Poți să selectezi numai un singur element','Select2 JS input_too_long_nPlease delete %d characters'=>'Te rog să ștergi %d caractere','Select2 JS input_too_long_1Please delete 1 character'=>'Te rog să ștergi un caracter','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Te rog să introduci %d sau mai multe caractere','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Te rog să introduci cel puțin un caracter','Select2 JS matches_0No matches found'=>'','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Sunt disponibile %d rezultate, folosește tastele săgeată sus și săgeată jos pentru a naviga.','Select2 JS matches_1One result is available, press enter to select it.'=>'Este disponibil un rezultat, apasă pe Enter pentru a-l selecta.','nounSelect'=>'Selectează','User ID'=>'ID utilizator','User Object'=>'Obiect utilizator','User Array'=>'Tablou de utilizatori','All user roles'=>'Toate rolurile de utilizator','Filter by Role'=>'Filtrează după rol','User'=>'Utilizator','Separator'=>'Separator','Select Color'=>'Selectează culoarea','Default'=>'Implicită','Clear'=>'Șterge','Color Picker'=>'Selector de culoare','Date Time Picker JS pmTextShortP'=>'','Date Time Picker JS pmTextPM'=>'','Date Time Picker JS amTextShortA'=>'','Date Time Picker JS amTextAM'=>'','Date Time Picker JS selectTextSelect'=>'Selectează','Date Time Picker JS closeTextDone'=>'Gata','Date Time Picker JS currentTextNow'=>'Acum','Date Time Picker JS timezoneTextTime Zone'=>'Fus orar','Date Time Picker JS microsecTextMicrosecond'=>'','Date Time Picker JS millisecTextMillisecond'=>'','Date Time Picker JS secondTextSecond'=>'','Date Time Picker JS minuteTextMinute'=>'','Date Time Picker JS hourTextHour'=>'','Date Time Picker JS timeTextTime'=>'','Date Time Picker JS timeOnlyTitleChoose Time'=>'','Date Time Picker'=>'','Endpoint'=>'Punct-final','Left aligned'=>'','Top aligned'=>'','Placement'=>'Plasare','Tab'=>'Filă','Value must be a valid URL'=>'Valoarea trebuie să fie un URL valid','Link URL'=>'','Link Array'=>'Tablou de legături','Opens in a new window/tab'=>'Se deschide într-o fereastră/filă nouă','Select Link'=>'Selectează legătura','Link'=>'Legătură','Email'=>'Email','Step Size'=>'Mărime pas','Maximum Value'=>'Valoare maximă','Minimum Value'=>'Valoare minimă','Range'=>'','Both (Array)'=>'','Label'=>'Etichetă','Value'=>'Valoare','Vertical'=>'','Horizontal'=>'','red : Red'=>'','For more control, you may specify both a value and label like this:'=>'Pentru un control mai bun, poți specifica atât o valoare cât și o etichetă, de exemplu:','Enter each choice on a new line.'=>'Introdu fiecare alegere pe un rând nou.','Choices'=>'','Button Group'=>'','Allow Null'=>'Permite o valoare nulă','Parent'=>'Părinte','TinyMCE will not be initialized until field is clicked'=>'TinyMCE nu va fi inițializat până când câmpul nu este bifat','Delay Initialization'=>'Întârzie inițializarea','Show Media Upload Buttons'=>'Arată butoanele de încărcare Media','Toolbar'=>'Bară de unelte','Text Only'=>'Numai text','Visual Only'=>'Numai vizual','Visual & Text'=>'Vizual și text','Tabs'=>'File','Click to initialize TinyMCE'=>'Dă clic pentru a inițializa TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Vizual','Value must not exceed %d characters'=>'Valoarea nu trebuie să depășească %d caractere','Leave blank for no limit'=>'Lasă gol pentru fără limită','Character Limit'=>'Număr limită de caractere','Appears after the input'=>'Apare după intrare','Append'=>'Adaugă după','Appears before the input'=>'Apare înainte de intrare','Prepend'=>'Adaugă înainte','Appears within the input'=>'Apare în intrare','Placeholder Text'=>'Text substituent','Appears when creating a new post'=>'Apare la crearea unui articol nou','Text'=>'Text','%1$s requires at least %2$s selection'=>'' . "\0" . '' . "\0" . '','Post ID'=>'ID articol','Post Object'=>'Obiect articol','Maximum Posts'=>'Număr maxim de articole','Minimum Posts'=>'Număr minim de articole','Featured Image'=>'Imagine reprezentativă','Selected elements will be displayed in each result'=>'Elementele selectate vor fi afișate în fiecare rezultat','Elements'=>'Elemente','Taxonomy'=>'Taxonomie','Post Type'=>'Tip de articol','Filters'=>'Filtre','All taxonomies'=>'Toate taxonomiile','Filter by Taxonomy'=>'Filtrează după taxonomie','All post types'=>'Toate tipurile de articol','Filter by Post Type'=>'Filtrează după tipul de articol','Search...'=>'Caută...','Select taxonomy'=>'Selectează taxonomia','Select post type'=>'Selectează tipul de articol','No matches found'=>'Nu am găsit nicio potrivire','Loading'=>'Încarc','Maximum values reached ( {max} values )'=>'','Relationship'=>'Relație','Comma separated list. Leave blank for all types'=>'Listă separată prin virgulă. Lăsați liber pentru toate tipurile','Allowed File Types'=>'Tipuri de fișier permise','Maximum'=>'Maxim','File size'=>'Dimensiune fișier','Restrict which images can be uploaded'=>'Restricționează imaginile care pot fi încărcate','Minimum'=>'Minim','Uploaded to post'=>'Încărcate pentru acest articol','All'=>'Tot','Limit the media library choice'=>'Limitați alegerea librăriei media','Library'=>'Bibliotecă','Preview Size'=>'Dimensiune previzualizare','Image ID'=>'ID imagine','Image URL'=>'URL imagine','Image Array'=>'Tablou de imagini','Specify the returned value on front end'=>'','Return Value'=>'Valoare returnată','Add Image'=>'Adaugă o imagine','No image selected'=>'Nu ai selectat nicio imagine','Remove'=>'Înlătură','Edit'=>'Editează','All images'=>'Toate imaginile','Update Image'=>'Actualizează imaginea','Edit Image'=>'Editează imaginea','Select Image'=>'Selectează o imagine','Image'=>'Imagine','Allow HTML markup to display as visible text instead of rendering'=>'','Escape HTML'=>'','No Formatting'=>'Fără formatare','Automatically add <br>'=>'Adaugă automat <br>','Automatically add paragraphs'=>'Adaugă automat paragrafe','Controls how new lines are rendered'=>'Controlează cum sunt randate liniile noi','New Lines'=>'Linii noi','Week Starts On'=>'Săptămâna începe','The format used when saving a value'=>'Formatul folosit la salvarea unei valori','Save Format'=>'Salvează formatul','Date Picker JS weekHeaderWk'=>'','Date Picker JS prevTextPrev'=>'','Date Picker JS nextTextNext'=>'Următor','Date Picker JS currentTextToday'=>'Azi','Date Picker JS closeTextDone'=>'Gata','Date Picker'=>'Selector de dată','Width'=>'Lățime','Embed Size'=>'Dimensiune înglobare','Enter URL'=>'Introdu URL-ul','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text arătat când este inactiv','Off Text'=>'','Text shown when active'=>'Text arătat când este activ','On Text'=>'','Stylized UI'=>'','Default Value'=>'Valoare implicită','Displays text alongside the checkbox'=>'','Message'=>'Mesaj','No'=>'Nu','Yes'=>'Da','True / False'=>'','Row'=>'Rând','Table'=>'Tabel','Block'=>'Bloc','Specify the style used to render the selected fields'=>'','Layout'=>'Aranjament','Sub Fields'=>'Sub-câmpuri','Group'=>'','Customize the map height'=>'Personalizează înălțimea hărții','Height'=>'Înălțime','Set the initial zoom level'=>'','Zoom'=>'','Center the initial map'=>'Centrează harta inițială','Center'=>'','Search for address...'=>'Caută adresa...','Find current location'=>'Găsește locația curentă','Clear location'=>'','Search'=>'Caută','Sorry, this browser does not support geolocation'=>'Regret, acest navigator nu acceptă localizarea geografică','Google Map'=>'','The format returned via template functions'=>'','Return Format'=>'Format returnat','Custom:'=>'Personalizat:','The format displayed when editing a post'=>'Formatul afișat la editarea unui articol','Display Format'=>'Format de afișare','Time Picker'=>'Selector de oră','Inactive (%s)'=>'Inactive (%s)' . "\0" . 'Inactive (%s)' . "\0" . 'Inactive (%s)','No Fields found in Trash'=>'Nu am găsit niciun câmp la gunoi','No Fields found'=>'Nu am găsit niciun câmp','Search Fields'=>'Caută câmpuri','View Field'=>'Vezi câmpul','New Field'=>'Câmp nou','Edit Field'=>'Editează câmpul','Add New Field'=>'Adaugă un nou câmp','Field'=>'Câmp','Fields'=>'Câmpuri','No Field Groups found in Trash'=>'Nu am găsit niciun grup de câmpuri la gunoi','No Field Groups found'=>'Nu am găsit niciun grup de câmpuri','Search Field Groups'=>'Caută grupuri de câmpuri','View Field Group'=>'Vezi grupul de câmpuri','New Field Group'=>'Grup de câmpuri nou','Edit Field Group'=>'Editează grupul de câmpuri','Add New Field Group'=>'Adaugă grup de câmpuri nou','Add New'=>'','Field Group'=>'Grup de câmpuri','Field Groups'=>'Grupuri de câmpuri','Customize WordPress with powerful, professional and intuitive fields.'=>'Personalizează WordPress cu câmpuri puternice, profesionale și intuitive.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'','Advanced Custom Fields PRO'=>'Câmpuri Avansate Personalizate PRO','Block type name is required.'=>'%s valoarea este obligatorie','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Setări','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Opțiunile au fost actualizate','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Pentru a activa actualizările, este nevoie să introduci licența în pagina de actualizări. Dacă nu ai o licență, verifică aici detaliile și prețul.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Check Again'=>'Verifică din nou','ACF Activation Error. Could not connect to activation server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Publish'=>'Publică','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Nu a fost găsit nici un grup de câmpuri personalizate. Creează un Grup de Câmpuri Personalizat','Error. Could not connect to update server'=>'Eroare. Conexiunea cu servărul a fost pierdută','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'','Display'=>'Arată','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'','Values will be saved as %s'=>'','Prefix Field Names'=>'','Unknown field'=>'Câmp necunoscut','Unknown field group'=>'Grup de câmpuri necunoscut','All fields from %s field group'=>'','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Adaugă o linie nouă','layout'=>'schemă' . "\0" . 'schemă' . "\0" . 'schemă','layouts'=>'scheme','This field requires at least {min} {label} {identifier}'=>'Acest câmp necesită cel puțin {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Acest câmp are o limită de {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} disponibile (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} obligatoriu (min {min})','Flexible Content requires at least 1 layout'=>'Conținutul Flexibil necesită cel puțin 1 schemă','Click the "%s" button below to start creating your layout'=>'Apasă butonul "%s" de mai jos pentru a începe să îți creezi schema','Add layout'=>'Adaugă Schema','Duplicate layout'=>'Copiază Schema','Remove layout'=>'Înlătură Schema','Click to toggle'=>'','Delete Layout'=>'Șterge Schema','Duplicate Layout'=>'Copiază Schema','Add New Layout'=>'Adaugă o Nouă Schemă','Add Layout'=>'Adaugă Schema','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Scheme Minime','Maximum Layouts'=>'Scheme Maxime','Button Label'=>'Buton Etichetă','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Adaugă imagini în Galerie','Maximum selection reached'=>'Selecția maximă atinsă','Length'=>'Lungime','Caption'=>'','Alt Text'=>'Text alternativ','Add to gallery'=>'Adaugă în galerie','Bulk actions'=>'Acțiuni în masă','Sort by date uploaded'=>'Sortează după data încărcării','Sort by date modified'=>'Sortează după data modficării','Sort by title'=>'Sortează după titlu','Reverse current order'=>'Inversează ordinea curentă','Close'=>'Închide','Minimum Selection'=>'Selecție minimă','Maximum Selection'=>'Selecție maximă','Allowed file types'=>'Tipuri de fișiere permise','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'Adaugă la sfârșit','Prepend to the beginning'=>'Adaugă la început','Minimum rows not reached ({min} rows)'=>'Numărul minim de linii a fost atins ({min} rows)','Maximum rows reached ({max} rows)'=>'Numărul maxim de linii a fost atins ({max} rows)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Pagina Articolelor','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Numărul minim de Linii','Maximum Rows'=>'Numărul maxim de Linii','Collapsed'=>'','Select a sub field to show when row is collapsed'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Trage pentru a reordona','Add row'=>'Adaugă linie','Duplicate row'=>'Copiază','Remove row'=>'Înlătură linie','Current Page'=>'Utilizatorul Curent','First Page'=>'Pagina principală','Previous Page'=>'Pagina Articolelor','paging%1$s of %2$s'=>'','Next Page'=>'Pagina principală','Last Page'=>'Pagina Articolelor','No block types exist'=>'Nu există nicio pagină de opțiuni','No options pages exist'=>'Nu există nicio pagină de opțiuni','Deactivate License'=>'Dezactivează Licența','Activate License'=>'Activează Licența','License Information'=>'','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'','License Key'=>'Cod de activare','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'O validare mai bună','Update Information'=>'Actualizează infromațiile','Current Version'=>'Versiunea curentă','Latest Version'=>'Ultima versiune','Update Available'=>'Sunt disponibile actualizări','Upgrade Notice'=>'Anunț Actualizări','Check For Updates'=>'','Enter your license key to unlock updates'=>'Te rog sa introduci codul de activare în câmpul de mai sus pentru a permite actualizări','Update Plugin'=>'Actualizează Modulul','Please reactivate your license to unlock updates'=>'Te rog sa introduci codul de activare în câmpul de mai sus pentru a permite actualizări'],'language'=>'ro_RO','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ro_RO.mo b/lang/acf-ro_RO.mo
index fa5b509..ddcc543 100644
Binary files a/lang/acf-ro_RO.mo and b/lang/acf-ro_RO.mo differ
diff --git a/lang/acf-ro_RO.po b/lang/acf-ro_RO.po
index 03d7c69..bd9760c 100644
--- a/lang/acf-ro_RO.po
+++ b/lang/acf-ro_RO.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ro_RO\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr ""
msgid "This Field"
msgstr ""
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4377,7 +4393,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4701,7 +4717,7 @@ msgstr "Activează acest element"
msgid "Move field group to trash?"
msgstr "Muți grupul de câmpuri la gunoi?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4714,13 +4730,13 @@ msgstr ""
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
msgstr ""
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5031,7 +5047,7 @@ msgstr "Comentariu"
#: includes/locations/class-acf-location-post-format.php:22
msgid "Post Format"
-msgstr "Format de articol"
+msgstr "Format articol"
#: includes/locations/class-acf-location-nav-menu-item.php:22
msgid "Menu Item"
@@ -5147,7 +5163,7 @@ msgstr "Toate formatele %s"
msgid "Attachment"
msgstr "Atașament"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "Valoarea %s este obligatorie"
@@ -5623,7 +5639,7 @@ msgstr "Fă un duplicat al acestui element"
msgid "Supports"
msgstr ""
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Documentație"
@@ -5923,8 +5939,8 @@ msgstr "%d câmpuri necesită atenție"
msgid "1 field requires attention"
msgstr "Un câmp necesită atenție"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validarea a eșuat"
@@ -7300,91 +7316,91 @@ msgid "Time Picker"
msgstr "Selector de oră"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inactive (%s)"
msgstr[1] "Inactive (%s)"
msgstr[2] "Inactive (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Nu am găsit niciun câmp la gunoi"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Nu am găsit niciun câmp"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Caută câmpuri"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Vezi câmpul"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Câmp nou"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Editează câmpul"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Adaugă un nou câmp"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Câmp"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Câmpuri"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Nu am găsit niciun grup de câmpuri la gunoi"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Nu am găsit niciun grup de câmpuri"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Caută grupuri de câmpuri"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Vezi grupul de câmpuri"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Grup de câmpuri nou"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Editează grupul de câmpuri"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Adaugă grup de câmpuri nou"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr ""
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Grup de câmpuri"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-ru_RU.l10n.php b/lang/acf-ru_RU.l10n.php
index 4a70127..0680880 100644
--- a/lang/acf-ru_RU.l10n.php
+++ b/lang/acf-ru_RU.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'ru_RU','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['By default only admin users can edit this setting.'=>'По умолчанию этот параметр могут редактировать только администраторы.','By default only super admin users can edit this setting.'=>'По умолчанию этот параметр могут редактировать только суперадминистраторы.','Close and Add Field'=>'Закрыть и добавить поле','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Имя PHP функции, которая будет вызвана для обработки содержимого мета-блока в вашей таксономии. Для безопасности этот обратный вызов будет выполняться в специальном контексте без доступа к каким-либо суперглобальным переменным, таким как $_POST или $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Имя PHP-функции, которая будет вызвана при настройке мета-боксов для экрана редактирования. Для безопасности этот обратный вызов будет выполняться в специальном контексте без доступа к каким-либо суперглобальным переменным, таким как $_POST или $_GET.','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF не смог выполнить проверку из-за того, что был предоставлен неверный nonce безопасности.','Allow Access to Value in Editor UI'=>'Разрешить доступ к значению в пользовательском интерфейсе редактора','Learn more.'=>'Узнать больше.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Шорткод ACF не может отображать поля из непубличных записей]','[The ACF shortcode is disabled on this site]'=>'[Шорткод ACF отключен на этом сайте]','Businessman Icon'=>'Иконка Бизнесмен','Forums Icon'=>'Иконка Форумы','YouTube Icon'=>'Иконка YouTube','Yes (alt) Icon'=>'Иконка Да (alt)','Xing Icon'=>'Иконка Xing','WordPress (alt) Icon'=>'Иконка WordPress (alt)','WhatsApp Icon'=>'Иконка WhatsApp','View Site Icon'=>'Иконка Показать сайт','Learn More Icon'=>'Иконка Узнать больше','Add Page Icon'=>'Иконка Добавить страницу','Video (alt3) Icon'=>'Иконка Видео (alt3)','Video (alt2) Icon'=>'Иконка Видео (alt2)','Video (alt) Icon'=>'Иконка Видео (alt)','Update (alt) Icon'=>'Иконка Обновить (alt)','Universal Access (alt) Icon'=>'Иконка Универсальный доступ (alt)','Twitter (alt) Icon'=>'Иконка Twitter (alt)','Twitch Icon'=>'Иконка Twitch','Tickets (alt) Icon'=>'Иконка Билеты (alt)','Text Page Icon'=>'Иконка Текстовая страница','Table Row Delete Icon'=>'Иконка Удалить строку таблицы','Table Row Before Icon'=>'Иконка Перед строкой таблицы','Table Row After Icon'=>'Иконка После строки таблицы','Table Col Delete Icon'=>'Иконка Удалить колонку таблицы','Table Col Before Icon'=>'Иконка Перед колонкой таблицы','Table Col After Icon'=>'Иконка После колонки таблицы','Superhero (alt) Icon'=>'Иконка Супергерой (alt)','Superhero Icon'=>'Иконка Супергерой','Spotify Icon'=>'Иконка Spotify','Shortcode Icon'=>'Иконка Шорткод','Shield (alt) Icon'=>'Иконка Щит (alt)','Share (alt2) Icon'=>'Иконка Поделиться (alt2)','Share (alt) Icon'=>'Иконка Поделиться (alt)','Saved Icon'=>'Иконка Сохранено','RSS Icon'=>'Иконка RSS','REST API Icon'=>'Иконка REST API','Remove Icon'=>'Иконка Удалить','Reddit Icon'=>'Ааываыва','Privacy Icon'=>'Иконка Приватность','Printer Icon'=>'Иконка Принтер','Podio Icon'=>'Иконка Радио','Plus (alt2) Icon'=>'Иконка Плюс (alt2)','Plus (alt) Icon'=>'Иконка Плюс (alt)','Pinterest Icon'=>'Иконка Pinterest','Pets Icon'=>'Иконка Питомцы','PDF Icon'=>'Иконка PDF','Palm Tree Icon'=>'Иконка Пальмовое дерево','Open Folder Icon'=>'Иконка Открыть папку','No (alt) Icon'=>'Иконка Нет (alt)','Money (alt) Icon'=>'Иконка Деньги (alt)','Menu (alt3) Icon'=>'Иконка Меню (alt3)','Menu (alt2) Icon'=>'Иконка Меню (alt2)','Menu (alt) Icon'=>'Иконка Меню (alt)','Document Icon'=>'Иконка Документ','Default Icon'=>'Иконка По умолчанию','Location (alt) Icon'=>'Иконка Местоположение (alt)','LinkedIn Icon'=>'Иконка LinkedIn','Instagram Icon'=>'Иконка Instagram','Insert Before Icon'=>'Иконка Вставить перед','Insert After Icon'=>'Иконка Вставить после','Insert Icon'=>'Иконка Вставить','Images (alt2) Icon'=>'Иконка Изображения (alt2)','Images (alt) Icon'=>'Иконка Изображения (alt)','Rotate Right Icon'=>'Иконка Повернуть вправо','Rotate Left Icon'=>'Иконка Повернуть влево','Rotate Icon'=>'Иконка Повернуть','Flip Vertical Icon'=>'Иконка Отразить по вертикали','Flip Horizontal Icon'=>'Иконка Отразить по горизонтали','Crop Icon'=>'Иконка Обрезать','ID (alt) Icon'=>'Иконка ID (alt)','HTML Icon'=>'Иконка HTML','Google Icon'=>'Иконка Google','Games Icon'=>'Иконка Игры','Fullscreen Exit (alt) Icon'=>'Иконка Выйти из полноэкранного режима','Fullscreen (alt) Icon'=>'Иконка Полноэкранный режим (alt)','Status Icon'=>'Иконка Статус','Image Icon'=>'Иконка Изображение','Gallery Icon'=>'Иконка Галерея','Chat Icon'=>'Иконка Чат','Audio Icon'=>'Иконка Аудио','Aside Icon'=>'Иконка Сайдбар','Food Icon'=>'Иконка Еда','Exit Icon'=>'Иконка Выйти','Excerpt View Icon'=>'Иконка Отрывок','Embed Video Icon'=>'Иконка Встроенное видео','Embed Post Icon'=>'Иконка Встроенная запись','Embed Photo Icon'=>'Иконка Встроенное фото','Embed Audio Icon'=>'Иконка Встроенное аудио','Email (alt2) Icon'=>'Иконка Email (alt2)','Edit Page Icon'=>'Иконка Редактировать страницу','Drumstick Icon'=>'Иконка Барабанная палочка','Database View Icon'=>'Иконка Отобразить базу данных','Database Remove Icon'=>'Иконка Удалить базу данных','Database Import Icon'=>'Иконка Импорт базы данных','Database Export Icon'=>'Иконка Экспорт базы данных','Database Add Icon'=>'Иконка Добавить базу данных','Database Icon'=>'Иконка База данных','Volume On Icon'=>'Иконка Включить звук','Volume Off Icon'=>'Иконка Выключить звук','Repeat Icon'=>'Иконка Повторить','Play Icon'=>'Иконка Воспроизвести','Pause Icon'=>'Иконка Пауза','Forward Icon'=>'Иконка Вперед','Back Icon'=>'Иконка Назад','Columns Icon'=>'Иконка Колонки','Color Picker Icon'=>'Иконка Подборщик цвета','Coffee Icon'=>'Иконка Кофе','Code Standards Icon'=>'Иконка Стандарты кода','Cloud Upload Icon'=>'Иконка Загрузить в облако','Cloud Saved Icon'=>'Иконка Сохранено в облаке','Car Icon'=>'Иконка Машина','Camera (alt) Icon'=>'Иконка Камера (alt)','Calculator Icon'=>'Иконка Калькулятор','Button Icon'=>'Иконка Кнопка','Topics Icon'=>'Иконка Темы','PM Icon'=>'Иконка PM','Friends Icon'=>'Иконка Друзья','Community Icon'=>'Иконка Сообщество','BuddyPress Icon'=>'Иконка BuddyPress','bbPress Icon'=>'Иконка bbPress','Activity Icon'=>'Иконка Активность','Book (alt) Icon'=>'Иконка Книга (alt)','Bell Icon'=>'Иконка Колокол','Beer Icon'=>'Иконка Пиво','Bank Icon'=>'Иконка Банк','Amazon Icon'=>'Иконка Amazon','Airplane Icon'=>'Иконка Самолет','Site (alt3) Icon'=>'Иконка Сайт (alt3)','Site (alt2) Icon'=>'Иконка Сайт (alt2)','Site (alt) Icon'=>'Иконка Сайт (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Обновитесь до ACF PRO чтобы создавать страницы настроек в пару кликов','Invalid request args.'=>'Неверные аргументы запроса.','Sorry, you do not have permission to do that.'=>'Извините, у вас нет разрешения чтобы делать это.','ACF PRO logo'=>'Логотип ACF PRO','%s requires a valid attachment ID when type is set to media_library.'=>'%s требует валидный ID вложения когда установлен тип media_library.','%s is a required property of acf.'=>'%s является обязательным свойством acf.','The value of icon to save.'=>'Значение иконки для сохранения.','The type of icon to save.'=>'Тип иконки для сохранения.','Yes Icon'=>'Иконка Да','WordPress Icon'=>'Иконка WordPress','Warning Icon'=>'Иконка Предупреждение','Visibility Icon'=>'Иконка Видимость','Vault Icon'=>'Иконка Хранилище','Upload Icon'=>'Иконка Загрузить','Update Icon'=>'Иконка Обновить','Unlock Icon'=>'Иконка Разблокировать','Universal Access Icon'=>'Иконка Универсальный доступ','Undo Icon'=>'Иконка Отменить','Twitter Icon'=>'Иконка Twitter','Trash Icon'=>'Иконка Мусорка','Translation Icon'=>'Иконка Перевод','Tickets Icon'=>'Иконка Билеты','Text Icon'=>'Иконка Текст','Tagcloud Icon'=>'Иконка Облако меток','Tag Icon'=>'Иконка Метка','Tablet Icon'=>'Иконка Планшет','Store Icon'=>'Иконка Магазин','Star Half Icon'=>'Иконка Звезда половина','Star Filled Icon'=>'Иконка Звезда заполненная','Star Empty Icon'=>'Иконка Звезда пустая','Sort Icon'=>'Иконка Сортировать','Smartphone Icon'=>'Иконка Смартфон','Slides Icon'=>'Иконка Слайды','Shield Icon'=>'Иконка Щит','Share Icon'=>'Иконка Поделиться','Search Icon'=>'Иконка Поиск','Schedule Icon'=>'Иконка Расписание','Redo Icon'=>'Иконка Повторить','Products Icon'=>'Иконка Товары','Post Status Icon'=>'Иконка Статус записи','Portfolio Icon'=>'Иконка Портфолио','Plus Icon'=>'Иконка Плюс','Playlist Video Icon'=>'Иконка Видео плейлист','Playlist Audio Icon'=>'Иконка Аудио плейлист','Phone Icon'=>'Иконка Телефон','No Icon'=>'Иконка Нет','Move Icon'=>'Иконка Переместить','Money Icon'=>'Иконка Деньги','Minus Icon'=>'Иконка Минус','Migrate Icon'=>'Иконка Перенос','Microphone Icon'=>'Иконка Микрофон','Megaphone Icon'=>'Иконка Мегафон','Marker Icon'=>'Иконка Маркер','Lock Icon'=>'Иконка Закрыть','Location Icon'=>'Иконка Местоположение','Lightbulb Icon'=>'Иконка Лампочка','Laptop Icon'=>'Иконка Ноутбук','Info Icon'=>'Иконка Инфо','ID Icon'=>'Иконка ID','Heart Icon'=>'Иконка Сердце','Hammer Icon'=>'Иконка Молот','Groups Icon'=>'Иконка Группы','Forms Icon'=>'Иконка Формы','Flag Icon'=>'Иконка Флаг','Filter Icon'=>'Иконка Фильтр','Feedback Icon'=>'Иконка Обратная связь','Facebook (alt) Icon'=>'Иконка Facebook (alt)','Facebook Icon'=>'Иконка Facebook','Email (alt) Icon'=>'Иконка Email (alt)','Email Icon'=>'Иконка Email','Video Icon'=>'Иконка Видео','Table Icon'=>'Иконка Таблица','Quote Icon'=>'Иконка Цитата','Paste Word Icon'=>'Иконка Вставить слово','Paste Text Icon'=>'Иконка Вставить текст','Paragraph Icon'=>'Иконка Параграф','Italic Icon'=>'Иконка Курсив','Help Icon'=>'Иконка Помощь','Expand Icon'=>'Иконка Развернуть','Code Icon'=>'Иконка Код','Bold Icon'=>'Иконка Жирный','Edit Icon'=>'Иконка Редактировать','Cloud Icon'=>'Иконка Облако','Cart Icon'=>'Иконка Корзина','Carrot Icon'=>'Иконка Морковка','Camera Icon'=>'Иконка Камера','Book Icon'=>'Иконка Книга','Backup Icon'=>'Иконка Резервная копия','Awards Icon'=>'Иконка Награды','Album Icon'=>'Иконка Альбом','Users Icon'=>'Иконка Пользователи','Tools Icon'=>'Иконка Инструменты','Site Icon'=>'Иконка Сайт','Settings Icon'=>'Иконка Настройки','Post Icon'=>'Иконка Запись','Plugins Icon'=>'Иконка Плагины','Page Icon'=>'Иконка Страница','Network Icon'=>'Иконка Сеть','Multisite Icon'=>'Иконка Мультисайт','Media Icon'=>'Иконка Медиа','Links Icon'=>'Иконка Ссылки','Home Icon'=>'Иконка Дом','Comments Icon'=>'Иконка Комментарии','Collapse Icon'=>'Иконка Свернуть','Appearance Icon'=>'Иконка Внешний вид','Icon picker requires a value.'=>'Подборщик иконки требует значение.','Icon picker requires an icon type.'=>'Подборщик иконки требует тип иконки.','The available icons matching your search query have been updated in the icon picker below.'=>'Доступные иконки, соответствующие вашему поисковому запросу, были обновлены в подборщике иконки ниже.','Array'=>'Массив','String'=>'Строка','Specify the return format for the icon. %s'=>'Укажите формат возвращаемого значения для иконки. %s','Select where content editors can choose the icon from.'=>'Укажите откуда редакторы содержимого могут выбирать иконку.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URLиконки, которую вы хотите использовать или svg в качестве URI данных','Browse Media Library'=>'Открыть библиотеку файлов','Click to change the icon in the Media Library'=>'Нажмите чтобы сменить иконку в библиотеке файлов','Search icons...'=>'Искать иконки...','Media Library'=>'Медиафайлы','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Интерактивный интерфейс для подбора иконки. Выбирайте среди Dashicons, из библиотеки файлов или используйте автономный ввод URL.','Icon Picker'=>'Подборщик иконки','JSON Load Paths'=>'Пути загрузки JSON','JSON Save Paths'=>'Пути сохранения JSON','Registered ACF Forms'=>'Зарегистрированные ACF формы','Shortcode Enabled'=>'Шорткод включен','Block Preloading Enabled'=>'Предварительная загрузка блока включена','Registered ACF Blocks'=>'Зарегистрированные ACF блоки','REST API Format'=>'Формат REST API','Registered Options Pages (PHP)'=>'Зарегистрированные страницы настроек (PHP)','Registered Options Pages (JSON)'=>'Зарегистрированные страницы настроек (JSON)','Registered Options Pages (UI)'=>'Зарегистрированные страницы настроек (UI)','Registered Taxonomies (JSON)'=>'Зарегистрированные таксономии (JSON)','Registered Taxonomies (UI)'=>'Зарегистрированные таксономии (UI)','Registered Post Types (JSON)'=>'Зарегистрированные типы записей (JSON)','Registered Post Types (UI)'=>'Зарегистрированные типы записей (UI)','Post Types and Taxonomies Enabled'=>'Типы записей и таксономии включены','Field Groups Enabled for GraphQL'=>'Группы полей включены для GraphQL','Field Groups Enabled for REST API'=>'Группы полей включены для REST API','Registered Field Groups (JSON)'=>'Зарегистрированные группы полей (JSON)','Registered Field Groups (PHP)'=>'Зарегистрированные группы полей (PHP)','Registered Field Groups (UI)'=>'Зарегистрированные группы полей (UI)','Active Plugins'=>'Активные плагины','Parent Theme'=>'Родительская тема','Active Theme'=>'Активная тема','Is Multisite'=>'Является мультисайтом','MySQL Version'=>'Версия MySQL','WordPress Version'=>'Версия WordPress','Free'=>'Бесплатный','Plugin Type'=>'Тип плагина','Plugin Version'=>'Версия плагина','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'В этом разделе содержится отладочная информация о конфигурации ACF, которая может быть полезна для предоставления в службу поддержки.','An ACF Block on this page requires attention before you can save.'=>'Блок ACF на этой странице требует внимания, прежде чем вы сможете сохранить.','The core ACF block binding source name for fields on the current pageACF Fields'=>'Поля ACF','ACF PRO Feature'=>'Функция ACF PRO','Please activate your ACF PRO license to edit this options page.'=>'Пожалуйста, активируйте вашу лицензию ACF PRO чтобы редактировать эту страницу настроек.','Please contact your site administrator or developer for more details.'=>'Пожалуйста, свяжитесь с вашим администратором сайта или разработчиком чтобы узнать подробности.','Learn more'=>'Узнать больше','Hide details'=>'Скрыть подробности','Show details'=>'Показать подробности','Add Options Page'=>'Добавить страницу настроек','4 Months Free'=>'4 месяца бесплатно','(Duplicated from %s)'=>'(Скопировано из %s)','Select Options Pages'=>'Выберите страницы настроек','Duplicate taxonomy'=>'Скопировать таксономию','Create taxonomy'=>'Создать таксономию','Duplicate post type'=>'Скопировать тип записи','Create post type'=>'Создать тип записи','Link field groups'=>'Привязать группы полей','Add fields'=>'Добавить поля','This Field'=>'Это поле','ACF PRO'=>'ACF (PRO)','Feedback'=>'Обратная связь','Support'=>'Поддержка','is developed and maintained by'=>'разработан и поддерживается','Add this %s to the location rules of the selected field groups.'=>'Добавьте %s в правила местонахождения выбранных групп полей.','Target Field'=>'Целевое поле','Bidirectional'=>'Двунаправленный','%s Field'=>'%s поле','Select Multiple'=>'Выбор нескольких пунктов','WP Engine logo'=>'Логотип WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Только буквы нижнего регистра, подчеркивания и дефисы. Максимум 32 символа.','Manage Terms Capability'=>'Возможность управления терминами','More Tools from WP Engine'=>'Больше инструментов от WP Engine','Learn More'=>'Читать больше','Unlock Advanced Features and Build Even More with ACF PRO'=>'Разблокируйте дополнительные функции и сделайте больше с ACF PRO','%s fields'=>'%s поля','No terms'=>'Нет терминов','No post types'=>'Нет типов записей','No posts'=>'Нет записей','No taxonomies'=>'Нет таксономий','No field groups'=>'Нет групп полей','No fields'=>'Нет полей','No description'=>'Нет описания','Any post status'=>'Любой статус записи','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Указанный ключ таксономии уже используется другой таксономией, зарегистрированной вне ACF, и не может быть использован.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Указанный ключ таксономии уже используется другой таксономией в ACF и не может быть использован.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Ключ таксономии должен содержать только буквенно-цифровые символы в нижнем регистре, знак подчеркивания или тире.','The taxonomy key must be under 32 characters.'=>'Ключ таксономии должен содержать не более 32 символов.','No Taxonomies found in Trash'=>'В корзине не найдено ни одной таксономии','No Taxonomies found'=>'Таксономии не найдены','Search Taxonomies'=>'Найти таксономии','View Taxonomy'=>'Смотреть таксономию','New Taxonomy'=>'Новая таксономия','Edit Taxonomy'=>'Править таксономию','Add New Taxonomy'=>'Добавить новую таксономию','No Post Types found in Trash'=>'В корзине не найдено ни одного типа записей','No Post Types found'=>'Типы записей не найдены','Search Post Types'=>'Найти типы записей','View Post Type'=>'Смотреть тип записи','New Post Type'=>'Новый тип записи','Edit Post Type'=>'Изменить тип записи','Add New Post Type'=>'Добавить новый тип записи','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Указанный ключ типа записи уже используется другим типом записи, зарегистрированным вне ACF, и не может быть использован.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Указанный ключ типа записи уже используется другим типом записи в ACF и не может быть использован.','This field must not be a WordPress reserved term.'=>'Это поле является зарезервированным термином WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Ключ типа записи должен содержать только буквенно-цифровые символы в нижнем регистре, знак подчеркивания или тире.','The post type key must be under 20 characters.'=>'Ключ типа записи должен содержать не более 20 символов.','We do not recommend using this field in ACF Blocks.'=>'Мы не рекомендуем использовать это поле в блоках ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Показывает WordPress WYSIWYG редактор такой же, как в Записях или Страницах и позволяет редактировать текст, а также мультимедийное содержимое.','WYSIWYG Editor'=>'WYSIWYG редактор','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Позволяет выбрать одного или нескольких пользователей, которые могут быть использованы для создания взаимосвязей между объектами данных.','A text input specifically designed for storing web addresses.'=>'Текстовый поле, специально разработанное для хранения веб-адресов.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Переключатель, позволяющий выбрать значение 1 или 0 (включено или выключено, истинно или ложно и т.д.). Может быть представлен в виде стилизованного переключателя или флажка.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Интерактивный пользовательский интерфейс для выбора времени. Формат времени можно настроить с помощью параметров поля.','A basic textarea input for storing paragraphs of text.'=>'Простая текстовая область для хранения абзацев текста.','A basic text input, useful for storing single string values.'=>'Простое текстовое поле, предназначенное для хранения однострочных значений.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Позволяет выбрать один или несколько терминов таксономии на основе критериев и параметров, указанных в настройках полей.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Позволяет группировать поля в разделы с вкладками на экране редактирования. Полезно для упорядочивания и структурирования полей.','A dropdown list with a selection of choices that you specify.'=>'Выпадающий список с заданными вариантами выбора.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Двухколоночный интерфейс для выбора одной или нескольких записей, страниц или элементов пользовательских типов записей, чтобы создать связь с элементом, который вы сейчас редактируете. Включает опции поиска и фильтрации.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Поле выбора числового значения в заданном диапазоне с помощью ползунка диапазона.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Группа радиокнопок, позволяющих пользователю выбрать одно из заданных вами значений.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Интерактивный и настраиваемый интерфейс для выбора одной или нескольких записей, страниц или типов записей с возможностью поиска. ','An input for providing a password using a masked field.'=>'Ввод пароля с помощью замаскированного поля.','Filter by Post Status'=>'Фильтр по статусу записи','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Интерактивный компонент для вставки видео, изображений, твитов, аудио и другого контента с использованием встроенной в WordPress функциональности oEmbed.','An input limited to numerical values.'=>'Ввод ограничен числовыми значениями.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Используется для отображения сообщения для редакторов рядом с другими полями. Полезно для предоставления дополнительного контекста или инструкций по работе с полями.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Позволяет указать ссылку и ее свойства, такие как заголовок и цель, используя встроенный в WordPress подборщик ссылок.','Uses the native WordPress media picker to upload, or choose images.'=>'Использует встроенный в WordPress подборщик медиа для загрузки или выбора изображений.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Предоставляет возможность структурировать поля по группам, чтобы лучше организовать данные и экран редактирования.','Uses the native WordPress media picker to upload, or choose files.'=>'Использует встроенный в WordPress медиа подборщик чтобы загружать или выбирать файлы.','A text input specifically designed for storing email addresses.'=>'Текстовый ввод, специально предназначенный для хранения адресов электронной почты.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Группа полей с флажками, которые позволяют пользователю выбрать одно или несколько из заданных вами значений.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Группа кнопок с указанными вами значениями, пользователи могут выбрать одну опцию из представленных значений.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Позволяет ваш группировать и организовывать пользовательские поля в сворачиваемые панели, которые отображаются при редактировании содержимого. Полезно для поддержания порядка в больших наборах данных.','nounClone'=>'Клонировать','PRO'=>'PRO','Advanced'=>'Дополнительно','JSON (newer)'=>'JSON (более новая версия)','Original'=>'Оригинальный','Invalid post ID.'=>'Неверный ID записи.','More'=>'Читать далее','Tutorial'=>'Руководство','Select Field'=>'Выбрать поля','Try a different search term or browse %s'=>'Попробуйте другой поисковый запрос или просмотрите %s','Popular fields'=>'Популярные поля','No search results for \'%s\''=>'Нет результатов поиска для \'%s\'','Search fields...'=>'Поля поиска...','Select Field Type'=>'Выбрать тип поля','Popular'=>'Популярные','Add Taxonomy'=>'Добавить таксономию','Create custom taxonomies to classify post type content'=>'Создание пользовательских таксономий для классификации содержимого типов записей','Add Your First Taxonomy'=>'Добавьте свою первую таксономию','Hierarchical taxonomies can have descendants (like categories).'=>'Иерархические таксономии могут иметь потомков (например, категории).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Сделать видимой таксономию на фронтенде и в админпанели.','One or many post types that can be classified with this taxonomy.'=>'Один или несколько типов записей, которые можно классифицировать с помощью данной таксономии.','genre'=>'жанр','Genre'=>'Жанр','Genres'=>'Жанры','Customize the slug used in the URL'=>'Настроить слаг, используемое в URL','Permalinks for this taxonomy are disabled.'=>'Постоянные ссылки для этой таксономии отключены.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Перепишите URL, используя ключ таксономии в качестве слага. Ваша структура постоянных ссылок будет выглядеть следующим образом','Taxonomy Key'=>'Ключ таксономии','Select the type of permalink to use for this taxonomy.'=>'Выберите тип постоянной ссылки для этой таксономии.','Show Admin Column'=>'Отображать столбец админа','Quick Edit'=>'Быстрое редактирование','Tag Cloud'=>'Облако меток','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Название PHP-функции, вызываемой для санации данных таксономии, сохраненных из мета-бокса.','Register Meta Box Callback'=>'Регистрация обратного вызова метабокса','No Meta Box'=>'Отсутствует метабокс','Custom Meta Box'=>'Произвольный метабокс','Meta Box'=>'Блок метаданных','Categories Meta Box'=>'Категории метабокса','Tags Meta Box'=>'Теги метабокса','A link to a tag'=>'Ссылка на метку','A link to a %s'=>'Ссылка на %s','Tag Link'=>'Ссылка метки','← Go to tags'=>'← Перейти к меткам','Back To Items'=>'Вернуться к элементам','← Go to %s'=>'← Перейти к %s','Tags list'=>'Список меток','Assigns text to the table hidden heading.'=>'Присваивает текст скрытому заголовку таблицы.','Tags list navigation'=>'Навигация по списку меток','Filter by category'=>'Фильтр по рубрике','Filter By Item'=>'Фильтр по элементу','Filter by %s'=>'Фильтр по %s','The description is not prominent by default; however, some themes may show it.'=>'Описание по умолчанию не отображается, однако некоторые темы могут его показывать.','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Назначьте родительский термин для создания иерархии. Термин "Джаз", например, будет родителем для "Бибопа" и "Биг-бэнда".','Parent Field Description'=>'Описание родительского поля','Slug Field Description'=>'Описание поля слага','Name Field Description'=>'Описание имени слага','No tags'=>'Меток нет','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Назначает текст, отображаемый в таблицах постов и списка медиафайлов при отсутствии тегов и категорий.','No Terms'=>'Нет терминов','No %s'=>'Нет %s','No tags found'=>'Метки не найдены','Not Found'=>'Не найдено','Most Used'=>'Часто используемое','Choose from the most used tags'=>'Выбрать из часто используемых меток','Choose From Most Used'=>'Выберите из наиболее часто используемых','Choose from the most used %s'=>'Выберите из наиболее часто используемых %s','Add or remove tags'=>'Добавить или удалить метки','Add Or Remove Items'=>'Добавить или удалить элементы','Add or remove %s'=>'Добавить или удалить %s','Separate tags with commas'=>'Метки разделяются запятыми','Separate Items With Commas'=>'Разделять элементы запятыми','Separate %s with commas'=>'Разделять %s запятыми','Popular Tags'=>'Популярные метки','Popular Items'=>'Популярные элементы','Popular %s'=>'Популярные %s','Search Tags'=>'Поиск меток','Assigns search items text.'=>'Назначает текст элементов поиска.','Parent Category:'=>'Родительская рубрика:','Parent Item With Colon'=>'Родительский элемент через двоеточие','Parent Category'=>'Родительская рубрика','Parent Item'=>'Родительский элемент','Parent %s'=>'Родитель %s','New Tag Name'=>'Название новой метки','Assigns the new item name text.'=>'Присваивает новый текст названия элемента.','New Item Name'=>'Название нового элемента','New %s Name'=>'Новое %s название','Add New Tag'=>'Добавить новую метку','Update Tag'=>'Обновить метку','Update Item'=>'Обновить элемент','Update %s'=>'Обновить %s','View Tag'=>'Просмотреть метку','Edit Tag'=>'Изменить метку','All Tags'=>'Все метки','Assigns the all items text.'=>'Назначает всем элементам текст.','Menu Label'=>'Этикетка меню','Term Description'=>'Описание термина','Term Slug'=>'Ярлык термина','The name of the default term.'=>'Название термина по умолчанию.','Term Name'=>'Название термина','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Создайте термин для таксономии, который не может быть удален. По умолчанию он не будет выбран для записей.','Default Term'=>'Термин по умолчанию','Sort Terms'=>'Сортировать термины','Add Post Type'=>'Добавить тип записи','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Расширьте функциональность WordPress за пределы стандартных записей и страниц с помощью пользовательских типов постов.','Add Your First Post Type'=>'Добавьте свой первый тип записи','I know what I\'m doing, show me all the options.'=>'Я знаю, что делаю, покажи мне все варианты.','Advanced Configuration'=>'Расширенная конфигурация','Hierarchical post types can have descendants (like pages).'=>'Иерархические типы записей могут иметь потомков (например, страницы).','Hierarchical'=>'Иерархическая','Public'=>'Открыто','movie'=>'фильм','Movie'=>'Фильм','Singular Label'=>'Одиночная этикетка','Movies'=>'Фильмы','Plural Label'=>'Подпись множественного числа','Controller Class'=>'Класс контроллера','Base URL'=>'Базовый URL','Show In REST API'=>'Показывать в REST API','Query Variable'=>'Переменная запроса','No Query Variable Support'=>'Нет поддержки переменных запросов','URLs for an item and items can be accessed with a query string.'=>'Доступ к URL-адресам элемента и элементов можно получить с помощью строки запроса.','Publicly Queryable'=>'Публично запрашиваемый','Archive Slug'=>'Ярлык архива','Archive'=>'Архив','Pagination support for the items URLs such as the archives.'=>'Поддержка пагинации для URL элементов, таких как архивы.','Pagination'=>'Разделение на страницы','Feed URL'=>'URL фида','URL Slug'=>'Ярлык URL','Custom Permalink'=>'Произвольная постоянная ссылка','Post Type Key'=>'Ключ типа записи','Delete items by a user when that user is deleted.'=>'Удаление элементов, созданных пользователем, при удалении этого пользователя.','Delete With User'=>'Удалить вместе с пользователем','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Разрешить экспорт типа сообщения из «Инструменты»> «Экспорт».','Can Export'=>'Можно экспортировать','Choose another post type to base the capabilities for this post type.'=>'Выберите другой тип записи, чтобы использовать возможности этого типа записи.','Exclude From Search'=>'Исключить из поиска','Appearance Menus Support'=>'Поддержка меню внешнего вида','Show In Admin Bar'=>'Показать на панели админа','Menu Icon'=>'Значок меню','Menu Position'=>'Позиция меню','Admin Menu Parent'=>'Родительское меню администратора','Show In Admin Menu'=>'Показывать в меню админа','Items can be edited and managed in the admin dashboard.'=>'Управлять элементами и изменять их можно в консоли администратора.','A link to a post.'=>'Ссылка на запись.','Item Link Description'=>'Описание ссылки на элемент','A link to a %s.'=>'Ссылка на %s.','Post Link'=>'Ссылка записи','Title for a navigation link block variation.'=>'Заголовок для вариации блока навигационных ссылок.','Item Link'=>'Ссылка элемента','%s Link'=>'Cсылка на %s','Post updated.'=>'Запись обновлена.','Item Updated'=>'Элемент обновлен','%s updated.'=>'%s обновлён.','Post scheduled.'=>'Запись запланирована к публикации.','Item Scheduled'=>'Элемент запланирован','%s scheduled.'=>'%s запланировано.','Post reverted to draft.'=>'Запись возвращена в черновики.','%s reverted to draft.'=>'%s преобразован в черновик.','Post published privately.'=>'Запись опубликована как личная.','Item Published Privately'=>'Элемент опубликован приватно','%s published privately.'=>'%s опубликована приватно.','Post published.'=>'Запись опубликована.','Item Published'=>'Элемент опубликован','%s published.'=>'%s опубликовано.','Posts list'=>'Список записей','Items List'=>'Список элементов','%s list'=>'%s список','Posts list navigation'=>'Навигация по списку записей','%s list navigation'=>'%s навигация по списку','Filter posts by date'=>'Фильтровать записи по дате','Filter Items By Date'=>'Фильтровать элементы по дате','Filter %s by date'=>'Фильтр %s по дате','Filter posts list'=>'Фильтровать список записей','Filter %s list'=>'Фильтровать список %s','Uploaded To This Item'=>'Загружено в этот элемент','Uploaded to this %s'=>'Загружено в это %s','Insert into post'=>'Вставить в запись','Insert into %s'=>'Вставить в %s','Use as featured image'=>'Использовать как изображение записи','Use Featured Image'=>'Использовать изображение записи','Remove featured image'=>'Удалить изображение записи','Remove Featured Image'=>'Удалить изображение записи','Set featured image'=>'Задать изображение','Set Featured Image'=>'Задать изображение записи','Featured image'=>'Изображение записи','Post Attributes'=>'Свойства записи','%s Attributes'=>'Атрибуты %s','Post Archives'=>'Архивы записей','%s Archives'=>'Архивы %s','No posts found in Trash'=>'Записей в корзине не найдено','No Items Found in Trash'=>'Элементы не найдены в корзине','No %s found in Trash'=>'В корзине не найдено %s','No posts found'=>'Записей не найдено','No Items Found'=>'Элементов не найдено','No %s found'=>'Не найдено %s','Search Posts'=>'Поиск записей','Search Items'=>'Поиск элементов','Search %s'=>'Поиск %s','Parent Page:'=>'Родительская страница:','Parent Item Prefix'=>'Префикс родительского элемента','Parent %s:'=>'Родитель %s:','New Post'=>'Новая запись','New Item'=>'Новый элемент','New %s'=>'Новый %s','Add New Post'=>'Добавить запись','Add New Item'=>'Добавить новый элемент','Add New %s'=>'Добавить новое %s','View Posts'=>'Просмотр записей','View Items'=>'Просмотр элементов','View Post'=>'Просмотреть запись','In the admin bar to view item when editing it.'=>'В панели администратора для просмотра элемента при его редактировании.','View Item'=>'Просмотреть элемент','View %s'=>'Посмотреть %s','Edit Post'=>'Редактировать запись','Edit Item'=>'Изменить элемент','Edit %s'=>'Изменить %s','All Posts'=>'Все записи','In the post type submenu in the admin dashboard.'=>'В подменю типа записи на административной консоли.','All Items'=>'Все элементы','All %s'=>'Все %s','Menu Name'=>'Название меню','Regenerate'=>'Регенерировать','A descriptive summary of the post type.'=>'Описательная сводка типа поста.','Add Custom'=>'Добавить пользовательский','Enable various features in the content editor.'=>'Включить различные функции в редакторе содержимого.','Post Formats'=>'Форматы записей','Editor'=>'Редактор','Trackbacks'=>'Обратные ссылки','Select existing taxonomies to classify items of the post type.'=>'Выберите существующие таксономии, чтобы классифицировать элементы типа записи.','Browse Fields'=>'Обзор полей','Nothing to import'=>'Импортировать нечего','. The Custom Post Type UI plugin can be deactivated.'=>'. Плагин Custom Post Type UI можно деактивировать.','Failed to import taxonomies.'=>'Не удалось импортировать таксономии.','Failed to import post types.'=>'Не удалось импортировать типы записи.','Nothing from Custom Post Type UI plugin selected for import.'=>'Ничего из плагина Custom Post Type UI не выбрано для импорта.','Imported 1 item'=>'Импортирован 1 элемент' . "\0" . 'Импортировано %s элемента' . "\0" . 'Импортировано %s элементов','Import from Custom Post Type UI'=>'Импорт из Custom Post Type UI','Export - Generate PHP'=>'Экспорт - Генерация PHP','Export'=>'Экспорт','Select Taxonomies'=>'Выбрать таксономии','Select Post Types'=>'Выбрать типы записи','Exported 1 item.'=>'Экспортирован 1 элемент.' . "\0" . 'Экспортировано %s элемента.' . "\0" . 'Экспортировано %s элементов.','Category'=>'Рубрика','Tag'=>'Метка','%s taxonomy created'=>'Таксономия %s создана','%s taxonomy updated'=>'Таксономия %s обновлена','Taxonomy draft updated.'=>'Черновик таксономии обновлен.','Taxonomy scheduled for.'=>'Таксономия запланирована на.','Taxonomy submitted.'=>'Таксономия отправлена.','Taxonomy saved.'=>'Таксономия сохранена.','Taxonomy deleted.'=>'Таксономия удалена.','Taxonomy updated.'=>'Таксономия обновлена.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Эта таксономия не может быть зарегистрирована, так как ее ключ используется другой таксономией, зарегистрированной другим плагином или темой.','Taxonomy synchronized.'=>'Таксономия синхронизирована' . "\0" . '%s таксономии синхронизированы' . "\0" . '%s таксономий синхронизировано','Taxonomy duplicated.'=>'Таксономия дублирована' . "\0" . '%s таксономии дублированы' . "\0" . '%s таксономий дублировано','Taxonomy deactivated.'=>'Таксономия деактивирована' . "\0" . '%s таксономии деактивированы' . "\0" . '%s таксономий деактивировано','Taxonomy activated.'=>'Таксономия активирована' . "\0" . '%s таксономии активированы' . "\0" . '%s таксономий активировано','Terms'=>'Термины','Post type synchronized.'=>'Тип записей синхронизирован' . "\0" . '%s типа записей синхронизированы' . "\0" . '%s типов записей синхронизировано','Post type duplicated.'=>'Тип записей дублирован' . "\0" . '%s типа записей дублированы' . "\0" . '%s типов записей дублировано','Post type deactivated.'=>'Тип записей деактивирован' . "\0" . '%s типа записей деактивированы' . "\0" . '%s типов записей деактивировано','Post type activated.'=>'Тип записей активирован' . "\0" . '%s тип записей активированы' . "\0" . '%s типов записей активировано','Post Types'=>'Типы записей','Advanced Settings'=>'Расширенные настройки','Basic Settings'=>'Базовые настройки','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Тип записей не может быть зарегистрирован, так как его ключ уже зарегистрирован другим плагином или темой.','Pages'=>'Страницы','%s post type created'=>'Тип записи %s создан','Add fields to %s'=>'Добавить поля в %s','%s post type updated'=>'Тип записи %s обновлен','Post type saved.'=>'Тип записи сохранён.','Post type updated.'=>'Тип записей обновлен.','Post type deleted.'=>'Тип записей удален.','Type to search...'=>'Введите текст для поиска...','PRO Only'=>'Только для Про','Field groups linked successfully.'=>'Группы полей связаны успешно.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Импортировать типы записей и таксономии, зарегистрированные через Custom Post Type UI, и управлять ими с помощью ACF. Начать.','ACF'=>'ACF','taxonomy'=>'таксономия','post type'=>'тип записи','Done'=>'Готово','Field Group(s)'=>'Группа(ы) полей','Select one or many field groups...'=>'Выберите одну или несколько групп полей...','Please select the field groups to link.'=>'Пожалуйста, выберете группы полей, чтобы связать.','Field group linked successfully.'=>'Группа полей связана успешно.' . "\0" . 'Группы полей связаны успешно.' . "\0" . 'Группы полей связаны успешно.','post statusRegistration Failed'=>'Регистрация не удалась','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Этот элемент не может быть зарегистрирован, так как его ключ используется другим элементом, зарегистрированным другим плагином или темой.','REST API'=>'Rest API','Permissions'=>'Разрешения','URLs'=>'URL-адреса','Visibility'=>'Видимость','Labels'=>'Этикетки','Field Settings Tabs'=>'Вкладки настроек полей','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Значение шорткода ACF отключено для предварительного просмотра]','Close Modal'=>'Закрыть модальное окно','Field moved to other group'=>'Поле перемещено в другую группу','Close modal'=>'Закрыть модальное окно','Start a new group of tabs at this tab.'=>'Начать новую группу вкладок с этой вкладки.','New Tab Group'=>'Новая группа вкладок','Use a stylized checkbox using select2'=>'Используйте стилизованный флажок, используя select2','Save Other Choice'=>'Сохранить другой выбор','Allow Other Choice'=>'Разрешить другой выбор','Add Toggle All'=>'Добавить Переключить все','Save Custom Values'=>'Сохранить пользовательские значения','Allow Custom Values'=>'Разрешить пользовательские значения','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Пользовательские значения флажка не могут быть пустыми. Снимите флажки с пустых значений.','Updates'=>'Обновления','Advanced Custom Fields logo'=>'Логотип дополнительных настраиваемых полей','Save Changes'=>'Сохранить изменения','Field Group Title'=>'Название группы полей','Add title'=>'Добавить заголовок','New to ACF? Take a look at our getting started guide.'=>'Вы впервые в ACF? Ознакомьтесь с нашим руководством по началу работы.','Add Field Group'=>'Добавить группу полей','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF использует группы полей для группировки произвольных полей вместе, а затем присоединяет эти поля к экранным формам редактирования.','Add Your First Field Group'=>'Добавьте первую группу полей','Options Pages'=>'Страницы настроек','ACF Blocks'=>'Блоки ACF','Gallery Field'=>'Поле галереи','Repeater Field'=>'Повторяющееся поле','Unlock Extra Features with ACF PRO'=>'Разблокируйте дополнительные возможности с помощью ACF PRO','Delete Field Group'=>'Удалить группу полей','Created on %1$s at %2$s'=>'Создано %1$s в %2$s','Group Settings'=>'Настройки группы','Location Rules'=>'Правила местонахождения','Choose from over 30 field types. Learn more.'=>'Выбирайте из более чем 30 типов полей. Подробнее.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Начните создавать новые пользовательские поля для ваших записей, страниц, пользовательских типов записей и другого содержимого WordPress.','Add Your First Field'=>'Добавить первое поле','#'=>'#','Add Field'=>'Добавить поле','Presentation'=>'Презентация','Validation'=>'Валидация','General'=>'Общие','Import JSON'=>'Импорт JSON','Export As JSON'=>'Экспорт в формате JSON','Field group deactivated.'=>'%s группа полей деактивирована.' . "\0" . '%s группы полей деактивировано.' . "\0" . '%s групп полей деактивировано.','Field group activated.'=>'%s группа полей активирована.' . "\0" . '%s группы полей активировано.' . "\0" . '%s групп полей активировано.','Deactivate'=>'Деактивировать','Deactivate this item'=>'Деактивировать этот элемент','Activate'=>'Активировать','Activate this item'=>'Активировать этот элемент','Move field group to trash?'=>'Переместить группу полей в корзину?','post statusInactive'=>'Неактивна','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Продвинутые пользовательские поля и Продвинутые пользовательские поля PRO не должны быть активны одновременно. Мы автоматически деактивировали Продвинутые пользовательские поля PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Продвинутые пользовательские поля и Продвинутые пользовательские поля PRO не должны быть активны одновременно. Мы автоматически деактивировали Продвинутые пользовательские поля.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Мы обнаружили один или несколько вызовов для получения значений ACF полей до момента инициализации ACF. Это неправильно и может привести к искажению или отсутствию данных. Узнайте, как это исправить.','%1$s must have a valid user ID.'=>'%1$s должен иметь действительный ID пользователя.','Invalid request.'=>'Неверный запрос.','%1$s is not one of %2$s'=>'%1$s не является одним из %2$s','%1$s must have a valid post ID.'=>'%1$s должен иметь действительный ID записи.','%s requires a valid attachment ID.'=>'%s требуется действительный ID вложения.','Show in REST API'=>'Показывать в REST API','Enable Transparency'=>'Включить прозрачность','RGBA Array'=>'Массив RGBA','RGBA String'=>'Строка RGBA','Hex String'=>'Cтрока hex','Upgrade to PRO'=>'Обновить до PRO','post statusActive'=>'Активен','\'%s\' is not a valid email address'=>'«%s» не является корректным адресом электропочты','Color value'=>'Значение цвета','Select default color'=>'Выбрать стандартный цвет','Clear color'=>'Очистить цвет','Blocks'=>'Блоки','Options'=>'Настройки','Users'=>'Пользователи','Menu items'=>'Пункты меню','Widgets'=>'Виджеты','Attachments'=>'Вложения','Taxonomies'=>'Таксономии','Posts'=>'Записи','Last updated: %s'=>'Последнее изменение: %s','Sorry, this post is unavailable for diff comparison.'=>'Данная группа полей не доступна для сравнения отличий.','Invalid field group parameter(s).'=>'Неверный параметр(ы) группы полей.','Awaiting save'=>'Ожидает сохранения','Saved'=>'Сохранено','Import'=>'Импорт','Review changes'=>'Просмотр изменений','Located in: %s'=>'Находится в: %s','Located in plugin: %s'=>'Находится в плагине: %s','Located in theme: %s'=>'Находится в теме: %s','Various'=>'Различные','Sync changes'=>'Синхронизировать изменения','Loading diff'=>'Загрузка diff','Review local JSON changes'=>'Обзор локальных изменений JSON','Visit website'=>'Перейти на сайт','View details'=>'Подробности','Version %s'=>'Версия %s','Information'=>'Информация','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Служба поддержки. Специалисты нашей службы поддержки помогут решить ваши технические проблемы.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Обсуждения. У нас есть активное и дружелюбное сообщество на наших форумах сообщества, которое может помочь вам разобраться в практических приемах мира ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Документация. Наша подробная документация содержит ссылки и руководства для большинства ситуаций, с которыми вы можете столкнуться.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Мы фанатично относимся к поддержке и хотим, чтобы вы извлекали максимум из своего веб-сайта с помощью ACF. Если вы столкнетесь с какими-либо трудностями, есть несколько мест, где вы можете найти помощь:','Help & Support'=>'Помощь и поддержка','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Воспользуйтесь вкладкой «Справка и поддержка», чтобы связаться с нами, если вам потребуется помощь.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Перед созданием вашей первой группы полей мы рекомендуем сначала прочитать наше руководство по началу работы, чтобы ознакомиться с философией и передовыми практиками плагина.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Плагин Advanced Custom Fields предоставляет визуальный конструктор форм для настройки экранов редактирования WordPress с дополнительными полями и интуитивно понятный API для отображения значений произвольных полей в любом файле шаблона темы.','Overview'=>'Обзор','Location type "%s" is already registered.'=>'Тип местоположения "%s" уже зарегистрирован.','Class "%s" does not exist.'=>'Класса "%s" не существует.','Invalid nonce.'=>'Неверный одноразовый номер.','Error loading field.'=>'Ошибка загрузки поля.','Error: %s'=>'Ошибка: %s','Widget'=>'Виджет','User Role'=>'Роль пользователя','Comment'=>'Комментарий','Post Format'=>'Формат записи','Menu Item'=>'Элемент меню','Post Status'=>'Статус записи','Menus'=>'Меню','Menu Locations'=>'Области для меню','Menu'=>'Меню','Post Taxonomy'=>'Таксономия записи','Child Page (has parent)'=>'Дочерняя страница (имеет родителя)','Parent Page (has children)'=>'Родительская страница (имеет дочерние)','Top Level Page (no parent)'=>'Страница верхнего уровня (без родителей)','Posts Page'=>'Страница записей','Front Page'=>'Главная страница','Page Type'=>'Тип страницы','Viewing back end'=>'Просмотр админки','Viewing front end'=>'Просмотр фронтэнда','Logged in'=>'Авторизован','Current User'=>'Текущий пользователь','Page Template'=>'Шаблон страницы','Register'=>'Регистрация','Add / Edit'=>'Добавить / изменить','User Form'=>'Форма пользователя','Page Parent'=>'Родительская страница','Super Admin'=>'Супер администратор','Current User Role'=>'Текущая роль пользователя','Default Template'=>'Шаблон по умолчанию','Post Template'=>'Шаблон записи','Post Category'=>'Рубрика записи','All %s formats'=>'Все %s форматы','Attachment'=>'Вложение','%s value is required'=>'%s значение требуется','Show this field if'=>'Показывать это поле, если','Conditional Logic'=>'Условная логика','and'=>'и','Local JSON'=>'Локальный JSON','Clone Field'=>'Клонировать поле','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Также убедитесь, что все надстройки премиум-класса (%s) обновлены до последней версии.','This version contains improvements to your database and requires an upgrade.'=>'Эта версия содержит улучшения вашей базы данных и требует обновления.','Thank you for updating to %1$s v%2$s!'=>'Спасибо за обновление до %1$s v%2$s!','Database Upgrade Required'=>'Требуется обновление БД','Options Page'=>'Страница настроек','Gallery'=>'Галерея','Flexible Content'=>'Гибкое содержимое','Repeater'=>'Повторитель','Back to all tools'=>'Вернуться ко всем инструментам','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)'=>'Если на странице редактирования присутствует несколько групп полей, то будут использованы настройки первой из них (с наиболее низким значением порядка очередности)','Select items to hide them from the edit screen.'=>'Выберите блоки, которые необходимо скрыть на странице редактирования.','Hide on screen'=>'Скрыть на экране','Send Trackbacks'=>'Отправить обратные ссылки','Tags'=>'Метки','Categories'=>'Рубрики','Page Attributes'=>'Атрибуты страницы','Format'=>'Формат','Author'=>'Автор','Slug'=>'Ярлык','Revisions'=>'Редакции','Comments'=>'Комментарии','Discussion'=>'Обсуждение','Excerpt'=>'Отрывок','Content Editor'=>'Текстовый редактор','Permalink'=>'Постоянная ссылка','Shown in field group list'=>'Отображается в списке групп полей','Field groups with a lower order will appear first'=>'Группа полей с самым низким порядковым номером появится первой','Order No.'=>'Порядковый номер','Below fields'=>'Под полями','Below labels'=>'Под метками','Instruction Placement'=>'Размещение инструкции','Label Placement'=>'Размещение этикетки','Side'=>'На боковой панели','Normal (after content)'=>'Обычный (после содержимого)','High (after title)'=>'Высокий (после названия)','Position'=>'Позиция','Seamless (no metabox)'=>'Бесшовный (без метабокса)','Standard (WP metabox)'=>'Стандарт (метабокс WP)','Style'=>'Стиль','Type'=>'Тип','Key'=>'Ключ','Order'=>'Порядок','Close Field'=>'Закрыть поле','id'=>'id','class'=>'класс','width'=>'ширина','Wrapper Attributes'=>'Атрибуты обёртки','Required'=>'Обязательное','Instructions'=>'Инструкции','Field Type'=>'Тип поля','Single word, no spaces. Underscores and dashes allowed'=>'Одиночное слово, без пробелов. Подчеркивания и тире разрешены','Field Name'=>'Название поля','This is the name which will appear on the EDIT page'=>'Имя поля на странице редактирования','Field Label'=>'Этикетка поля','Delete'=>'Удалить','Delete field'=>'Удалить поле','Move'=>'Переместить','Move field to another group'=>'Переместить поле в другую группу','Duplicate field'=>'Дублировать поле','Edit field'=>'Изменить поле','Drag to reorder'=>'Перетащите, чтобы изменить порядок','Show this field group if'=>'Показать эту группу полей, если','No updates available.'=>'Обновлений нет.','Database upgrade complete. See what\'s new'=>'Обновление БД завершено. Посмотрите, что нового','Reading upgrade tasks...'=>'Чтения задач обновления...','Upgrade failed.'=>'Ошибка обновления.','Upgrade complete.'=>'Обновление завершено.','Upgrading data to version %s'=>'Обновление данных до версии %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Мы настоятельно рекомендуем сделать резервную копию базы данных перед началом работы. Вы уверены, что хотите запустить обновление сейчас?','Please select at least one site to upgrade.'=>'Выберите хотя бы один сайт для обновления.','Database Upgrade complete. Return to network dashboard'=>'Обновление БД закончено. Вернуться в консоль','Site is up to date'=>'Сайт обновлен','Site requires database upgrade from %1$s to %2$s'=>'Сайт требует обновления БД с %1$s до %2$s','Site'=>'Сайт','Upgrade Sites'=>'Обновление сайтов','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Следующие сайты требуют обновления БД. Отметьте те, которые вы хотите обновить, а затем нажмите %s.','Add rule group'=>'Добавить группу правил','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Создайте набор правил для указания страниц, где следует отображать группу полей','Rules'=>'Правила','Copied'=>'Скопировано','Copy to clipboard'=>'Скопировать в буфер обмена','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Выберите элементы, которые вы хотите экспортировать, а затем выберите метод экспорта. Экспортировать как JSON для экспорта в файл .json, который затем можно импортировать в другую установку ACF. Сгенерировать PHP для экспорта в PHP-код, который можно разместить в вашей теме.','Select Field Groups'=>'Выберите группы полей','No field groups selected'=>'Не выбраны группы полей','Generate PHP'=>'Генерировать PHP','Export Field Groups'=>'Экспорт групп полей','Import file empty'=>'Файл импорта пуст','Incorrect file type'=>'Неправильный тип файла','Error uploading file. Please try again'=>'Ошибка при загрузке файла. Попробуйте еще раз','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Выберите файл ACF JSON, который вы хотите импортировать. Когда вы нажмете кнопку импорта ниже, ACF импортирует элементы из этого файла.','Import Field Groups'=>'Импорт групп полей','Sync'=>'Синхронизация','Select %s'=>'Выбрать %s','Duplicate'=>'Дублировать','Duplicate this item'=>'Дублировать элемент','Supports'=>'Поддержка','Documentation'=>'Документация','Description'=>'Описание','Sync available'=>'Доступна синхронизация','Field group synchronized.'=>'Группа полей синхронизирована.' . "\0" . '%s группы полей синхронизированы.' . "\0" . '%s групп полей синхронизированы.','Field group duplicated.'=>'% группа полей продублирована.' . "\0" . '%s группы полей продублировано.' . "\0" . '%s групп полей продублировано.','Active (%s)'=>'Активна (%s)' . "\0" . 'Активно (%s)' . "\0" . 'Активны (%s)','Review sites & upgrade'=>'Проверьте и обновите сайт','Upgrade Database'=>'Обновить базу данных','Custom Fields'=>'Произвольные поля','Move Field'=>'Переместить поле','Please select the destination for this field'=>'Выберите местоположение для этого поля','The %1$s field can now be found in the %2$s field group'=>'Поле %1$s теперь можно найти в группе полей %2$s','Move Complete.'=>'Движение завершено.','Active'=>'Активен','Field Keys'=>'Ключи полей','Settings'=>'Настройки','Location'=>'Местонахождение','Null'=>'Null','copy'=>'копировать','(this field)'=>'(текущее поле)','Checked'=>'Выбрано','Move Custom Field'=>'Переместить пользовательское поле','No toggle fields available'=>'Нет доступных переключаемых полей','Field group title is required'=>'Название группы полей обязательно','This field cannot be moved until its changes have been saved'=>'Это поле не может быть перемещено до сохранения изменений','The string "field_" may not be used at the start of a field name'=>'Строка "field_" не может использоваться в начале имени поля','Field group draft updated.'=>'Черновик группы полей обновлен.','Field group scheduled for.'=>'Группа полей запланирована на.','Field group submitted.'=>'Группа полей отправлена.','Field group saved.'=>'Группа полей сохранена.','Field group published.'=>'Группа полей опубликована.','Field group deleted.'=>'Группа полей удалена.','Field group updated.'=>'Группа полей обновлена.','Tools'=>'Инструменты','is not equal to'=>'не равно','is equal to'=>'равно','Forms'=>'Формы','Page'=>'Страница','Post'=>'Запись','Relational'=>'Отношение','Choice'=>'Выбор','Basic'=>'Базовый','Unknown'=>'Неизвестный','Field type does not exist'=>'Тип поля не существует','Spam Detected'=>'Обнаружение спама','Post updated'=>'Запись обновлена','Update'=>'Обновить','Validate Email'=>'Проверка Email','Content'=>'Содержимое','Title'=>'Заголовок','Edit field group'=>'Изменить группу полей','Selection is less than'=>'Отбор меньше, чем','Selection is greater than'=>'Отбор больше, чем','Value is less than'=>'Значение меньше чем','Value is greater than'=>'Значение больше чем','Value contains'=>'Значение содержит','Value matches pattern'=>'Значение соответствует паттерну','Value is not equal to'=>'Значение не равно','Value is equal to'=>'Значение равно','Has no value'=>'Не имеет значения','Has any value'=>'Имеет любое значение','Cancel'=>'Отмена','Are you sure?'=>'Вы уверены?','%d fields require attention'=>'%d полей требуют вашего внимания','1 field requires attention'=>'1 поле требует внимания','Validation failed'=>'Валидация не удалась','Validation successful'=>'Валидация пройдена успешно','Restricted'=>'Ограничено','Collapse Details'=>'Свернуть подробные сведения','Expand Details'=>'Развернуть подробные сведения','Uploaded to this post'=>'Загруженные для этой записи','verbUpdate'=>'Обновить','verbEdit'=>'Изменить','The changes you made will be lost if you navigate away from this page'=>'Внесенные вами изменения будут утеряны, если вы покинете эту страницу','File type must be %s.'=>'Тип файла должен быть %s.','or'=>'или','File size must not exceed %s.'=>'Размер файла не должен превышать %s.','File size must be at least %s.'=>'Размер файла должен быть не менее чем %s.','Image height must not exceed %dpx.'=>'Высота изображения не должна превышать %d px.','Image height must be at least %dpx.'=>'Высота изображения должна быть не менее %d px.','Image width must not exceed %dpx.'=>'Ширина изображения не должна превышать %d px.','Image width must be at least %dpx.'=>'Ширина изображения должна быть не менее %d px.','(no title)'=>'(без названия)','Full Size'=>'Полный','Large'=>'Большой','Medium'=>'Средний','Thumbnail'=>'Миниатюра','(no label)'=>'(без этикетки)','Sets the textarea height'=>'Задает высоту текстовой области','Rows'=>'Строки','Text Area'=>'Область текста','Prepend an extra checkbox to toggle all choices'=>'Добавьте дополнительный флажок, чтобы переключить все варианты','Save \'custom\' values to the field\'s choices'=>'Сохранить "пользовательские" значения для выбора поля','Allow \'custom\' values to be added'=>'Разрешить добавление «пользовательских» значений','Add new choice'=>'Добавить новый выбор','Toggle All'=>'Переключить все','Allow Archives URLs'=>'Разрешить URL-адреса архивов','Archives'=>'Архивы','Page Link'=>'Ссылка на страницу','Add'=>'Добавить','Name'=>'Имя','%s added'=>'%s добавлен','%s already exists'=>'%s уже существует','User unable to add new %s'=>'У пользователя нет возможности добавить новый %s','Term ID'=>'ID термина','Term Object'=>'Объект термина','Load value from posts terms'=>'Загрузить значения из терминов записей','Load Terms'=>'Загрузить термины','Connect selected terms to the post'=>'Связать выбранные термины с записью','Save Terms'=>'Сохранение терминов','Allow new terms to be created whilst editing'=>'Разрешить создание новых терминов во время редактирования','Create Terms'=>'Создание терминов','Radio Buttons'=>'Кнопки-переключатели','Single Value'=>'Одиночная значение','Multi Select'=>'Множественный выбор','Checkbox'=>'Флажок','Multiple Values'=>'Несколько значений','Select the appearance of this field'=>'Выберите способ отображения поля','Appearance'=>'Внешний вид','Select the taxonomy to be displayed'=>'Выберите таксономию для отображения','No TermsNo %s'=>'Нет %s','Value must be equal to or lower than %d'=>'Значение должно быть равным или меньшим чем %d','Value must be equal to or higher than %d'=>'Значение должно быть равным или больше чем %d','Value must be a number'=>'Значение должно быть числом','Number'=>'Число','Save \'other\' values to the field\'s choices'=>'Сохранить значения "другое" в выборы поля','Add \'other\' choice to allow for custom values'=>'Выберите значение "Другое", чтобы разрешить настраиваемые значения','Other'=>'Другое','Radio Button'=>'Кнопка-переключатель','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Определяет конечную точку предыдущего аккордеона. Данный аккордеон будет невидим.','Allow this accordion to open without closing others.'=>'Позвольте этому аккордеону открываться, не закрывая другие.','Multi-Expand'=>'Многократное расширение','Display this accordion as open on page load.'=>'Отображать этот аккордеон как открытый при загрузке страницы.','Open'=>'Открыть','Accordion'=>'Аккордеон','Restrict which files can be uploaded'=>'Ограничить файлы, которые могут быть загружены','File ID'=>'ID файла','File URL'=>'URL файла','File Array'=>'Массив файлов','Add File'=>'Добавить файл','No file selected'=>'Файл не выбран','File name'=>'Имя файла','Update File'=>'Обновить файл','Edit File'=>'Изменить файл','Select File'=>'Выбрать файл','File'=>'Файл','Password'=>'Пароль','Specify the value returned'=>'Укажите возвращаемое значение','Use AJAX to lazy load choices?'=>'Использовать AJAX для отложенной загрузки вариантов?','Enter each default value on a new line'=>'Введите каждое значение по умолчанию с новой строки','verbSelect'=>'Выбрать','Select2 JS load_failLoading failed'=>'Загрузка не удалась','Select2 JS searchingSearching…'=>'Поиск…','Select2 JS load_moreLoading more results…'=>'Загрузить больше результатов…','Select2 JS selection_too_long_nYou can only select %d items'=>'Вы можете выбрать только %d элементов','Select2 JS selection_too_long_1You can only select 1 item'=>'Можно выбрать только 1 элемент','Select2 JS input_too_long_nPlease delete %d characters'=>'Удалите %d символов','Select2 JS input_too_long_1Please delete 1 character'=>'Удалите 1 символ','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Введите %d или больше символов','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Введите 1 или более символов','Select2 JS matches_0No matches found'=>'Соответствий не найдено','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d значений доступно, используйте клавиши вверх и вниз для навигации.','Select2 JS matches_1One result is available, press enter to select it.'=>'Доступен один результат, нажмите Enter, чтобы выбрать его.','nounSelect'=>'Выбрать','User ID'=>'ID пользователя','User Object'=>'Объект пользователя','User Array'=>'Массив пользователя','All user roles'=>'Все роли пользователей','Filter by Role'=>'Фильтровать по роли','User'=>'Пользователь','Separator'=>'Разделитель','Select Color'=>'Выбрать цвет','Default'=>'По умолчанию','Clear'=>'Сброс','Color Picker'=>'Цветовая палитра','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'ПП','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'ДП','Date Time Picker JS selectTextSelect'=>'Выбрать','Date Time Picker JS closeTextDone'=>'Готово','Date Time Picker JS currentTextNow'=>'Сейчас','Date Time Picker JS timezoneTextTime Zone'=>'Часовой пояс','Date Time Picker JS microsecTextMicrosecond'=>'Микросекунда','Date Time Picker JS millisecTextMillisecond'=>'Миллисекунда','Date Time Picker JS secondTextSecond'=>'Секунда','Date Time Picker JS minuteTextMinute'=>'Минута','Date Time Picker JS hourTextHour'=>'Час','Date Time Picker JS timeTextTime'=>'Время','Date Time Picker JS timeOnlyTitleChoose Time'=>'Выберите время','Date Time Picker'=>'Выбор даты и времени','Endpoint'=>'Конечная точка','Left aligned'=>'Выровнено по левому краю','Top aligned'=>'Выровнено по верхнему краю','Placement'=>'Расположение','Tab'=>'Вкладка','Value must be a valid URL'=>'Значение должно быть допустимым URL','Link URL'=>'URL ссылки','Link Array'=>'Массив ссылок','Opens in a new window/tab'=>'Откроется на новой вкладке','Select Link'=>'Выбрать ссылку','Link'=>'Ссылка','Email'=>'Email','Step Size'=>'Шаг изменения','Maximum Value'=>'Макс. значение','Minimum Value'=>'Минимальное значение','Range'=>'Диапазон','Both (Array)'=>'Оба (массив)','Label'=>'Этикетка','Value'=>'Значение','Vertical'=>'Вертикально','Horizontal'=>'Горизонтально','red : Red'=>'red : Красный','For more control, you may specify both a value and label like this:'=>'Для большего контроля вы можете указать и значение, и этикетку следующим образом:','Enter each choice on a new line.'=>'Введите каждый вариант с новой строки.','Choices'=>'Варианты','Button Group'=>'Группа кнопок','Allow Null'=>'Разрешить Null','Parent'=>'Родитель','TinyMCE will not be initialized until field is clicked'=>'TinyMCE не будет инициализирован, пока не будет нажато поле','Delay Initialization'=>'Задержка инициализации','Show Media Upload Buttons'=>'Показать кнопки загрузки медиа файлов','Toolbar'=>'Верхняя панель','Text Only'=>'Только текст','Visual Only'=>'Только визуально','Visual & Text'=>'Визуально и текст','Tabs'=>'Вкладки','Click to initialize TinyMCE'=>'Нажмите для инициализации TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Текст','Visual'=>'Визуально','Value must not exceed %d characters'=>'Значение не должно превышать %d символов','Leave blank for no limit'=>'Оставьте пустым, чтобы не ограничивать','Character Limit'=>'Ограничение кол-ва символов','Appears after the input'=>'Появляется после ввода','Append'=>'Добавить','Appears before the input'=>'Появляется перед вводом','Prepend'=>'Добавить в начало','Appears within the input'=>'Появляется перед полем ввода','Placeholder Text'=>'Текст-заполнитель','Appears when creating a new post'=>'Появляется при создании новой записи','Text'=>'Текст','Post ID'=>'ID записи','Post Object'=>'Объект записи','Maximum Posts'=>'Макс. кол-во записей','Minimum Posts'=>'Мин. кол-во записей','Featured Image'=>'Изображение записи','Selected elements will be displayed in each result'=>'Выбранные элементы будут отображены в каждом результате','Elements'=>'Элементы','Taxonomy'=>'Таксономия','Post Type'=>'Тип записи','Filters'=>'Фильтры','All taxonomies'=>'Все таксономии','Filter by Taxonomy'=>'Фильтрация по таксономии','All post types'=>'Все типы записи','Filter by Post Type'=>'Фильтрация по типу записей','Search...'=>'Поиск...','Select taxonomy'=>'Выбрать таксономию','Select post type'=>'Выбрать тип записи','No matches found'=>'Соответствий не найдено','Loading'=>'Загрузка','Maximum values reached ( {max} values )'=>'Достигнуты макс. значения ( {max} values )','Relationship'=>'Родственные связи','Comma separated list. Leave blank for all types'=>'Для разделения типов файлов используйте запятые. Оставьте поле пустым для разрешения загрузки всех файлов','Allowed File Types'=>'Разрешенные типы файлов','Maximum'=>'Максимум','File size'=>'Размер файла','Restrict which images can be uploaded'=>'Ограничить изображения, которые могут быть загружены','Minimum'=>'Минимум','Uploaded to post'=>'Загружено в запись','All'=>'Все','Limit the media library choice'=>'Ограничить выбор из библиотеки файлов','Library'=>'Библиотека','Preview Size'=>'Размер предпросмотра','Image ID'=>'ID изображения','Image URL'=>'URL изображения','Image Array'=>'Массив изображения','Specify the returned value on front end'=>'Укажите возвращаемое значение на фронтедне','Return Value'=>'Возвращаемое значение','Add Image'=>'Добавить изображение','No image selected'=>'Изображение не выбрано','Remove'=>'Удалить','Edit'=>'Изменить','All images'=>'Все изображения','Update Image'=>'Обновить изображение','Edit Image'=>'Редактировать','Select Image'=>'Выбрать изображение','Image'=>'Изображение','Allow HTML markup to display as visible text instead of rendering'=>'Разрешить HTML-разметке отображаться в виде видимого текста вместо отрисовки','Escape HTML'=>'Escape HTML','No Formatting'=>'Без форматирования','Automatically add <br>'=>'Автоматически добавлять <br>','Automatically add paragraphs'=>'Автоматически добавлять абзацы','Controls how new lines are rendered'=>'Управляет отрисовкой новых линий','New Lines'=>'Новые строки','Week Starts On'=>'Неделя начинается с','The format used when saving a value'=>'Формат, используемый при сохранении значения','Save Format'=>'Сохранить формат','Date Picker JS weekHeaderWk'=>'Нед.','Date Picker JS prevTextPrev'=>'Назад','Date Picker JS nextTextNext'=>'Далее','Date Picker JS currentTextToday'=>'Сегодня','Date Picker JS closeTextDone'=>'Готово','Date Picker'=>'Выбор даты','Width'=>'Ширина','Embed Size'=>'Размер встраивания','Enter URL'=>'Введите URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Текст отображается, когда он неактивен','Off Text'=>'Отключить текст','Text shown when active'=>'Текст, отображаемый при активности','On Text'=>'На тексте','Stylized UI'=>'Стилизованный интерфейс','Default Value'=>'Значение по умолчанию','Displays text alongside the checkbox'=>'Отображать текст рядом с флажком','Message'=>'Сообщение','No'=>'Нет','Yes'=>'Да','True / False'=>'True / False','Row'=>'Строка','Table'=>'Таблица','Block'=>'Блок','Specify the style used to render the selected fields'=>'Укажите стиль, используемый для отрисовки выбранных полей','Layout'=>'Макет','Sub Fields'=>'Вложенные поля','Group'=>'Группа','Customize the map height'=>'Настройка высоты карты','Height'=>'Высота','Set the initial zoom level'=>'Укажите начальный масштаб','Zoom'=>'Увеличить','Center the initial map'=>'Центрировать начальную карту','Center'=>'По центру','Search for address...'=>'Поиск по адресу...','Find current location'=>'Определить текущее местоположение','Clear location'=>'Очистить местоположение','Search'=>'Поиск','Sorry, this browser does not support geolocation'=>'Ваш браузер не поддерживает определение местоположения','Google Map'=>'Google Карта','The format returned via template functions'=>'Формат, возвращаемый через функции шаблона','Return Format'=>'Формат возврата','Custom:'=>'Пользовательский:','The format displayed when editing a post'=>'Формат, отображаемый при редактировании записи','Display Format'=>'Отображаемый формат','Time Picker'=>'Подборщик времени','Inactive (%s)'=>'Неактивен (%s)' . "\0" . 'Неактивны (%s)' . "\0" . 'Неактивно (%s)','No Fields found in Trash'=>'Поля не найдены в корзине','No Fields found'=>'Поля не найдены','Search Fields'=>'Поиск полей','View Field'=>'Просмотреть поле','New Field'=>'Новое поле','Edit Field'=>'Изменить поле','Add New Field'=>'Добавить новое поле','Field'=>'Поле','Fields'=>'Поля','No Field Groups found in Trash'=>'Группы полей не найдены в корзине','No Field Groups found'=>'Группы полей не найдены','Search Field Groups'=>'Найти группу полей','View Field Group'=>'Просмотреть группу полей','New Field Group'=>'Новая группа полей','Edit Field Group'=>'Редактирование группы полей','Add New Field Group'=>'Добавить новую группу полей','Add New'=>'Добавить новое','Field Group'=>'Группа полей','Field Groups'=>'Группы полей','Customize WordPress with powerful, professional and intuitive fields.'=>'Настройте WordPress с помощью мощных, профессиональных и интуитивно понятных полей.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s значение требуется','%s settings'=>'Настройки','Options Updated'=>'Настройки были обновлены','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Для разблокировки обновлений введите ваш лицензионный ключ на странице Обновление. Если у вас его нет, то ознакомьтесь с деталями.','ACF Activation Error. An error occurred when connecting to activation server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Check Again'=>'Проверить еще раз','ACF Activation Error. Could not connect to activation server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Publish'=>'Опубликовано','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'С этой страницей настроек не связаны группы полей. Создать группу полей','Error. Could not connect to update server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Во время проверки лицензии, которая связана с адресом сайта, возникла ошибка. Пожалуйста, выполните активацию снова','Select one or more fields you wish to clone'=>'Выберите одно или несколько полей, которые вы хотите клонировать','Display'=>'Способ отображения','Specify the style used to render the clone field'=>'Выберите стиль отображения клонированных полей','Group (displays selected fields in a group within this field)'=>'Группа (сгруппировать выбранные поля в одно и выводить вместо текущего)','Seamless (replaces this field with selected fields)'=>'Отдельно (выбранные поля выводятся отдельно вместо текущего)','Labels will be displayed as %s'=>'Ярлыки будут отображаться как %s','Prefix Field Labels'=>'Префикс для ярлыков полей','Values will be saved as %s'=>'Значения будут сохранены как %s','Prefix Field Names'=>'Префикс для названий полей','Unknown field'=>'Неизвестное поле','Unknown field group'=>'Неизвестная группа полей','All fields from %s field group'=>'Все поля группы %s','Add Row'=>'Добавить','layout'=>'макет' . "\0" . 'макета' . "\0" . 'макетов','layouts'=>'макеты','This field requires at least {min} {label} {identifier}'=>'Это поле требует как минимум {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Это поле ограничено {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} доступно (максимум {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} требуется (минимум {min})','Flexible Content requires at least 1 layout'=>'Для гибкого содержания требуется как минимум один макет','Click the "%s" button below to start creating your layout'=>'Нажмите на кнопку "%s" ниже для начала создания собственного макета','Add layout'=>'Добавить макет','Duplicate layout'=>'Дублировать макет','Remove layout'=>'Удалить макет','Click to toggle'=>'Нажмите для переключения','Delete Layout'=>'Удалить макет','Duplicate Layout'=>'Дублировать макет','Add New Layout'=>'Добавить новый макет','Add Layout'=>'Добавить макет','Min'=>'Минимум','Max'=>'Максимум','Minimum Layouts'=>'Мин. количество блоков','Maximum Layouts'=>'Макс. количество блоков','Button Label'=>'Текст кнопки добавления','Add Image to Gallery'=>'Добавление изображений в галерею','Maximum selection reached'=>'Выбрано максимальное количество изображений','Length'=>'Длина','Caption'=>'Подпись','Alt Text'=>'Текст в ALT','Add to gallery'=>'Добавить изображения','Bulk actions'=>'Сортировка','Sort by date uploaded'=>'По дате загрузки','Sort by date modified'=>'По дате изменения','Sort by title'=>'По названию','Reverse current order'=>'Инвертировать','Close'=>'Закрыть','Minimum Selection'=>'Мин. количество изображений','Maximum Selection'=>'Макс. количество изображений','Allowed file types'=>'Допустимые типы файлов','Insert'=>'Добавить','Specify where new attachments are added'=>'Укажите куда добавлять новые вложения','Append to the end'=>'Добавлять в конец','Prepend to the beginning'=>'Добавлять в начало','Minimum rows not reached ({min} rows)'=>'Достигнуто минимальное количество ({min} элементов)','Maximum rows reached ({max} rows)'=>'Достигнуто максимальное количество ({max} элементов)','Error loading page'=>'Возникла ошибка при загрузке обновления','Rows Per Page'=>'Страница записей','Set the number of rows to be displayed on a page.'=>'Выберите таксономию для отображения','Minimum Rows'=>'Мин. количество элементов','Maximum Rows'=>'Макс. количество элементов','Collapsed'=>'Сокращенный заголовок','Select a sub field to show when row is collapsed'=>'Выберите поле, которое будет отображаться в качестве заголовка при сворачивании блока','Click to reorder'=>'Потяните для изменения порядка','Add row'=>'Добавить','Duplicate row'=>'Дублировать','Remove row'=>'Удалить','Current Page'=>'Текущий пользователь','First Page'=>'Главная страница','Previous Page'=>'Страница записей','Next Page'=>'Главная страница','Last Page'=>'Страница записей','No block types exist'=>'Страницы с настройками отсуствуют','No options pages exist'=>'Страницы с настройками отсуствуют','Deactivate License'=>'Деактивировать лицензию','Activate License'=>'Активировать лицензию','License Information'=>'Информация о лицензии','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Для разблокирования обновлений введите лицензионный ключ ниже. Если у вас его нет, то ознакомьтесь с деталями.','License Key'=>'Номер лицензии','Retry Activation'=>'Код активации','Update Information'=>'Обновления','Current Version'=>'Текущая версия','Latest Version'=>'Последняя версия','Update Available'=>'Обновления доступны','Upgrade Notice'=>'Замечания по обновлению','Enter your license key to unlock updates'=>'Пожалуйста введите ваш номер лицензии для разблокировки обновлений','Update Plugin'=>'Обновить плагин','Please reactivate your license to unlock updates'=>'Пожалуйста введите ваш номер лицензии для разблокировки обновлений']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'По умолчанию этот параметр могут редактировать только администраторы.','By default only super admin users can edit this setting.'=>'По умолчанию этот параметр могут редактировать только суперадминистраторы.','Close and Add Field'=>'Закрыть и добавить поле','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Имя PHP функции, которая будет вызвана для обработки содержимого мета-блока в вашей таксономии. Для безопасности этот обратный вызов будет выполняться в специальном контексте без доступа к каким-либо суперглобальным переменным, таким как $_POST или $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Имя PHP-функции, которая будет вызвана при настройке мета-боксов для экрана редактирования. Для безопасности этот обратный вызов будет выполняться в специальном контексте без доступа к каким-либо суперглобальным переменным, таким как $_POST или $_GET.','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'Разрешить доступ к значению в пользовательском интерфейсе редактора','Learn more.'=>'Узнать больше.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[Шорткод ACF не может отображать поля из непубличных записей]','[The ACF shortcode is disabled on this site]'=>'[Шорткод ACF отключен на этом сайте]','Businessman Icon'=>'Иконка Бизнесмен','Forums Icon'=>'Иконка Форумы','YouTube Icon'=>'Иконка YouTube','Yes (alt) Icon'=>'Иконка Да (alt)','Xing Icon'=>'Иконка Xing','WordPress (alt) Icon'=>'Иконка WordPress (alt)','WhatsApp Icon'=>'Иконка WhatsApp','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'Иконка Показать сайт','Learn More Icon'=>'Иконка Узнать больше','Add Page Icon'=>'Иконка Добавить страницу','Video (alt3) Icon'=>'Иконка Видео (alt3)','Video (alt2) Icon'=>'Иконка Видео (alt2)','Video (alt) Icon'=>'Иконка Видео (alt)','Update (alt) Icon'=>'Иконка Обновить (alt)','Universal Access (alt) Icon'=>'Иконка Универсальный доступ (alt)','Twitter (alt) Icon'=>'Иконка Twitter (alt)','Twitch Icon'=>'Иконка Twitch','Tide Icon'=>'','Tickets (alt) Icon'=>'Иконка Билеты (alt)','Text Page Icon'=>'Иконка Текстовая страница','Table Row Delete Icon'=>'Иконка Удалить строку таблицы','Table Row Before Icon'=>'Иконка Перед строкой таблицы','Table Row After Icon'=>'Иконка После строки таблицы','Table Col Delete Icon'=>'Иконка Удалить колонку таблицы','Table Col Before Icon'=>'Иконка Перед колонкой таблицы','Table Col After Icon'=>'Иконка После колонки таблицы','Superhero (alt) Icon'=>'Иконка Супергерой (alt)','Superhero Icon'=>'Иконка Супергерой','Spotify Icon'=>'Иконка Spotify','Shortcode Icon'=>'Иконка Шорткод','Shield (alt) Icon'=>'Иконка Щит (alt)','Share (alt2) Icon'=>'Иконка Поделиться (alt2)','Share (alt) Icon'=>'Иконка Поделиться (alt)','Saved Icon'=>'Иконка Сохранено','RSS Icon'=>'Иконка RSS','REST API Icon'=>'Иконка REST API','Remove Icon'=>'Иконка Удалить','Reddit Icon'=>'Ааываыва','Privacy Icon'=>'Иконка Приватность','Printer Icon'=>'Иконка Принтер','Podio Icon'=>'Иконка Радио','Plus (alt2) Icon'=>'Иконка Плюс (alt2)','Plus (alt) Icon'=>'Иконка Плюс (alt)','Plugins Checked Icon'=>'','Pinterest Icon'=>'Иконка Pinterest','Pets Icon'=>'Иконка Питомцы','PDF Icon'=>'Иконка PDF','Palm Tree Icon'=>'Иконка Пальмовое дерево','Open Folder Icon'=>'Иконка Открыть папку','No (alt) Icon'=>'Иконка Нет (alt)','Money (alt) Icon'=>'Иконка Деньги (alt)','Menu (alt3) Icon'=>'Иконка Меню (alt3)','Menu (alt2) Icon'=>'Иконка Меню (alt2)','Menu (alt) Icon'=>'Иконка Меню (alt)','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'Иконка Документ','Default Icon'=>'Иконка По умолчанию','Location (alt) Icon'=>'Иконка Местоположение (alt)','LinkedIn Icon'=>'Иконка LinkedIn','Instagram Icon'=>'Иконка Instagram','Insert Before Icon'=>'Иконка Вставить перед','Insert After Icon'=>'Иконка Вставить после','Insert Icon'=>'Иконка Вставить','Info Outline Icon'=>'','Images (alt2) Icon'=>'Иконка Изображения (alt2)','Images (alt) Icon'=>'Иконка Изображения (alt)','Rotate Right Icon'=>'Иконка Повернуть вправо','Rotate Left Icon'=>'Иконка Повернуть влево','Rotate Icon'=>'Иконка Повернуть','Flip Vertical Icon'=>'Иконка Отразить по вертикали','Flip Horizontal Icon'=>'Иконка Отразить по горизонтали','Crop Icon'=>'Иконка Обрезать','ID (alt) Icon'=>'Иконка ID (alt)','HTML Icon'=>'Иконка HTML','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'Иконка Google','Games Icon'=>'Иконка Игры','Fullscreen Exit (alt) Icon'=>'Иконка Выйти из полноэкранного режима','Fullscreen (alt) Icon'=>'Иконка Полноэкранный режим (alt)','Status Icon'=>'Иконка Статус','Image Icon'=>'Иконка Изображение','Gallery Icon'=>'Иконка Галерея','Chat Icon'=>'Иконка Чат','Audio Icon'=>'Иконка Аудио','Aside Icon'=>'Иконка Сайдбар','Food Icon'=>'Иконка Еда','Exit Icon'=>'Иконка Выйти','Excerpt View Icon'=>'Иконка Отрывок','Embed Video Icon'=>'Иконка Встроенное видео','Embed Post Icon'=>'Иконка Встроенная запись','Embed Photo Icon'=>'Иконка Встроенное фото','Embed Generic Icon'=>'','Embed Audio Icon'=>'Иконка Встроенное аудио','Email (alt2) Icon'=>'Иконка Email (alt2)','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'Иконка Редактировать страницу','Edit Large Icon'=>'','Drumstick Icon'=>'Иконка Барабанная палочка','Database View Icon'=>'Иконка Отобразить базу данных','Database Remove Icon'=>'Иконка Удалить базу данных','Database Import Icon'=>'Иконка Импорт базы данных','Database Export Icon'=>'Иконка Экспорт базы данных','Database Add Icon'=>'Иконка Добавить базу данных','Database Icon'=>'Иконка База данных','Cover Image Icon'=>'','Volume On Icon'=>'Иконка Включить звук','Volume Off Icon'=>'Иконка Выключить звук','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'Иконка Повторить','Play Icon'=>'Иконка Воспроизвести','Pause Icon'=>'Иконка Пауза','Forward Icon'=>'Иконка Вперед','Back Icon'=>'Иконка Назад','Columns Icon'=>'Иконка Колонки','Color Picker Icon'=>'Иконка Подборщик цвета','Coffee Icon'=>'Иконка Кофе','Code Standards Icon'=>'Иконка Стандарты кода','Cloud Upload Icon'=>'Иконка Загрузить в облако','Cloud Saved Icon'=>'Иконка Сохранено в облаке','Car Icon'=>'Иконка Машина','Camera (alt) Icon'=>'Иконка Камера (alt)','Calculator Icon'=>'Иконка Калькулятор','Button Icon'=>'Иконка Кнопка','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'Иконка Темы','Replies Icon'=>'','PM Icon'=>'Иконка PM','Friends Icon'=>'Иконка Друзья','Community Icon'=>'Иконка Сообщество','BuddyPress Icon'=>'Иконка BuddyPress','bbPress Icon'=>'Иконка bbPress','Activity Icon'=>'Иконка Активность','Book (alt) Icon'=>'Иконка Книга (alt)','Block Default Icon'=>'','Bell Icon'=>'Иконка Колокол','Beer Icon'=>'Иконка Пиво','Bank Icon'=>'Иконка Банк','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'Иконка Amazon','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Иконка Самолет','Site (alt3) Icon'=>'Иконка Сайт (alt3)','Site (alt2) Icon'=>'Иконка Сайт (alt2)','Site (alt) Icon'=>'Иконка Сайт (alt)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Обновитесь до ACF PRO чтобы создавать страницы настроек в пару кликов','Invalid request args.'=>'Неверные аргументы запроса.','Sorry, you do not have permission to do that.'=>'Извините, у вас нет разрешения чтобы делать это.','Blocks Using Post Meta'=>'','ACF PRO logo'=>'Логотип ACF PRO','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'%s требует валидный ID вложения когда установлен тип media_library.','%s is a required property of acf.'=>'%s является обязательным свойством acf.','The value of icon to save.'=>'Значение иконки для сохранения.','The type of icon to save.'=>'Тип иконки для сохранения.','Yes Icon'=>'Иконка Да','WordPress Icon'=>'Иконка WordPress','Warning Icon'=>'Иконка Предупреждение','Visibility Icon'=>'Иконка Видимость','Vault Icon'=>'Иконка Хранилище','Upload Icon'=>'Иконка Загрузить','Update Icon'=>'Иконка Обновить','Unlock Icon'=>'Иконка Разблокировать','Universal Access Icon'=>'Иконка Универсальный доступ','Undo Icon'=>'Иконка Отменить','Twitter Icon'=>'Иконка Twitter','Trash Icon'=>'Иконка Мусорка','Translation Icon'=>'Иконка Перевод','Tickets Icon'=>'Иконка Билеты','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'Иконка Текст','Testimonial Icon'=>'','Tagcloud Icon'=>'Иконка Облако меток','Tag Icon'=>'Иконка Метка','Tablet Icon'=>'Иконка Планшет','Store Icon'=>'Иконка Магазин','Sticky Icon'=>'','Star Half Icon'=>'Иконка Звезда половина','Star Filled Icon'=>'Иконка Звезда заполненная','Star Empty Icon'=>'Иконка Звезда пустая','Sos Icon'=>'','Sort Icon'=>'Иконка Сортировать','Smiley Icon'=>'','Smartphone Icon'=>'Иконка Смартфон','Slides Icon'=>'Иконка Слайды','Shield Icon'=>'Иконка Щит','Share Icon'=>'Иконка Поделиться','Search Icon'=>'Иконка Поиск','Screen Options Icon'=>'','Schedule Icon'=>'Иконка Расписание','Redo Icon'=>'Иконка Повторить','Randomize Icon'=>'','Products Icon'=>'Иконка Товары','Pressthis Icon'=>'','Post Status Icon'=>'Иконка Статус записи','Portfolio Icon'=>'Иконка Портфолио','Plus Icon'=>'Иконка Плюс','Playlist Video Icon'=>'Иконка Видео плейлист','Playlist Audio Icon'=>'Иконка Аудио плейлист','Phone Icon'=>'Иконка Телефон','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'Иконка Нет','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'Иконка Переместить','Money Icon'=>'Иконка Деньги','Minus Icon'=>'Иконка Минус','Migrate Icon'=>'Иконка Перенос','Microphone Icon'=>'Иконка Микрофон','Megaphone Icon'=>'Иконка Мегафон','Marker Icon'=>'Иконка Маркер','Lock Icon'=>'Иконка Закрыть','Location Icon'=>'Иконка Местоположение','List View Icon'=>'','Lightbulb Icon'=>'Иконка Лампочка','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'Иконка Ноутбук','Info Icon'=>'Иконка Инфо','Index Card Icon'=>'','ID Icon'=>'Иконка ID','Hidden Icon'=>'','Heart Icon'=>'Иконка Сердце','Hammer Icon'=>'Иконка Молот','Groups Icon'=>'Иконка Группы','Grid View Icon'=>'','Forms Icon'=>'Иконка Формы','Flag Icon'=>'Иконка Флаг','Filter Icon'=>'Иконка Фильтр','Feedback Icon'=>'Иконка Обратная связь','Facebook (alt) Icon'=>'Иконка Facebook (alt)','Facebook Icon'=>'Иконка Facebook','External Icon'=>'','Email (alt) Icon'=>'Иконка Email (alt)','Email Icon'=>'Иконка Email','Video Icon'=>'Иконка Видео','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'Иконка Таблица','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'Иконка Цитата','Paste Word Icon'=>'Иконка Вставить слово','Paste Text Icon'=>'Иконка Вставить текст','Paragraph Icon'=>'Иконка Параграф','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'Иконка Курсив','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'Иконка Помощь','Expand Icon'=>'Иконка Развернуть','Contract Icon'=>'','Code Icon'=>'Иконка Код','Break Icon'=>'','Bold Icon'=>'Иконка Жирный','Edit Icon'=>'Иконка Редактировать','Download Icon'=>'','Dismiss Icon'=>'','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'Иконка Облако','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'','Cart Icon'=>'Иконка Корзина','Carrot Icon'=>'Иконка Морковка','Camera Icon'=>'Иконка Камера','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'','Book Icon'=>'Иконка Книга','Backup Icon'=>'Иконка Резервная копия','Awards Icon'=>'Иконка Награды','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'Иконка Альбом','Users Icon'=>'Иконка Пользователи','Tools Icon'=>'Иконка Инструменты','Site Icon'=>'Иконка Сайт','Settings Icon'=>'Иконка Настройки','Post Icon'=>'Иконка Запись','Plugins Icon'=>'Иконка Плагины','Page Icon'=>'Иконка Страница','Network Icon'=>'Иконка Сеть','Multisite Icon'=>'Иконка Мультисайт','Media Icon'=>'Иконка Медиа','Links Icon'=>'Иконка Ссылки','Home Icon'=>'Иконка Дом','Customizer Icon'=>'','Comments Icon'=>'Иконка Комментарии','Collapse Icon'=>'Иконка Свернуть','Appearance Icon'=>'Иконка Внешний вид','Generic Icon'=>'','Icon picker requires a value.'=>'Подборщик иконки требует значение.','Icon picker requires an icon type.'=>'Подборщик иконки требует тип иконки.','The available icons matching your search query have been updated in the icon picker below.'=>'Доступные иконки, соответствующие вашему поисковому запросу, были обновлены в подборщике иконки ниже.','No results found for that search term'=>'','Array'=>'Массив','String'=>'Строка','Specify the return format for the icon. %s'=>'Укажите формат возвращаемого значения для иконки. %s','Select where content editors can choose the icon from.'=>'Укажите откуда редакторы содержимого могут выбирать иконку.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URLиконки, которую вы хотите использовать или svg в качестве URI данных','Browse Media Library'=>'Открыть библиотеку файлов','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'Нажмите чтобы сменить иконку в библиотеке файлов','Search icons...'=>'Искать иконки...','Media Library'=>'Медиафайлы','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Интерактивный интерфейс для подбора иконки. Выбирайте среди Dashicons, из библиотеки файлов или используйте автономный ввод URL.','Icon Picker'=>'Подборщик иконки','JSON Load Paths'=>'Пути загрузки JSON','JSON Save Paths'=>'Пути сохранения JSON','Registered ACF Forms'=>'Зарегистрированные ACF формы','Shortcode Enabled'=>'Шорткод включен','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'Предварительная загрузка блока включена','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'Зарегистрированные ACF блоки','Light'=>'','Standard'=>'','REST API Format'=>'Формат REST API','Registered Options Pages (PHP)'=>'Зарегистрированные страницы настроек (PHP)','Registered Options Pages (JSON)'=>'Зарегистрированные страницы настроек (JSON)','Registered Options Pages (UI)'=>'Зарегистрированные страницы настроек (UI)','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'Зарегистрированные таксономии (JSON)','Registered Taxonomies (UI)'=>'Зарегистрированные таксономии (UI)','Registered Post Types (JSON)'=>'Зарегистрированные типы записей (JSON)','Registered Post Types (UI)'=>'Зарегистрированные типы записей (UI)','Post Types and Taxonomies Enabled'=>'Типы записей и таксономии включены','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'Группы полей включены для GraphQL','Field Groups Enabled for REST API'=>'Группы полей включены для REST API','Registered Field Groups (JSON)'=>'Зарегистрированные группы полей (JSON)','Registered Field Groups (PHP)'=>'Зарегистрированные группы полей (PHP)','Registered Field Groups (UI)'=>'Зарегистрированные группы полей (UI)','Active Plugins'=>'Активные плагины','Parent Theme'=>'Родительская тема','Active Theme'=>'Активная тема','Is Multisite'=>'Является мультисайтом','MySQL Version'=>'Версия MySQL','WordPress Version'=>'Версия WordPress','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'Бесплатный','Plugin Type'=>'Тип плагина','Plugin Version'=>'Версия плагина','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'В этом разделе содержится отладочная информация о конфигурации ACF, которая может быть полезна для предоставления в службу поддержки.','An ACF Block on this page requires attention before you can save.'=>'Блок ACF на этой странице требует внимания, прежде чем вы сможете сохранить.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'Поля ACF','ACF PRO Feature'=>'Функция ACF PRO','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'Пожалуйста, активируйте вашу лицензию ACF PRO чтобы редактировать эту страницу настроек.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Пожалуйста, свяжитесь с вашим администратором сайта или разработчиком чтобы узнать подробности.','Learn more'=>'Узнать больше','Hide details'=>'Скрыть подробности','Show details'=>'Показать подробности','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'','Manage License'=>'','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Добавить страницу настроек','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'','4 Months Free'=>'4 месяца бесплатно','(Duplicated from %s)'=>'(Скопировано из %s)','Select Options Pages'=>'Выберите страницы настроек','Duplicate taxonomy'=>'Скопировать таксономию','Create taxonomy'=>'Создать таксономию','Duplicate post type'=>'Скопировать тип записи','Create post type'=>'Создать тип записи','Link field groups'=>'Привязать группы полей','Add fields'=>'Добавить поля','This Field'=>'Это поле','ACF PRO'=>'ACF (PRO)','Feedback'=>'Обратная связь','Support'=>'Поддержка','is developed and maintained by'=>'разработан и поддерживается','Add this %s to the location rules of the selected field groups.'=>'Добавьте %s в правила местонахождения выбранных групп полей.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'Целевое поле','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'Двунаправленный','%s Field'=>'%s поле','Select Multiple'=>'Выбор нескольких пунктов','WP Engine logo'=>'Логотип WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Только буквы нижнего регистра, подчеркивания и дефисы. Максимум 32 символа.','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'Возможность управления терминами','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'Больше инструментов от WP Engine','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'Читать больше','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'Разблокируйте дополнительные функции и сделайте больше с ACF PRO','%s fields'=>'%s поля','No terms'=>'Нет терминов','No post types'=>'Нет типов записей','No posts'=>'Нет записей','No taxonomies'=>'Нет таксономий','No field groups'=>'Нет групп полей','No fields'=>'Нет полей','No description'=>'Нет описания','Any post status'=>'Любой статус записи','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Указанный ключ таксономии уже используется другой таксономией, зарегистрированной вне ACF, и не может быть использован.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Указанный ключ таксономии уже используется другой таксономией в ACF и не может быть использован.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Ключ таксономии должен содержать только буквенно-цифровые символы в нижнем регистре, знак подчеркивания или тире.','The taxonomy key must be under 32 characters.'=>'Ключ таксономии должен содержать не более 32 символов.','No Taxonomies found in Trash'=>'В корзине не найдено ни одной таксономии','No Taxonomies found'=>'Таксономии не найдены','Search Taxonomies'=>'Найти таксономии','View Taxonomy'=>'Смотреть таксономию','New Taxonomy'=>'Новая таксономия','Edit Taxonomy'=>'Править таксономию','Add New Taxonomy'=>'Добавить новую таксономию','No Post Types found in Trash'=>'В корзине не найдено ни одного типа записей','No Post Types found'=>'Типы записей не найдены','Search Post Types'=>'Найти типы записей','View Post Type'=>'Смотреть тип записи','New Post Type'=>'Новый тип записи','Edit Post Type'=>'Изменить тип записи','Add New Post Type'=>'Добавить новый тип записи','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Указанный ключ типа записи уже используется другим типом записи, зарегистрированным вне ACF, и не может быть использован.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Указанный ключ типа записи уже используется другим типом записи в ACF и не может быть использован.','This field must not be a WordPress reserved term.'=>'Это поле является зарезервированным термином WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Ключ типа записи должен содержать только буквенно-цифровые символы в нижнем регистре, знак подчеркивания или тире.','The post type key must be under 20 characters.'=>'Ключ типа записи должен содержать не более 20 символов.','We do not recommend using this field in ACF Blocks.'=>'Мы не рекомендуем использовать это поле в блоках ACF.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Показывает WordPress WYSIWYG редактор такой же, как в Записях или Страницах и позволяет редактировать текст, а также мультимедийное содержимое.','WYSIWYG Editor'=>'WYSIWYG редактор','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Позволяет выбрать одного или нескольких пользователей, которые могут быть использованы для создания взаимосвязей между объектами данных.','A text input specifically designed for storing web addresses.'=>'Текстовый поле, специально разработанное для хранения веб-адресов.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Переключатель, позволяющий выбрать значение 1 или 0 (включено или выключено, истинно или ложно и т.д.). Может быть представлен в виде стилизованного переключателя или флажка.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Интерактивный пользовательский интерфейс для выбора времени. Формат времени можно настроить с помощью параметров поля.','A basic textarea input for storing paragraphs of text.'=>'Простая текстовая область для хранения абзацев текста.','A basic text input, useful for storing single string values.'=>'Простое текстовое поле, предназначенное для хранения однострочных значений.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Позволяет выбрать один или несколько терминов таксономии на основе критериев и параметров, указанных в настройках полей.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Позволяет группировать поля в разделы с вкладками на экране редактирования. Полезно для упорядочивания и структурирования полей.','A dropdown list with a selection of choices that you specify.'=>'Выпадающий список с заданными вариантами выбора.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Двухколоночный интерфейс для выбора одной или нескольких записей, страниц или элементов пользовательских типов записей, чтобы создать связь с элементом, который вы сейчас редактируете. Включает опции поиска и фильтрации.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Поле выбора числового значения в заданном диапазоне с помощью ползунка диапазона.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Группа радиокнопок, позволяющих пользователю выбрать одно из заданных вами значений.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Интерактивный и настраиваемый интерфейс для выбора одной или нескольких записей, страниц или типов записей с возможностью поиска. ','An input for providing a password using a masked field.'=>'Ввод пароля с помощью замаскированного поля.','Filter by Post Status'=>'Фильтр по статусу записи','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Интерактивный компонент для вставки видео, изображений, твитов, аудио и другого контента с использованием встроенной в WordPress функциональности oEmbed.','An input limited to numerical values.'=>'Ввод ограничен числовыми значениями.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Используется для отображения сообщения для редакторов рядом с другими полями. Полезно для предоставления дополнительного контекста или инструкций по работе с полями.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Позволяет указать ссылку и ее свойства, такие как заголовок и цель, используя встроенный в WordPress подборщик ссылок.','Uses the native WordPress media picker to upload, or choose images.'=>'Использует встроенный в WordPress подборщик медиа для загрузки или выбора изображений.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Предоставляет возможность структурировать поля по группам, чтобы лучше организовать данные и экран редактирования.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'Использует встроенный в WordPress медиа подборщик чтобы загружать или выбирать файлы.','A text input specifically designed for storing email addresses.'=>'Текстовый ввод, специально предназначенный для хранения адресов электронной почты.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Группа полей с флажками, которые позволяют пользователю выбрать одно или несколько из заданных вами значений.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Группа кнопок с указанными вами значениями, пользователи могут выбрать одну опцию из представленных значений.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Позволяет ваш группировать и организовывать пользовательские поля в сворачиваемые панели, которые отображаются при редактировании содержимого. Полезно для поддержания порядка в больших наборах данных.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Клонировать','PRO'=>'PRO','Advanced'=>'Дополнительно','JSON (newer)'=>'JSON (более новая версия)','Original'=>'Оригинальный','Invalid post ID.'=>'Неверный ID записи.','Invalid post type selected for review.'=>'','More'=>'Читать далее','Tutorial'=>'Руководство','Select Field'=>'Выбрать поля','Try a different search term or browse %s'=>'Попробуйте другой поисковый запрос или просмотрите %s','Popular fields'=>'Популярные поля','No search results for \'%s\''=>'Нет результатов поиска для \'%s\'','Search fields...'=>'Поля поиска...','Select Field Type'=>'Выбрать тип поля','Popular'=>'Популярные','Add Taxonomy'=>'Добавить таксономию','Create custom taxonomies to classify post type content'=>'Создание пользовательских таксономий для классификации содержимого типов записей','Add Your First Taxonomy'=>'Добавьте свою первую таксономию','Hierarchical taxonomies can have descendants (like categories).'=>'Иерархические таксономии могут иметь потомков (например, категории).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Сделать видимой таксономию на фронтенде и в админпанели.','One or many post types that can be classified with this taxonomy.'=>'Один или несколько типов записей, которые можно классифицировать с помощью данной таксономии.','genre'=>'жанр','Genre'=>'Жанр','Genres'=>'Жанры','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'Настроить слаг, используемое в URL','Permalinks for this taxonomy are disabled.'=>'Постоянные ссылки для этой таксономии отключены.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Перепишите URL, используя ключ таксономии в качестве слага. Ваша структура постоянных ссылок будет выглядеть следующим образом','Taxonomy Key'=>'Ключ таксономии','Select the type of permalink to use for this taxonomy.'=>'Выберите тип постоянной ссылки для этой таксономии.','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'Отображать столбец админа','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'Быстрое редактирование','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'Облако меток','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Название PHP-функции, вызываемой для санации данных таксономии, сохраненных из мета-бокса.','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'Регистрация обратного вызова метабокса','No Meta Box'=>'Отсутствует метабокс','Custom Meta Box'=>'Произвольный метабокс','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Блок метаданных','Categories Meta Box'=>'Категории метабокса','Tags Meta Box'=>'Теги метабокса','A link to a tag'=>'Ссылка на метку','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'Ссылка на %s','Tag Link'=>'Ссылка метки','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Перейти к меткам','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'Вернуться к элементам','← Go to %s'=>'← Перейти к %s','Tags list'=>'Список меток','Assigns text to the table hidden heading.'=>'Присваивает текст скрытому заголовку таблицы.','Tags list navigation'=>'Навигация по списку меток','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Фильтр по рубрике','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'Фильтр по элементу','Filter by %s'=>'Фильтр по %s','The description is not prominent by default; however, some themes may show it.'=>'Описание по умолчанию не отображается, однако некоторые темы могут его показывать.','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Назначьте родительский термин для создания иерархии. Термин "Джаз", например, будет родителем для "Бибопа" и "Биг-бэнда".','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'Описание родительского поля','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'Описание поля слага','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'Описание имени слага','No tags'=>'Меток нет','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Назначает текст, отображаемый в таблицах постов и списка медиафайлов при отсутствии тегов и категорий.','No Terms'=>'Нет терминов','No %s'=>'Нет %s','No tags found'=>'Метки не найдены','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Не найдено','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Часто используемое','Choose from the most used tags'=>'Выбрать из часто используемых меток','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Выберите из наиболее часто используемых','Choose from the most used %s'=>'Выберите из наиболее часто используемых %s','Add or remove tags'=>'Добавить или удалить метки','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Добавить или удалить элементы','Add or remove %s'=>'Добавить или удалить %s','Separate tags with commas'=>'Метки разделяются запятыми','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Разделять элементы запятыми','Separate %s with commas'=>'Разделять %s запятыми','Popular Tags'=>'Популярные метки','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'Популярные элементы','Popular %s'=>'Популярные %s','Search Tags'=>'Поиск меток','Assigns search items text.'=>'Назначает текст элементов поиска.','Parent Category:'=>'Родительская рубрика:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'Родительский элемент через двоеточие','Parent Category'=>'Родительская рубрика','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'Родительский элемент','Parent %s'=>'Родитель %s','New Tag Name'=>'Название новой метки','Assigns the new item name text.'=>'Присваивает новый текст названия элемента.','New Item Name'=>'Название нового элемента','New %s Name'=>'Новое %s название','Add New Tag'=>'Добавить новую метку','Assigns the add new item text.'=>'','Update Tag'=>'Обновить метку','Assigns the update item text.'=>'','Update Item'=>'Обновить элемент','Update %s'=>'Обновить %s','View Tag'=>'Просмотреть метку','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Изменить метку','At the top of the editor screen when editing a term.'=>'','All Tags'=>'Все метки','Assigns the all items text.'=>'Назначает всем элементам текст.','Assigns the menu name text.'=>'','Menu Label'=>'Этикетка меню','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'Описание термина','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'Ярлык термина','The name of the default term.'=>'Название термина по умолчанию.','Term Name'=>'Название термина','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Создайте термин для таксономии, который не может быть удален. По умолчанию он не будет выбран для записей.','Default Term'=>'Термин по умолчанию','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'Сортировать термины','Add Post Type'=>'Добавить тип записи','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Расширьте функциональность WordPress за пределы стандартных записей и страниц с помощью пользовательских типов постов.','Add Your First Post Type'=>'Добавьте свой первый тип записи','I know what I\'m doing, show me all the options.'=>'Я знаю, что делаю, покажи мне все варианты.','Advanced Configuration'=>'Расширенная конфигурация','Hierarchical post types can have descendants (like pages).'=>'Иерархические типы записей могут иметь потомков (например, страницы).','Hierarchical'=>'Иерархическая','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'Открыто','movie'=>'фильм','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'Фильм','Singular Label'=>'Одиночная этикетка','Movies'=>'Фильмы','Plural Label'=>'Подпись множественного числа','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'Класс контроллера','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'Базовый URL','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'Показывать в REST API','Customize the query variable name.'=>'','Query Variable'=>'Переменная запроса','No Query Variable Support'=>'Нет поддержки переменных запросов','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'Доступ к URL-адресам элемента и элементов можно получить с помощью строки запроса.','Publicly Queryable'=>'Публично запрашиваемый','Custom slug for the Archive URL.'=>'','Archive Slug'=>'Ярлык архива','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Архив','Pagination support for the items URLs such as the archives.'=>'Поддержка пагинации для URL элементов, таких как архивы.','Pagination'=>'Разделение на страницы','RSS feed URL for the post type items.'=>'','Feed URL'=>'URL фида','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'Ярлык URL','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'Произвольная постоянная ссылка','Post Type Key'=>'Ключ типа записи','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'Удаление элементов, созданных пользователем, при удалении этого пользователя.','Delete With User'=>'Удалить вместе с пользователем','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Разрешить экспорт типа сообщения из «Инструменты»> «Экспорт».','Can Export'=>'Можно экспортировать','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'Выберите другой тип записи, чтобы использовать возможности этого типа записи.','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'Исключить из поиска','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'Поддержка меню внешнего вида','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'Показать на панели админа','Custom Meta Box Callback'=>'','Menu Icon'=>'Значок меню','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'Позиция меню','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'Родительское меню администратора','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'Показывать в меню админа','Items can be edited and managed in the admin dashboard.'=>'Управлять элементами и изменять их можно в консоли администратора.','Show In UI'=>'','A link to a post.'=>'Ссылка на запись.','Description for a navigation link block variation.'=>'','Item Link Description'=>'Описание ссылки на элемент','A link to a %s.'=>'Ссылка на %s.','Post Link'=>'Ссылка записи','Title for a navigation link block variation.'=>'Заголовок для вариации блока навигационных ссылок.','Item Link'=>'Ссылка элемента','%s Link'=>'Cсылка на %s','Post updated.'=>'Запись обновлена.','In the editor notice after an item is updated.'=>'','Item Updated'=>'Элемент обновлен','%s updated.'=>'%s обновлён.','Post scheduled.'=>'Запись запланирована к публикации.','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'Элемент запланирован','%s scheduled.'=>'%s запланировано.','Post reverted to draft.'=>'Запись возвращена в черновики.','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'%s преобразован в черновик.','Post published privately.'=>'Запись опубликована как личная.','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'Элемент опубликован приватно','%s published privately.'=>'%s опубликована приватно.','Post published.'=>'Запись опубликована.','In the editor notice after publishing an item.'=>'','Item Published'=>'Элемент опубликован','%s published.'=>'%s опубликовано.','Posts list'=>'Список записей','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Список элементов','%s list'=>'%s список','Posts list navigation'=>'Навигация по списку записей','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'%s навигация по списку','Filter posts by date'=>'Фильтровать записи по дате','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Фильтровать элементы по дате','Filter %s by date'=>'Фильтр %s по дате','Filter posts list'=>'Фильтровать список записей','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'Фильтровать список %s','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'Загружено в этот элемент','Uploaded to this %s'=>'Загружено в это %s','Insert into post'=>'Вставить в запись','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'Вставить в %s','Use as featured image'=>'Использовать как изображение записи','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'Использовать изображение записи','Remove featured image'=>'Удалить изображение записи','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'Удалить изображение записи','Set featured image'=>'Задать изображение','As the button label when setting the featured image.'=>'','Set Featured Image'=>'Задать изображение записи','Featured image'=>'Изображение записи','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'','Post Attributes'=>'Свойства записи','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'Атрибуты %s','Post Archives'=>'Архивы записей','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'Архивы %s','No posts found in Trash'=>'Записей в корзине не найдено','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'Элементы не найдены в корзине','No %s found in Trash'=>'В корзине не найдено %s','No posts found'=>'Записей не найдено','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'Элементов не найдено','No %s found'=>'Не найдено %s','Search Posts'=>'Поиск записей','At the top of the items screen when searching for an item.'=>'','Search Items'=>'Поиск элементов','Search %s'=>'Поиск %s','Parent Page:'=>'Родительская страница:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'Префикс родительского элемента','Parent %s:'=>'Родитель %s:','New Post'=>'Новая запись','New Item'=>'Новый элемент','New %s'=>'Новый %s','Add New Post'=>'Добавить запись','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'Добавить новый элемент','Add New %s'=>'Добавить новое %s','View Posts'=>'Просмотр записей','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Просмотр элементов','View Post'=>'Просмотреть запись','In the admin bar to view item when editing it.'=>'В панели администратора для просмотра элемента при его редактировании.','View Item'=>'Просмотреть элемент','View %s'=>'Посмотреть %s','Edit Post'=>'Редактировать запись','At the top of the editor screen when editing an item.'=>'','Edit Item'=>'Изменить элемент','Edit %s'=>'Изменить %s','All Posts'=>'Все записи','In the post type submenu in the admin dashboard.'=>'В подменю типа записи на административной консоли.','All Items'=>'Все элементы','All %s'=>'Все %s','Admin menu name for the post type.'=>'','Menu Name'=>'Название меню','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'Регенерировать','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'Описательная сводка типа поста.','Add Custom'=>'Добавить пользовательский','Enable various features in the content editor.'=>'Включить различные функции в редакторе содержимого.','Post Formats'=>'Форматы записей','Editor'=>'Редактор','Trackbacks'=>'Обратные ссылки','Select existing taxonomies to classify items of the post type.'=>'Выберите существующие таксономии, чтобы классифицировать элементы типа записи.','Browse Fields'=>'Выбрать поле','Nothing to import'=>'Импортировать нечего','. The Custom Post Type UI plugin can be deactivated.'=>'. Плагин Custom Post Type UI можно деактивировать.','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '' . "\0" . '','Failed to import taxonomies.'=>'Не удалось импортировать таксономии.','Failed to import post types.'=>'Не удалось импортировать типы записи.','Nothing from Custom Post Type UI plugin selected for import.'=>'Ничего из плагина Custom Post Type UI не выбрано для импорта.','Imported 1 item'=>'Импортирован 1 элемент' . "\0" . 'Импортировано %s элемента' . "\0" . 'Импортировано %s элементов','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'Импорт из Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'Экспорт - Генерация PHP','Export'=>'Экспорт','Select Taxonomies'=>'Выбрать таксономии','Select Post Types'=>'Выбрать типы записи','Exported 1 item.'=>'Экспортирован 1 элемент.' . "\0" . 'Экспортировано %s элемента.' . "\0" . 'Экспортировано %s элементов.','Category'=>'Рубрика','Tag'=>'Метка','%s taxonomy created'=>'Таксономия %s создана','%s taxonomy updated'=>'Таксономия %s обновлена','Taxonomy draft updated.'=>'Черновик таксономии обновлен.','Taxonomy scheduled for.'=>'Таксономия запланирована на.','Taxonomy submitted.'=>'Таксономия отправлена.','Taxonomy saved.'=>'Таксономия сохранена.','Taxonomy deleted.'=>'Таксономия удалена.','Taxonomy updated.'=>'Таксономия обновлена.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Эта таксономия не может быть зарегистрирована, так как ее ключ используется другой таксономией, зарегистрированной другим плагином или темой.','Taxonomy synchronized.'=>'Таксономия синхронизирована' . "\0" . '%s таксономии синхронизированы' . "\0" . '%s таксономий синхронизировано','Taxonomy duplicated.'=>'Таксономия дублирована' . "\0" . '%s таксономии дублированы' . "\0" . '%s таксономий дублировано','Taxonomy deactivated.'=>'Таксономия деактивирована' . "\0" . '%s таксономии деактивированы' . "\0" . '%s таксономий деактивировано','Taxonomy activated.'=>'Таксономия активирована' . "\0" . '%s таксономии активированы' . "\0" . '%s таксономий активировано','Terms'=>'Термины','Post type synchronized.'=>'Тип записей синхронизирован' . "\0" . '%s типа записей синхронизированы' . "\0" . '%s типов записей синхронизировано','Post type duplicated.'=>'Тип записей дублирован' . "\0" . '%s типа записей дублированы' . "\0" . '%s типов записей дублировано','Post type deactivated.'=>'Тип записей деактивирован' . "\0" . '%s типа записей деактивированы' . "\0" . '%s типов записей деактивировано','Post type activated.'=>'Тип записей активирован' . "\0" . '%s тип записей активированы' . "\0" . '%s типов записей активировано','Post Types'=>'Типы записей','Advanced Settings'=>'Расширенные настройки','Basic Settings'=>'Базовые настройки','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Тип записей не может быть зарегистрирован, так как его ключ уже зарегистрирован другим плагином или темой.','Pages'=>'Страницы','Link Existing Field Groups'=>'','%s post type created'=>'Тип записи %s создан','Add fields to %s'=>'Добавить поля в %s','%s post type updated'=>'Тип записи %s обновлен','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'Тип записи сохранён.','Post type updated.'=>'Тип записей обновлен.','Post type deleted.'=>'Тип записей удален.','Type to search...'=>'Введите текст для поиска...','PRO Only'=>'Только для Про','Field groups linked successfully.'=>'Группы полей связаны успешно.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Импортировать типы записей и таксономии, зарегистрированные через Custom Post Type UI, и управлять ими с помощью ACF. Начать.','ACF'=>'ACF','taxonomy'=>'таксономия','post type'=>'тип записи','Done'=>'Готово','Field Group(s)'=>'Группа(ы) полей','Select one or many field groups...'=>'Выберите одну или несколько групп полей...','Please select the field groups to link.'=>'Пожалуйста, выберете группы полей, чтобы связать.','Field group linked successfully.'=>'Группа полей связана успешно.' . "\0" . 'Группы полей связаны успешно.' . "\0" . 'Группы полей связаны успешно.','post statusRegistration Failed'=>'Регистрация не удалась','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Этот элемент не может быть зарегистрирован, так как его ключ используется другим элементом, зарегистрированным другим плагином или темой.','REST API'=>'Rest API','Permissions'=>'Разрешения','URLs'=>'URL-адреса','Visibility'=>'Видимость','Labels'=>'Этикетки','Field Settings Tabs'=>'Вкладки настроек полей','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Значение шорткода ACF отключено для предварительного просмотра]','Close Modal'=>'Закрыть модальное окно','Field moved to other group'=>'Поле перемещено в другую группу','Close modal'=>'Закрыть модальное окно','Start a new group of tabs at this tab.'=>'Начать новую группу вкладок с этой вкладки.','New Tab Group'=>'Новая группа вкладок','Use a stylized checkbox using select2'=>'Используйте стилизованный флажок, используя select2','Save Other Choice'=>'Сохранить другой выбор','Allow Other Choice'=>'Разрешить другой выбор','Add Toggle All'=>'Добавить Переключить все','Save Custom Values'=>'Сохранить пользовательские значения','Allow Custom Values'=>'Разрешить пользовательские значения','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Пользовательские значения флажка не могут быть пустыми. Снимите флажки с пустых значений.','Updates'=>'Обновления','Advanced Custom Fields logo'=>'Логотип дополнительных настраиваемых полей','Save Changes'=>'Сохранить изменения','Field Group Title'=>'Название группы полей','Add title'=>'Добавить заголовок','New to ACF? Take a look at our getting started guide.'=>'Вы впервые в ACF? Ознакомьтесь с нашим руководством по началу работы.','Add Field Group'=>'Добавить группу полей','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF использует группы полей для группировки произвольных полей вместе, а затем присоединяет эти поля к экранным формам редактирования.','Add Your First Field Group'=>'Добавьте первую группу полей','Options Pages'=>'Страницы настроек','ACF Blocks'=>'Блоки ACF','Gallery Field'=>'Поле галереи','Flexible Content Field'=>'','Repeater Field'=>'Повторяющееся поле','Unlock Extra Features with ACF PRO'=>'Разблокируйте дополнительные возможности с помощью ACF PRO','Delete Field Group'=>'Удалить группу полей','Created on %1$s at %2$s'=>'Создано %1$s в %2$s','Group Settings'=>'Настройки группы','Location Rules'=>'Правила местонахождения','Choose from over 30 field types. Learn more.'=>'Выбирайте из более чем 30 типов полей. Подробнее.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Начните создавать новые пользовательские поля для ваших записей, страниц, пользовательских типов записей и другого содержимого WordPress.','Add Your First Field'=>'Добавить первое поле','#'=>'#','Add Field'=>'Добавить поле','Presentation'=>'Презентация','Validation'=>'Валидация','General'=>'Общие','Import JSON'=>'Импорт JSON','Export As JSON'=>'Экспорт в формате JSON','Field group deactivated.'=>'%s группа полей деактивирована.' . "\0" . '%s группы полей деактивировано.' . "\0" . '%s групп полей деактивировано.','Field group activated.'=>'%s группа полей активирована.' . "\0" . '%s группы полей активировано.' . "\0" . '%s групп полей активировано.','Deactivate'=>'Деактивировать','Deactivate this item'=>'Деактивировать этот элемент','Activate'=>'Активировать','Activate this item'=>'Активировать этот элемент','Move field group to trash?'=>'Переместить группу полей в корзину?','post statusInactive'=>'Неактивна','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Продвинутые пользовательские поля и Продвинутые пользовательские поля PRO не должны быть активны одновременно. Мы автоматически деактивировали Продвинутые пользовательские поля PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Продвинутые пользовательские поля и Продвинутые пользовательские поля PRO не должны быть активны одновременно. Мы автоматически деактивировали Продвинутые пользовательские поля.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Мы обнаружили один или несколько вызовов для получения значений ACF полей до момента инициализации ACF. Это неправильно и может привести к искажению или отсутствию данных. Узнайте, как это исправить.','%1$s must have a user with the %2$s role.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid user ID.'=>'%1$s должен иметь действительный ID пользователя.','Invalid request.'=>'Неверный запрос.','%1$s is not one of %2$s'=>'%1$s не является одним из %2$s','%1$s must have term %2$s.'=>'' . "\0" . '' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid post ID.'=>'%1$s должен иметь действительный ID записи.','%s requires a valid attachment ID.'=>'%s требуется действительный ID вложения.','Show in REST API'=>'Показывать в REST API','Enable Transparency'=>'Включить прозрачность','RGBA Array'=>'Массив RGBA','RGBA String'=>'Строка RGBA','Hex String'=>'Cтрока hex','Upgrade to PRO'=>'Обновить до PRO','post statusActive'=>'Активен','\'%s\' is not a valid email address'=>'«%s» не является корректным адресом электропочты','Color value'=>'Значение цвета','Select default color'=>'Выбрать стандартный цвет','Clear color'=>'Очистить цвет','Blocks'=>'Блоки','Options'=>'Настройки','Users'=>'Пользователи','Menu items'=>'Пункты меню','Widgets'=>'Виджеты','Attachments'=>'Вложения','Taxonomies'=>'Таксономии','Posts'=>'Записи','Last updated: %s'=>'Последнее изменение: %s','Sorry, this post is unavailable for diff comparison.'=>'Данная группа полей не доступна для сравнения отличий.','Invalid field group parameter(s).'=>'Неверный параметр(ы) группы полей.','Awaiting save'=>'Ожидает сохранения','Saved'=>'Сохранено','Import'=>'Импорт','Review changes'=>'Просмотр изменений','Located in: %s'=>'Находится в: %s','Located in plugin: %s'=>'Находится в плагине: %s','Located in theme: %s'=>'Находится в теме: %s','Various'=>'Различные','Sync changes'=>'Синхронизировать изменения','Loading diff'=>'Загрузка diff','Review local JSON changes'=>'Обзор локальных изменений JSON','Visit website'=>'Перейти на сайт','View details'=>'Подробности','Version %s'=>'Версия %s','Information'=>'Информация','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Служба поддержки. Специалисты нашей службы поддержки помогут решить ваши технические проблемы.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Обсуждения. У нас есть активное и дружелюбное сообщество на наших форумах сообщества, которое может помочь вам разобраться в практических приемах мира ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Документация. Наша подробная документация содержит ссылки и руководства для большинства ситуаций, с которыми вы можете столкнуться.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Мы фанатично относимся к поддержке и хотим, чтобы вы извлекали максимум из своего веб-сайта с помощью ACF. Если вы столкнетесь с какими-либо трудностями, есть несколько мест, где вы можете найти помощь:','Help & Support'=>'Помощь и поддержка','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Воспользуйтесь вкладкой «Справка и поддержка», чтобы связаться с нами, если вам потребуется помощь.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Перед созданием вашей первой группы полей мы рекомендуем сначала прочитать наше руководство по началу работы, чтобы ознакомиться с философией и передовыми практиками плагина.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Плагин Advanced Custom Fields предоставляет визуальный конструктор форм для настройки экранов редактирования WordPress с дополнительными полями и интуитивно понятный API для отображения значений произвольных полей в любом файле шаблона темы.','Overview'=>'Обзор','Location type "%s" is already registered.'=>'Тип местоположения "%s" уже зарегистрирован.','Class "%s" does not exist.'=>'Класса "%s" не существует.','Invalid nonce.'=>'Неверный одноразовый номер.','Error loading field.'=>'Ошибка загрузки поля.','Error: %s'=>'Ошибка: %s','Widget'=>'Виджет','User Role'=>'Роль пользователя','Comment'=>'Комментарий','Post Format'=>'Формат записи','Menu Item'=>'Элемент меню','Post Status'=>'Статус записи','Menus'=>'Меню','Menu Locations'=>'Области для меню','Menu'=>'Меню','Post Taxonomy'=>'Таксономия записи','Child Page (has parent)'=>'Дочерняя страница (имеет родителя)','Parent Page (has children)'=>'Родительская страница (имеет дочерние)','Top Level Page (no parent)'=>'Страница верхнего уровня (без родителей)','Posts Page'=>'Страница записей','Front Page'=>'Главная страница','Page Type'=>'Тип страницы','Viewing back end'=>'Просмотр админки','Viewing front end'=>'Просмотр фронтэнда','Logged in'=>'Авторизован','Current User'=>'Текущий пользователь','Page Template'=>'Шаблон страницы','Register'=>'Регистрация','Add / Edit'=>'Добавить / изменить','User Form'=>'Форма пользователя','Page Parent'=>'Родительская страница','Super Admin'=>'Супер администратор','Current User Role'=>'Текущая роль пользователя','Default Template'=>'Шаблон по умолчанию','Post Template'=>'Шаблон записи','Post Category'=>'Рубрика записи','All %s formats'=>'Все %s форматы','Attachment'=>'Вложение','%s value is required'=>'%s значение требуется','Show this field if'=>'Показывать это поле, если','Conditional Logic'=>'Условная логика','and'=>'и','Local JSON'=>'Локальный JSON','Clone Field'=>'Клонировать поле','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Также убедитесь, что все надстройки премиум-класса (%s) обновлены до последней версии.','This version contains improvements to your database and requires an upgrade.'=>'Эта версия содержит улучшения вашей базы данных и требует обновления.','Thank you for updating to %1$s v%2$s!'=>'Спасибо за обновление до %1$s v%2$s!','Database Upgrade Required'=>'Требуется обновление БД','Options Page'=>'Страница настроек','Gallery'=>'Галерея','Flexible Content'=>'Гибкое содержимое','Repeater'=>'Повторитель','Back to all tools'=>'Вернуться ко всем инструментам','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)'=>'Если на странице редактирования присутствует несколько групп полей, то будут использованы настройки первой из них (с наиболее низким значением порядка очередности)','Select items to hide them from the edit screen.'=>'Выберите блоки, которые необходимо скрыть на странице редактирования.','Hide on screen'=>'Скрыть на экране','Send Trackbacks'=>'Отправить обратные ссылки','Tags'=>'Метки','Categories'=>'Рубрики','Page Attributes'=>'Атрибуты страницы','Format'=>'Формат','Author'=>'Автор','Slug'=>'Ярлык','Revisions'=>'Редакции','Comments'=>'Комментарии','Discussion'=>'Обсуждение','Excerpt'=>'Отрывок','Content Editor'=>'Текстовый редактор','Permalink'=>'Постоянная ссылка','Shown in field group list'=>'Отображается в списке групп полей','Field groups with a lower order will appear first'=>'Группа полей с самым низким порядковым номером появится первой','Order No.'=>'Порядковый номер','Below fields'=>'Под полями','Below labels'=>'Под метками','Instruction Placement'=>'Размещение инструкции','Label Placement'=>'Размещение этикетки','Side'=>'На боковой панели','Normal (after content)'=>'Обычный (после содержимого)','High (after title)'=>'Высокий (после названия)','Position'=>'Позиция','Seamless (no metabox)'=>'Бесшовный (без метабокса)','Standard (WP metabox)'=>'Стандарт (метабокс WP)','Style'=>'Стиль','Type'=>'Тип','Key'=>'Ключ','Order'=>'Порядок','Close Field'=>'Закрыть поле','id'=>'id','class'=>'класс','width'=>'ширина','Wrapper Attributes'=>'Атрибуты обёртки','Required'=>'Обязательное','Instructions'=>'Инструкции','Field Type'=>'Тип поля','Single word, no spaces. Underscores and dashes allowed'=>'Одиночное слово, без пробелов. Подчеркивания и тире разрешены','Field Name'=>'Символьный код','This is the name which will appear on the EDIT page'=>'Имя поля на странице редактирования','Field Label'=>'Название поля','Delete'=>'Удалить','Delete field'=>'Удалить поле','Move'=>'Переместить','Move field to another group'=>'Переместить поле в другую группу','Duplicate field'=>'Дублировать поле','Edit field'=>'Изменить поле','Drag to reorder'=>'Перетащите, чтобы изменить порядок','Show this field group if'=>'Показать эту группу полей, если','No updates available.'=>'Обновлений нет.','Database upgrade complete. See what\'s new'=>'Обновление БД завершено. Посмотрите, что нового','Reading upgrade tasks...'=>'Чтения задач обновления...','Upgrade failed.'=>'Ошибка обновления.','Upgrade complete.'=>'Обновление завершено.','Upgrading data to version %s'=>'Обновление данных до версии %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Мы настоятельно рекомендуем сделать резервную копию базы данных перед началом работы. Вы уверены, что хотите запустить обновление сейчас?','Please select at least one site to upgrade.'=>'Выберите хотя бы один сайт для обновления.','Database Upgrade complete. Return to network dashboard'=>'Обновление БД закончено. Вернуться в консоль','Site is up to date'=>'Сайт обновлен','Site requires database upgrade from %1$s to %2$s'=>'Сайт требует обновления БД с %1$s до %2$s','Site'=>'Сайт','Upgrade Sites'=>'Обновление сайтов','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Следующие сайты требуют обновления БД. Отметьте те, которые вы хотите обновить, а затем нажмите %s.','Add rule group'=>'Добавить группу правил','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Создайте набор правил для указания страниц, где следует отображать группу полей','Rules'=>'Правила','Copied'=>'Скопировано','Copy to clipboard'=>'Скопировать в буфер обмена','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Выберите элементы, которые вы хотите экспортировать, а затем выберите метод экспорта. Экспортировать как JSON для экспорта в файл .json, который затем можно импортировать в другую установку ACF. Сгенерировать PHP для экспорта в PHP-код, который можно разместить в вашей теме.','Select Field Groups'=>'Выберите группы полей','No field groups selected'=>'Не выбраны группы полей','Generate PHP'=>'Генерировать PHP','Export Field Groups'=>'Экспорт групп полей','Import file empty'=>'Файл импорта пуст','Incorrect file type'=>'Неправильный тип файла','Error uploading file. Please try again'=>'Ошибка при загрузке файла. Попробуйте еще раз','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Выберите файл ACF JSON, который вы хотите импортировать. Когда вы нажмете кнопку импорта ниже, ACF импортирует элементы из этого файла.','Import Field Groups'=>'Импорт групп полей','Sync'=>'Синхронизация','Select %s'=>'Выбрать %s','Duplicate'=>'Дублировать','Duplicate this item'=>'Дублировать элемент','Supports'=>'Поддержка','Documentation'=>'Документация','Description'=>'Описание','Sync available'=>'Доступна синхронизация','Field group synchronized.'=>'Группа полей синхронизирована.' . "\0" . '%s группы полей синхронизированы.' . "\0" . '%s групп полей синхронизированы.','Field group duplicated.'=>'% группа полей продублирована.' . "\0" . '%s группы полей продублировано.' . "\0" . '%s групп полей продублировано.','Active (%s)'=>'Активна (%s)' . "\0" . 'Активно (%s)' . "\0" . 'Активны (%s)','Review sites & upgrade'=>'Проверьте и обновите сайт','Upgrade Database'=>'Обновить базу данных','Custom Fields'=>'Произвольные поля','Move Field'=>'Переместить поле','Please select the destination for this field'=>'Выберите местоположение для этого поля','The %1$s field can now be found in the %2$s field group'=>'Поле %1$s теперь можно найти в группе полей %2$s','Move Complete.'=>'Движение завершено.','Active'=>'Активен','Field Keys'=>'Ключи полей','Settings'=>'Настройки','Location'=>'Местонахождение','Null'=>'Null','copy'=>'копировать','(this field)'=>'(текущее поле)','Checked'=>'Выбрано','Move Custom Field'=>'Переместить пользовательское поле','No toggle fields available'=>'Нет доступных переключаемых полей','Field group title is required'=>'Название группы полей обязательно','This field cannot be moved until its changes have been saved'=>'Это поле не может быть перемещено до сохранения изменений','The string "field_" may not be used at the start of a field name'=>'Строка "field_" не может использоваться в начале имени поля','Field group draft updated.'=>'Черновик группы полей обновлен.','Field group scheduled for.'=>'Группа полей запланирована на.','Field group submitted.'=>'Группа полей отправлена.','Field group saved.'=>'Группа полей сохранена.','Field group published.'=>'Группа полей опубликована.','Field group deleted.'=>'Группа полей удалена.','Field group updated.'=>'Группа полей обновлена.','Tools'=>'Инструменты','is not equal to'=>'не равно','is equal to'=>'равно','Forms'=>'Формы','Page'=>'Страница','Post'=>'Запись','Relational'=>'Отношение','Choice'=>'Выбор','Basic'=>'Базовый','Unknown'=>'Неизвестный','Field type does not exist'=>'Тип поля не существует','Spam Detected'=>'Обнаружение спама','Post updated'=>'Запись обновлена','Update'=>'Обновить','Validate Email'=>'Проверка Email','Content'=>'Содержимое','Title'=>'Заголовок','Edit field group'=>'Изменить группу полей','Selection is less than'=>'Отбор меньше, чем','Selection is greater than'=>'Отбор больше, чем','Value is less than'=>'Значение меньше чем','Value is greater than'=>'Значение больше чем','Value contains'=>'Значение содержит','Value matches pattern'=>'Значение соответствует паттерну','Value is not equal to'=>'Значение не равно','Value is equal to'=>'Значение равно','Has no value'=>'Не имеет значения','Has any value'=>'Имеет любое значение','Cancel'=>'Отмена','Are you sure?'=>'Вы уверены?','%d fields require attention'=>'%d полей требуют вашего внимания','1 field requires attention'=>'1 поле требует внимания','Validation failed'=>'Валидация не удалась','Validation successful'=>'Валидация пройдена успешно','Restricted'=>'Ограничено','Collapse Details'=>'Свернуть подробные сведения','Expand Details'=>'Развернуть подробные сведения','Uploaded to this post'=>'Загруженные для этой записи','verbUpdate'=>'Обновить','verbEdit'=>'Изменить','The changes you made will be lost if you navigate away from this page'=>'Внесенные вами изменения будут утеряны, если вы покинете эту страницу','File type must be %s.'=>'Тип файла должен быть %s.','or'=>'или','File size must not exceed %s.'=>'Размер файла не должен превышать %s.','File size must be at least %s.'=>'Размер файла должен быть не менее чем %s.','Image height must not exceed %dpx.'=>'Высота изображения не должна превышать %d px.','Image height must be at least %dpx.'=>'Высота изображения должна быть не менее %d px.','Image width must not exceed %dpx.'=>'Ширина изображения не должна превышать %d px.','Image width must be at least %dpx.'=>'Ширина изображения должна быть не менее %d px.','(no title)'=>'(без названия)','Full Size'=>'Полный','Large'=>'Большой','Medium'=>'Средний','Thumbnail'=>'Миниатюра','(no label)'=>'(без этикетки)','Sets the textarea height'=>'Задает высоту текстовой области','Rows'=>'Строки','Text Area'=>'Область текста','Prepend an extra checkbox to toggle all choices'=>'Добавьте дополнительный флажок, чтобы переключить все варианты','Save \'custom\' values to the field\'s choices'=>'Сохранить "пользовательские" значения для выбора поля','Allow \'custom\' values to be added'=>'Разрешить добавление «пользовательских» значений','Add new choice'=>'Добавить новый выбор','Toggle All'=>'Переключить все','Allow Archives URLs'=>'Разрешить URL-адреса архивов','Archives'=>'Архивы','Page Link'=>'Ссылка на страницу','Add'=>'Добавить','Name'=>'Имя','%s added'=>'%s добавлен','%s already exists'=>'%s уже существует','User unable to add new %s'=>'У пользователя нет возможности добавить новый %s','Term ID'=>'ID термина','Term Object'=>'Объект термина','Load value from posts terms'=>'Загрузить значения из терминов записей','Load Terms'=>'Загрузить термины','Connect selected terms to the post'=>'Связать выбранные термины с записью','Save Terms'=>'Сохранение терминов','Allow new terms to be created whilst editing'=>'Разрешить создание новых терминов во время редактирования','Create Terms'=>'Создание терминов','Radio Buttons'=>'Кнопки-переключатели','Single Value'=>'Одиночная значение','Multi Select'=>'Множественный выбор','Checkbox'=>'Чекбокс','Multiple Values'=>'Несколько значений','Select the appearance of this field'=>'Выберите способ отображения поля','Appearance'=>'Внешний вид','Select the taxonomy to be displayed'=>'Выберите таксономию для отображения','No TermsNo %s'=>'Нет %s','Value must be equal to or lower than %d'=>'Значение должно быть равным или меньшим чем %d','Value must be equal to or higher than %d'=>'Значение должно быть равным или больше чем %d','Value must be a number'=>'Значение должно быть числом','Number'=>'Число','Save \'other\' values to the field\'s choices'=>'Сохранить значения "другое" в выборы поля','Add \'other\' choice to allow for custom values'=>'Выберите значение "Другое", чтобы разрешить настраиваемые значения','Other'=>'Другое','Radio Button'=>'Кнопка-переключатель','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Определяет конечную точку предыдущего аккордеона. Данный аккордеон будет невидим.','Allow this accordion to open without closing others.'=>'Позвольте этому аккордеону открываться, не закрывая другие.','Multi-Expand'=>'Многократное расширение','Display this accordion as open on page load.'=>'Отображать этот аккордеон как открытый при загрузке страницы.','Open'=>'Открыть','Accordion'=>'Аккордеон','Restrict which files can be uploaded'=>'Ограничить файлы, которые могут быть загружены','File ID'=>'ID файла','File URL'=>'URL файла','File Array'=>'Массив файлов','Add File'=>'Добавить файл','No file selected'=>'Файл не выбран','File name'=>'Имя файла','Update File'=>'Обновить файл','Edit File'=>'Изменить файл','Select File'=>'Выбрать файл','File'=>'Файл','Password'=>'Пароль','Specify the value returned'=>'Укажите возвращаемое значение','Use AJAX to lazy load choices?'=>'Использовать AJAX для отложенной загрузки вариантов?','Enter each default value on a new line'=>'Введите каждое значение по умолчанию с новой строки','verbSelect'=>'Выпадающий список','Select2 JS load_failLoading failed'=>'Загрузка не удалась','Select2 JS searchingSearching…'=>'Поиск…','Select2 JS load_moreLoading more results…'=>'Загрузить больше результатов…','Select2 JS selection_too_long_nYou can only select %d items'=>'Вы можете выбрать только %d элементов','Select2 JS selection_too_long_1You can only select 1 item'=>'Можно выбрать только 1 элемент','Select2 JS input_too_long_nPlease delete %d characters'=>'Удалите %d символов','Select2 JS input_too_long_1Please delete 1 character'=>'Удалите 1 символ','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Введите %d или больше символов','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Введите 1 или более символов','Select2 JS matches_0No matches found'=>'Соответствий не найдено','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d значений доступно, используйте клавиши вверх и вниз для навигации.','Select2 JS matches_1One result is available, press enter to select it.'=>'Доступен один результат, нажмите Enter, чтобы выбрать его.','nounSelect'=>'Выбрать','User ID'=>'ID пользователя','User Object'=>'Объект пользователя','User Array'=>'Массив пользователя','All user roles'=>'Все роли пользователей','Filter by Role'=>'Фильтровать по роли','User'=>'Пользователь','Separator'=>'Разделитель','Select Color'=>'Выбрать цвет','Default'=>'По умолчанию','Clear'=>'Сброс','Color Picker'=>'Цветовая палитра','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'ПП','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'ДП','Date Time Picker JS selectTextSelect'=>'Выбрать','Date Time Picker JS closeTextDone'=>'Готово','Date Time Picker JS currentTextNow'=>'Сейчас','Date Time Picker JS timezoneTextTime Zone'=>'Часовой пояс','Date Time Picker JS microsecTextMicrosecond'=>'Микросекунда','Date Time Picker JS millisecTextMillisecond'=>'Миллисекунда','Date Time Picker JS secondTextSecond'=>'Секунда','Date Time Picker JS minuteTextMinute'=>'Минута','Date Time Picker JS hourTextHour'=>'Час','Date Time Picker JS timeTextTime'=>'Время','Date Time Picker JS timeOnlyTitleChoose Time'=>'Выберите время','Date Time Picker'=>'Выбор даты и времени','Endpoint'=>'Конечная точка','Left aligned'=>'Выровнено по левому краю','Top aligned'=>'Выровнено по верхнему краю','Placement'=>'Расположение','Tab'=>'Вкладка','Value must be a valid URL'=>'Значение должно быть допустимым URL','Link URL'=>'URL ссылки','Link Array'=>'Массив ссылок','Opens in a new window/tab'=>'Откроется на новой вкладке','Select Link'=>'Выбрать ссылку','Link'=>'Ссылка','Email'=>'Email','Step Size'=>'Шаг изменения','Maximum Value'=>'Макс. значение','Minimum Value'=>'Минимальное значение','Range'=>'Диапазон','Both (Array)'=>'Оба (массив)','Label'=>'Этикетка','Value'=>'Значение','Vertical'=>'Вертикально','Horizontal'=>'Горизонтально','red : Red'=>'red : Красный','For more control, you may specify both a value and label like this:'=>'Для большего контроля вы можете указать и значение, и этикетку следующим образом:','Enter each choice on a new line.'=>'Введите каждый вариант с новой строки.','Choices'=>'Варианты','Button Group'=>'Группа кнопок','Allow Null'=>'Разрешить Null','Parent'=>'Родитель','TinyMCE will not be initialized until field is clicked'=>'TinyMCE не будет инициализирован, пока не будет нажато поле','Delay Initialization'=>'Задержка инициализации','Show Media Upload Buttons'=>'Показать кнопки загрузки медиа файлов','Toolbar'=>'Верхняя панель','Text Only'=>'Только текст','Visual Only'=>'Только визуально','Visual & Text'=>'Визуально и текст','Tabs'=>'Вкладки','Click to initialize TinyMCE'=>'Нажмите для инициализации TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Текст','Visual'=>'Визуально','Value must not exceed %d characters'=>'Значение не должно превышать %d символов','Leave blank for no limit'=>'Оставьте пустым, чтобы не ограничивать','Character Limit'=>'Ограничение кол-ва символов','Appears after the input'=>'Появляется после ввода','Append'=>'Добавить','Appears before the input'=>'Появляется перед вводом','Prepend'=>'Добавить в начало','Appears within the input'=>'Появляется перед полем ввода','Placeholder Text'=>'Текст-заполнитель','Appears when creating a new post'=>'Появляется при создании новой записи','Text'=>'Текст','%1$s requires at least %2$s selection'=>'' . "\0" . '' . "\0" . '','Post ID'=>'ID записи','Post Object'=>'Объект записи','Maximum Posts'=>'Макс. кол-во записей','Minimum Posts'=>'Мин. кол-во записей','Featured Image'=>'Изображение записи','Selected elements will be displayed in each result'=>'Выбранные элементы будут отображены в каждом результате','Elements'=>'Элементы','Taxonomy'=>'Таксономия','Post Type'=>'Тип записи','Filters'=>'Фильтры','All taxonomies'=>'Все таксономии','Filter by Taxonomy'=>'Фильтрация по таксономии','All post types'=>'Все типы записи','Filter by Post Type'=>'Фильтрация по типу записей','Search...'=>'Поиск...','Select taxonomy'=>'Выбрать таксономию','Select post type'=>'Выбрать тип записи','No matches found'=>'Соответствий не найдено','Loading'=>'Загрузка','Maximum values reached ( {max} values )'=>'Достигнуты макс. значения ( {max} values )','Relationship'=>'Родственные связи','Comma separated list. Leave blank for all types'=>'Для разделения типов файлов используйте запятые. Оставьте поле пустым для разрешения загрузки всех файлов','Allowed File Types'=>'Разрешенные типы файлов','Maximum'=>'Максимум','File size'=>'Размер файла','Restrict which images can be uploaded'=>'Ограничить изображения, которые могут быть загружены','Minimum'=>'Минимум','Uploaded to post'=>'Загружено в запись','All'=>'Все','Limit the media library choice'=>'Ограничить выбор из библиотеки файлов','Library'=>'Библиотека','Preview Size'=>'Размер предпросмотра','Image ID'=>'ID изображения','Image URL'=>'URL изображения','Image Array'=>'Массив изображения','Specify the returned value on front end'=>'Укажите возвращаемое значение на фронтедне','Return Value'=>'Возвращаемое значение','Add Image'=>'Добавить изображение','No image selected'=>'Изображение не выбрано','Remove'=>'Удалить','Edit'=>'Изменить','All images'=>'Все изображения','Update Image'=>'Обновить изображение','Edit Image'=>'Редактировать','Select Image'=>'Выбрать изображение','Image'=>'Изображение','Allow HTML markup to display as visible text instead of rendering'=>'Разрешить HTML-разметке отображаться в виде видимого текста вместо отрисовки','Escape HTML'=>'Escape HTML','No Formatting'=>'Без форматирования','Automatically add <br>'=>'Автоматически добавлять <br>','Automatically add paragraphs'=>'Автоматически добавлять абзацы','Controls how new lines are rendered'=>'Управляет отрисовкой новых линий','New Lines'=>'Новые строки','Week Starts On'=>'Неделя начинается с','The format used when saving a value'=>'Формат, используемый при сохранении значения','Save Format'=>'Сохранить формат','Date Picker JS weekHeaderWk'=>'Нед.','Date Picker JS prevTextPrev'=>'Назад','Date Picker JS nextTextNext'=>'Далее','Date Picker JS currentTextToday'=>'Сегодня','Date Picker JS closeTextDone'=>'Готово','Date Picker'=>'Выбор даты','Width'=>'Ширина','Embed Size'=>'Размер встраивания','Enter URL'=>'Введите URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Текст отображается, когда он неактивен','Off Text'=>'Отключить текст','Text shown when active'=>'Текст, отображаемый при активности','On Text'=>'На тексте','Stylized UI'=>'Стилизованный интерфейс','Default Value'=>'Значение по умолчанию','Displays text alongside the checkbox'=>'Отображать текст рядом с флажком','Message'=>'Сообщение','No'=>'Нет','Yes'=>'Да','True / False'=>'True / False','Row'=>'Строка','Table'=>'Таблица','Block'=>'Блок','Specify the style used to render the selected fields'=>'Укажите стиль, используемый для отрисовки выбранных полей','Layout'=>'Макет','Sub Fields'=>'Вложенные поля','Group'=>'Группа','Customize the map height'=>'Настройка высоты карты','Height'=>'Высота','Set the initial zoom level'=>'Укажите начальный масштаб','Zoom'=>'Увеличить','Center the initial map'=>'Центрировать начальную карту','Center'=>'По центру','Search for address...'=>'Поиск по адресу...','Find current location'=>'Определить текущее местоположение','Clear location'=>'Очистить местоположение','Search'=>'Поиск','Sorry, this browser does not support geolocation'=>'Ваш браузер не поддерживает определение местоположения','Google Map'=>'Google Карта','The format returned via template functions'=>'Формат, возвращаемый через функции шаблона','Return Format'=>'Формат возврата','Custom:'=>'Пользовательский:','The format displayed when editing a post'=>'Формат, отображаемый при редактировании записи','Display Format'=>'Отображаемый формат','Time Picker'=>'Подборщик времени','Inactive (%s)'=>'Неактивен (%s)' . "\0" . 'Неактивны (%s)' . "\0" . 'Неактивно (%s)','No Fields found in Trash'=>'Поля не найдены в корзине','No Fields found'=>'Поля не найдены','Search Fields'=>'Поиск полей','View Field'=>'Просмотреть поле','New Field'=>'Новое поле','Edit Field'=>'Изменить поле','Add New Field'=>'Добавить новое поле','Field'=>'Поле','Fields'=>'Поля','No Field Groups found in Trash'=>'Группы полей не найдены в корзине','No Field Groups found'=>'Группы полей не найдены','Search Field Groups'=>'Найти группу полей','View Field Group'=>'Просмотреть группу полей','New Field Group'=>'Новая группа полей','Edit Field Group'=>'Редактирование группы полей','Add New Field Group'=>'Добавить новую группу полей','Add New'=>'Добавить новое','Field Group'=>'Группа полей','Field Groups'=>'Группы полей','Customize WordPress with powerful, professional and intuitive fields.'=>'Настройте WordPress с помощью мощных, профессиональных и интуитивно понятных полей.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s значение требуется','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Настройки','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Настройки были обновлены','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Для разблокировки обновлений введите ваш лицензионный ключ на странице Обновление. Если у вас его нет, то ознакомьтесь с деталями.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Check Again'=>'Проверить еще раз','ACF Activation Error. Could not connect to activation server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Publish'=>'Опубликовано','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'С этой страницей настроек не связаны группы полей. Создать группу полей','Error. Could not connect to update server'=>'Ошибка. Не удалось подключиться к серверу обновлений','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Во время проверки лицензии, которая связана с адресом сайта, возникла ошибка. Пожалуйста, выполните активацию снова','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Выберите одно или несколько полей, которые вы хотите клонировать','Display'=>'Способ отображения','Specify the style used to render the clone field'=>'Выберите стиль отображения клонированных полей','Group (displays selected fields in a group within this field)'=>'Группа (сгруппировать выбранные поля в одно и выводить вместо текущего)','Seamless (replaces this field with selected fields)'=>'Отдельно (выбранные поля выводятся отдельно вместо текущего)','Labels will be displayed as %s'=>'Ярлыки будут отображаться как %s','Prefix Field Labels'=>'Префикс для ярлыков полей','Values will be saved as %s'=>'Значения будут сохранены как %s','Prefix Field Names'=>'Префикс для названий полей','Unknown field'=>'Неизвестное поле','Unknown field group'=>'Неизвестная группа полей','All fields from %s field group'=>'Все поля группы %s','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Добавить','layout'=>'макет' . "\0" . 'макета' . "\0" . 'макетов','layouts'=>'макеты','This field requires at least {min} {label} {identifier}'=>'Это поле требует как минимум {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Это поле ограничено {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} доступно (максимум {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} требуется (минимум {min})','Flexible Content requires at least 1 layout'=>'Для гибкого содержания требуется как минимум один макет','Click the "%s" button below to start creating your layout'=>'Нажмите на кнопку "%s" ниже для начала создания собственного макета','Add layout'=>'Добавить макет','Duplicate layout'=>'Дублировать макет','Remove layout'=>'Удалить макет','Click to toggle'=>'Нажмите для переключения','Delete Layout'=>'Удалить макет','Duplicate Layout'=>'Дублировать макет','Add New Layout'=>'Добавить новый макет','Add Layout'=>'Добавить макет','Min'=>'Минимум','Max'=>'Максимум','Minimum Layouts'=>'Мин. количество блоков','Maximum Layouts'=>'Макс. количество блоков','Button Label'=>'Текст кнопки добавления','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Добавление изображений в галерею','Maximum selection reached'=>'Выбрано максимальное количество изображений','Length'=>'Длина','Caption'=>'Подпись','Alt Text'=>'Текст в ALT','Add to gallery'=>'Добавить изображения','Bulk actions'=>'Сортировка','Sort by date uploaded'=>'По дате загрузки','Sort by date modified'=>'По дате изменения','Sort by title'=>'По названию','Reverse current order'=>'Инвертировать','Close'=>'Закрыть','Minimum Selection'=>'Мин. количество изображений','Maximum Selection'=>'Макс. количество изображений','Allowed file types'=>'Допустимые типы файлов','Insert'=>'Добавить','Specify where new attachments are added'=>'Укажите куда добавлять новые вложения','Append to the end'=>'Добавлять в конец','Prepend to the beginning'=>'Добавлять в начало','Minimum rows not reached ({min} rows)'=>'Достигнуто минимальное количество ({min} элементов)','Maximum rows reached ({max} rows)'=>'Достигнуто максимальное количество ({max} элементов)','Error loading page'=>'Возникла ошибка при загрузке обновления','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Страница записей','Set the number of rows to be displayed on a page.'=>'Выберите таксономию для отображения','Minimum Rows'=>'Мин. количество элементов','Maximum Rows'=>'Макс. количество элементов','Collapsed'=>'Сокращенный заголовок','Select a sub field to show when row is collapsed'=>'Выберите поле, которое будет отображаться в качестве заголовка при сворачивании блока','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Потяните для изменения порядка','Add row'=>'Добавить','Duplicate row'=>'Дублировать','Remove row'=>'Удалить','Current Page'=>'Текущий пользователь','First Page'=>'Главная страница','Previous Page'=>'Страница записей','paging%1$s of %2$s'=>'','Next Page'=>'Главная страница','Last Page'=>'Страница записей','No block types exist'=>'Страницы с настройками отсуствуют','No options pages exist'=>'Страницы с настройками отсуствуют','Deactivate License'=>'Деактивировать лицензию','Activate License'=>'Активировать лицензию','License Information'=>'Информация о лицензии','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Для разблокирования обновлений введите лицензионный ключ ниже. Если у вас его нет, то ознакомьтесь с деталями.','License Key'=>'Номер лицензии','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Код активации','Update Information'=>'Обновления','Current Version'=>'Текущая версия','Latest Version'=>'Последняя версия','Update Available'=>'Обновления доступны','Upgrade Notice'=>'Замечания по обновлению','Check For Updates'=>'','Enter your license key to unlock updates'=>'Пожалуйста введите ваш номер лицензии для разблокировки обновлений','Update Plugin'=>'Обновить плагин','Please reactivate your license to unlock updates'=>'Пожалуйста введите ваш номер лицензии для разблокировки обновлений'],'language'=>'ru_RU','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-ru_RU.mo b/lang/acf-ru_RU.mo
index 73a2986..5fc7c4d 100644
Binary files a/lang/acf-ru_RU.mo and b/lang/acf-ru_RU.mo differ
diff --git a/lang/acf-ru_RU.po b/lang/acf-ru_RU.po
index 3495a85..0d4cf30 100644
--- a/lang/acf-ru_RU.po
+++ b/lang/acf-ru_RU.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: ru_RU\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -66,14 +88,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF не смог выполнить проверку из-за того, что был предоставлен неверный "
-"nonce безопасности."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Разрешить доступ к значению в пользовательском интерфейсе редактора"
@@ -2041,21 +2055,21 @@ msgstr "Добавить поля"
msgid "This Field"
msgstr "Это поле"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF (PRO)"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Обратная связь"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Поддержка"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "разработан и поддерживается"
@@ -4194,7 +4208,7 @@ msgstr ""
#: includes/admin/views/acf-field-group/field.php:158
msgid "Browse Fields"
-msgstr "Обзор полей"
+msgstr "Выбрать поле"
#: includes/admin/tools/class-acf-admin-tool-import.php:287
msgid "Nothing to import"
@@ -4490,7 +4504,7 @@ msgstr ""
"Импортировать типы записей и таксономии, зарегистрированные через Custom "
"Post Type UI, и управлять ими с помощью ACF. Начать."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4827,7 +4841,7 @@ msgstr "Активировать этот элемент"
msgid "Move field group to trash?"
msgstr "Переместить группу полей в корзину?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4840,7 +4854,7 @@ msgstr "Неактивна"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4849,7 +4863,7 @@ msgstr ""
"должны быть активны одновременно. Мы автоматически деактивировали "
"Продвинутые пользовательские поля PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5303,7 +5317,7 @@ msgstr "Все %s форматы"
msgid "Attachment"
msgstr "Вложение"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s значение требуется"
@@ -5565,7 +5579,7 @@ msgstr "Одиночное слово, без пробелов. Подчерки
#: includes/admin/views/acf-field-group/field.php:182
msgid "Field Name"
-msgstr "Название поля"
+msgstr "Символьный код"
#: includes/admin/views/acf-field-group/field.php:170
msgid "This is the name which will appear on the EDIT page"
@@ -5574,7 +5588,7 @@ msgstr "Имя поля на странице редактирования"
#: includes/admin/views/acf-field-group/field.php:169
#: includes/admin/views/browse-fields-modal.php:69
msgid "Field Label"
-msgstr "Этикетка поля"
+msgstr "Название поля"
#: includes/admin/views/acf-field-group/field.php:94
msgid "Delete"
@@ -5792,7 +5806,7 @@ msgstr "Дублировать элемент"
msgid "Supports"
msgstr "Поддержка"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Документация"
@@ -6092,8 +6106,8 @@ msgstr "%d полей требуют вашего внимания"
msgid "1 field requires attention"
msgstr "1 поле требует внимания"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Валидация не удалась"
@@ -6307,7 +6321,7 @@ msgstr "Множественный выбор"
#: includes/fields/class-acf-field-checkbox.php:22
#: includes/fields/class-acf-field-taxonomy.php:694
msgid "Checkbox"
-msgstr "Флажок"
+msgstr "Чекбокс"
#: includes/fields/class-acf-field-taxonomy.php:693
msgid "Multiple Values"
@@ -6457,7 +6471,7 @@ msgstr "Введите каждое значение по умолчанию с
#: includes/fields/class-acf-field-select.php:227 includes/media.php:48
msgctxt "verb"
msgid "Select"
-msgstr "Выбрать"
+msgstr "Выпадающий список"
#: includes/fields/class-acf-field-select.php:101
msgctxt "Select2 JS load_fail"
@@ -7474,91 +7488,91 @@ msgid "Time Picker"
msgstr "Подборщик времени"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Неактивен (%s)"
msgstr[1] "Неактивны (%s)"
msgstr[2] "Неактивно (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Поля не найдены в корзине"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Поля не найдены"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Поиск полей"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Просмотреть поле"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Новое поле"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Изменить поле"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Добавить новое поле"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Поле"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Поля"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Группы полей не найдены в корзине"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Группы полей не найдены"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Найти группу полей"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Просмотреть группу полей"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Новая группа полей"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Редактирование группы полей"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Добавить новую группу полей"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Добавить новое"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Группа полей"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-sk_SK.l10n.php b/lang/acf-sk_SK.l10n.php
index 751d136..d5a83da 100644
--- a/lang/acf-sk_SK.l10n.php
+++ b/lang/acf-sk_SK.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'sk_SK','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Advanced Custom Fields PRO'=>'ACF PRO','Block type name is required.'=>'vyžaduje sa hodnota %s','%s settings'=>'Nové nastavenia','Options'=>'Nastavenia ','Update'=>'Aktualizovať ','Options Updated'=>'Nastavenia aktualizované','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný kľúč, porizte si podrobnosti a ceny.','ACF Activation Error. An error occurred when connecting to activation server'=>'Chyba. Nie je možné sa spojiť so serverom','Check Again'=>'Skontrolovať znova','ACF Activation Error. Could not connect to activation server'=>'Chyba. Nie je možné sa spojiť so serverom','Publish'=>'Publikovať ','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Pre túto stránku neboli nájdené žiadne vlastné skupiny polí. Vytvoriť novú vlastnú skupinu polí','Edit field group'=>'Upraviť skupinu polí ','Error. Could not connect to update server'=>'Chyba. Nie je možné sa spojiť so serverom','Updates'=>'Aktualizácie','Fields'=>'Polia ','Display'=>'Zobrazenie','Layout'=>'Rozmiestnenie','Block'=>'Blok','Table'=>'Tabuľka','Row'=>'Riadok','Labels will be displayed as %s'=>'Vybraté prvky budú zobrazené v každom výsledku ','Prefix Field Labels'=>'Označenie poľa ','Prefix Field Names'=>'Meno poľa ','Unknown field'=>'Pod poliami','(no title)'=>'(bez názvu)','Unknown field group'=>'Zobraziť túto skupinu poľa, ak','Flexible Content'=>'Flexibilný obsah ','Add Row'=>'Pridať riadok','layout'=>'rozloženie' . "\0" . 'rozloženie' . "\0" . 'rozloženie','layouts'=>'rozloženia','This field requires at least {min} {label} {identifier}'=>'Toto pole vyžaduje najmenej {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Toto pole vyžaduje najviac {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostupné (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} vyžadované (min {min})','Flexible Content requires at least 1 layout'=>'Flexibilný obsah vyžaduje aspoň jedno rozloženie','Click the "%s" button below to start creating your layout'=>'Pre vytvorenie rozloženia kliknite na tlačidlo "%s"','Drag to reorder'=>'Zmeňte poradie pomocou funkcie ťahaj a pusť','Add layout'=>'Pridať rozloženie','Duplicate layout'=>'Duplikovať rozloženie','Remove layout'=>'Odstrániť rozloženie','Delete Layout'=>'Vymazať rozloženie','Duplicate Layout'=>'Duplikovať rozloženie','Add New Layout'=>'Pridať nové rozloženie','Add Layout'=>'Pridať rozloženie','Label'=>'Označenie ','Name'=>'Meno','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimálne rozloženie','Maximum Layouts'=>'Maximálne rozloženie','Button Label'=>'Označenie tlačidla','Gallery'=>'Galéria','Add Image to Gallery'=>'Pridať obrázok do galérie','Maximum selection reached'=>'Maximálne dosiahnuté hodnoty','Length'=>'Dĺžka','Edit'=>'Upraviť','Remove'=>'Odstrániť','Title'=>'Názov','Caption'=>'Nastavenia ','Alt Text'=>'Text ','Add to gallery'=>'Pridať do galérie','Bulk actions'=>'Hromadné akcie','Sort by date uploaded'=>'Triediť podľa dátumu nahrania','Sort by date modified'=>'Triediť podľa poslednej úpravy','Sort by title'=>'Triediť podľa názvu','Reverse current order'=>'Zvrátiť aktuálnu objednávku','Close'=>'Zatvoriť ','Return Format'=>'Formát odpovede','Image Array'=>'Obrázok ','Image URL'=>'URL adresa obrázka ','Image ID'=>'ID obrázka ','Library'=>'Knižnica ','Limit the media library choice'=>'Obmedziť výber knižnice médií ','All'=>'Všetky ','Uploaded to post'=>'Nahrané do príspevku ','Minimum Selection'=>'Minimálny výber','Maximum Selection'=>'Maximálny výber','Minimum'=>'Minimálny počet','Restrict which images can be uploaded'=>'Určite, ktoré typy obrázkov môžu byť nahraté','Width'=>'Šírka','Height'=>'Výška ','File size'=>'Veľkosť súboru ','Maximum'=>'Maximálny počet','Allowed file types'=>'Povolené typy súborov','Comma separated list. Leave blank for all types'=>'Zoznam, oddelený čiarkou. Nechajte prázdne pre všetky typy','Append to the end'=>'Zobrazí sa po vstupe','Preview Size'=>'Veľkosť náhľadu ','%1$s requires at least %2$s selection'=>'%s vyžaduje výber najmenej %s' . "\0" . '%s vyžadujú výber najmenej %s' . "\0" . '%s vyžaduje výbej najmenej %s','Repeater'=>'Opakovač','Minimum rows not reached ({min} rows)'=>'Dosiahnutý počet minimálneho počtu riadkov ({min} rows)','Maximum rows reached ({max} rows)'=>'Maximálny počet riadkov ({max} rows)','Sub Fields'=>'Podpolia','Pagination'=>'Pozícia ','Rows Per Page'=>'Stránka príspevkov ','Minimum Rows'=>'Minimálny počet riadkov','Maximum Rows'=>'Maximálny počet riadkov','Collapsed'=>'Zmenšiť detaily ','Click to reorder'=>'Zmeňte poradie pomocou funkcie ťahaj a pusť','Add row'=>'Pridať riadok','Duplicate row'=>'Duplikovať ','Remove row'=>'Odstrániť riadok','Current Page'=>'Aktuálny používateľ','First Page'=>'Úvodná stránka ','Previous Page'=>'Stránka príspevkov ','Next Page'=>'Úvodná stránka ','Last Page'=>'Stránka príspevkov ','No block types exist'=>'Neexistujú nastavenia stránok','Options Page'=>'Stránka nastavení ','No options pages exist'=>'Neexistujú nastavenia stránok','Deactivate License'=>'Deaktivovať licenciu','Activate License'=>'Aktivovať licenciu','License Information'=>'Aktualizovať infromácie','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný kľúč, porizte si podrobnosti a ceny.','License Key'=>'Licenčný kľúč','Retry Activation'=>'Lepšie overovanie','Update Information'=>'Aktualizovať infromácie','Current Version'=>'Aktuálna verzia','Latest Version'=>'Posledná verzia','Update Available'=>'Dostupná aktualizácia','No'=>'Nie','Yes'=>'Áno ','Upgrade Notice'=>'Oznam o aktualizácii','Enter your license key to unlock updates'=>'Pre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúč','Update Plugin'=>'Aktualizovať modul','Please reactivate your license to unlock updates'=>'Pre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúč']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Advanced Custom Fields PRO'=>'ACF PRO','Block type name is required.'=>'vyžaduje sa hodnota %s','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Nové nastavenia','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options'=>'Nastavenia ','Update'=>'Aktualizovať ','Options Updated'=>'Nastavenia aktualizované','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný kľúč, porizte si podrobnosti a ceny.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Chyba. Nie je možné sa spojiť so serverom','Check Again'=>'Skontrolovať znova','ACF Activation Error. Could not connect to activation server'=>'Chyba. Nie je možné sa spojiť so serverom','Publish'=>'Publikovať ','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Pre túto stránku neboli nájdené žiadne vlastné skupiny polí. Vytvoriť novú vlastnú skupinu polí','Edit field group'=>'Upraviť skupinu polí ','Error. Could not connect to update server'=>'Chyba. Nie je možné sa spojiť so serverom','Updates'=>'Aktualizácie','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','nounClone'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Fields'=>'Polia ','Select one or more fields you wish to clone'=>'','Display'=>'Zobrazenie','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Layout'=>'Rozmiestnenie','Specify the style used to render the selected fields'=>'','Block'=>'Blok','Table'=>'Tabuľka','Row'=>'Riadok','Labels will be displayed as %s'=>'Vybraté prvky budú zobrazené v každom výsledku ','Prefix Field Labels'=>'Označenie poľa ','Values will be saved as %s'=>'','Prefix Field Names'=>'Meno poľa ','Unknown field'=>'Pod poliami','(no title)'=>'(bez názvu)','Unknown field group'=>'Zobraziť túto skupinu poľa, ak','All fields from %s field group'=>'','Flexible Content'=>'Flexibilný obsah ','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Add Row'=>'Pridať riadok','layout'=>'rozloženie' . "\0" . 'rozloženie' . "\0" . 'rozloženie','layouts'=>'rozloženia','This field requires at least {min} {label} {identifier}'=>'Toto pole vyžaduje najmenej {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Toto pole vyžaduje najviac {max} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} dostupné (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} vyžadované (min {min})','Flexible Content requires at least 1 layout'=>'Flexibilný obsah vyžaduje aspoň jedno rozloženie','Click the "%s" button below to start creating your layout'=>'Pre vytvorenie rozloženia kliknite na tlačidlo "%s"','Drag to reorder'=>'Zmeňte poradie pomocou funkcie ťahaj a pusť','Add layout'=>'Pridať rozloženie','Duplicate layout'=>'Duplikovať rozloženie','Remove layout'=>'Odstrániť rozloženie','Click to toggle'=>'','Delete Layout'=>'Vymazať rozloženie','Duplicate Layout'=>'Duplikovať rozloženie','Add New Layout'=>'Pridať nové rozloženie','Add Layout'=>'Pridať rozloženie','Label'=>'Označenie ','Name'=>'Meno','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Minimálne rozloženie','Maximum Layouts'=>'Maximálne rozloženie','Button Label'=>'Označenie tlačidla','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','Gallery'=>'Galéria','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Pridať obrázok do galérie','Maximum selection reached'=>'Maximálne dosiahnuté hodnoty','Length'=>'Dĺžka','Edit'=>'Upraviť','Remove'=>'Odstrániť','Title'=>'Názov','Caption'=>'Nastavenia ','Alt Text'=>'Text ','Description'=>'','Add to gallery'=>'Pridať do galérie','Bulk actions'=>'Hromadné akcie','Sort by date uploaded'=>'Triediť podľa dátumu nahrania','Sort by date modified'=>'Triediť podľa poslednej úpravy','Sort by title'=>'Triediť podľa názvu','Reverse current order'=>'Zvrátiť aktuálnu objednávku','Close'=>'Zatvoriť ','Return Format'=>'Formát odpovede','Image Array'=>'Obrázok ','Image URL'=>'URL adresa obrázka ','Image ID'=>'ID obrázka ','Library'=>'Knižnica ','Limit the media library choice'=>'Obmedziť výber knižnice médií ','All'=>'Všetky ','Uploaded to post'=>'Nahrané do príspevku ','Minimum Selection'=>'Minimálny výber','Maximum Selection'=>'Maximálny výber','Minimum'=>'Minimálny počet','Restrict which images can be uploaded'=>'Určite, ktoré typy obrázkov môžu byť nahraté','Width'=>'Šírka','Height'=>'Výška ','File size'=>'Veľkosť súboru ','Maximum'=>'Maximálny počet','Allowed file types'=>'Povolené typy súborov','Comma separated list. Leave blank for all types'=>'Zoznam, oddelený čiarkou. Nechajte prázdne pre všetky typy','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'Zobrazí sa po vstupe','Prepend to the beginning'=>'','Preview Size'=>'Veľkosť náhľadu ','%1$s requires at least %2$s selection'=>'%s vyžaduje výber najmenej %s' . "\0" . '%s vyžadujú výber najmenej %s' . "\0" . '%s vyžaduje výbej najmenej %s','Repeater'=>'Opakovač','Minimum rows not reached ({min} rows)'=>'Dosiahnutý počet minimálneho počtu riadkov ({min} rows)','Maximum rows reached ({max} rows)'=>'Maximálny počet riadkov ({max} rows)','Error loading page'=>'','Order will be assigned upon save'=>'','Sub Fields'=>'Podpolia','Pagination'=>'Pozícia ','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Stránka príspevkov ','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Minimálny počet riadkov','Maximum Rows'=>'Maximálny počet riadkov','Collapsed'=>'Zmenšiť detaily ','Select a sub field to show when row is collapsed'=>'','Invalid nonce.'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Zmeňte poradie pomocou funkcie ťahaj a pusť','Add row'=>'Pridať riadok','Duplicate row'=>'Duplikovať ','Remove row'=>'Odstrániť riadok','Current Page'=>'Aktuálny používateľ','First Page'=>'Úvodná stránka ','Previous Page'=>'Stránka príspevkov ','paging%1$s of %2$s'=>'','Next Page'=>'Úvodná stránka ','Last Page'=>'Stránka príspevkov ','No block types exist'=>'Neexistujú nastavenia stránok','Options Page'=>'Stránka nastavení ','No options pages exist'=>'Neexistujú nastavenia stránok','Deactivate License'=>'Deaktivovať licenciu','Activate License'=>'Aktivovať licenciu','License Information'=>'Aktualizovať infromácie','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný kľúč, porizte si podrobnosti a ceny.','License Key'=>'Licenčný kľúč','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Lepšie overovanie','Update Information'=>'Aktualizovať infromácie','Current Version'=>'Aktuálna verzia','Latest Version'=>'Posledná verzia','Update Available'=>'Dostupná aktualizácia','No'=>'Nie','Yes'=>'Áno ','Upgrade Notice'=>'Oznam o aktualizácii','Check For Updates'=>'','Enter your license key to unlock updates'=>'Pre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúč','Update Plugin'=>'Aktualizovať modul','Please reactivate your license to unlock updates'=>'Pre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúč'],'language'=>'sk_SK','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-sk_SK.mo b/lang/acf-sk_SK.mo
index 59fa272..54e1146 100644
Binary files a/lang/acf-sk_SK.mo and b/lang/acf-sk_SK.mo differ
diff --git a/lang/acf-sk_SK.po b/lang/acf-sk_SK.po
index 04adeef..29550b9 100644
--- a/lang/acf-sk_SK.po
+++ b/lang/acf-sk_SK.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: sk_SK\n"
"MIME-Version: 1.0\n"
diff --git a/lang/acf-sv_SE.l10n.php b/lang/acf-sv_SE.l10n.php
index 46b6133..57ec131 100644
--- a/lang/acf-sv_SE.l10n.php
+++ b/lang/acf-sv_SE.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'sv_SE','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Close and Add Field'=>'Stäng och lägg till fält','Learn more.'=>'Lär dig mer.','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF-kortkoden kan inte visa fält från icke-offentliga inlägg]','[The ACF shortcode is disabled on this site]'=>'[ACF-kortkoden är inaktiverad på denna webbplats]','Businessman Icon'=>'Ikon för affärsman','Forums Icon'=>'Forum-ikon','YouTube Icon'=>'YouTube-ikon','Yes (alt) Icon'=>'Alternativ ja-ikon','Xing Icon'=>'Xing-ikon','WordPress (alt) Icon'=>'Alternativ WordPress-ikon','WhatsApp Icon'=>'WhatsApp-ikon','Write Blog Icon'=>'”Skriv blogg”-ikon','View Site Icon'=>'Visa webbplats-ikon','Learn More Icon'=>'”Lär dig mer”-ikon','Add Page Icon'=>'Ikon för lägg till sida','Video (alt3) Icon'=>'Alternativ video-ikon 3','Video (alt2) Icon'=>'Alternativ video-ikon 2','Video (alt) Icon'=>'Alternativ video-ikon','Update (alt) Icon'=>'Alternativ uppdatera-ikon','Universal Access (alt) Icon'=>'Alternativ ikon för universell åtkomst','Twitter (alt) Icon'=>'Alternativ Twitter-ikon','Twitch Icon'=>'Twitch-ikon','Tickets (alt) Icon'=>'Alternativ biljettikon','Text Page Icon'=>'Ikon för textsida','Table Row Delete Icon'=>'Ikon för borttagning av tabellrad','Table Row Before Icon'=>'Ikon för före tabellrad','Table Row After Icon'=>'Ikon för efter tabellrad','Table Col Delete Icon'=>'Ikon för borttagning av tabellkolumn','Table Col Before Icon'=>'Ikon för före tabellkolumn','Table Col After Icon'=>'Ikon för efter tabellkolumn','Superhero (alt) Icon'=>'Alternativ superhjälte-ikon','Superhero Icon'=>'Ikon för superhjälte','Spotify Icon'=>'Spotify-ikon','Shortcode Icon'=>'Ikon för kortkod','Shield (alt) Icon'=>'Alternativ sköld-ikon','Share (alt2) Icon'=>'Alternativ dela-ikon 2','Share (alt) Icon'=>'Alternativ dela-ikon','Saved Icon'=>'Ikon för sparat','RSS Icon'=>'RSS-ikon','REST API Icon'=>'REST API-ikon','Remove Icon'=>'Ikon för att ta bort','Reddit Icon'=>'Reddit-ikon','Privacy Icon'=>'Integritetsikon','Printer Icon'=>'Ikon för skrivare','Podio Icon'=>'Podio-ikon','Plus (alt2) Icon'=>'Alternativ plusikon 2','Plus (alt) Icon'=>'Alternativ plus-ikon','Pinterest Icon'=>'Pinterest-ikon','Pets Icon'=>'Ikon för husdjur','PDF Icon'=>'PDF-ikon','Palm Tree Icon'=>'Ikon för palmträd','Open Folder Icon'=>'Ikon för öppen mapp','No (alt) Icon'=>'Alternativ nej-ikon','Money (alt) Icon'=>'Alternativ pengar-ikon','Menu (alt3) Icon'=>'Alternativ menyikon 3','Menu (alt2) Icon'=>'Alternativ menyikon 2','Menu (alt) Icon'=>'Alternativ menyikon','Spreadsheet Icon'=>'Ikon för kalkylark','Interactive Icon'=>'Interaktiv ikon','Document Icon'=>'Dokumentikon','Default Icon'=>'Standardikon','Location (alt) Icon'=>'Alternativ plats-ikon','LinkedIn Icon'=>'LinkedIn-ikon','Instagram Icon'=>'Instagram-ikon','Insert Before Icon'=>'Ikon för infoga före','Insert After Icon'=>'Ikon för infoga efter','Insert Icon'=>'Infoga-ikon','Images (alt2) Icon'=>'Alternativ bilderikon 2','Images (alt) Icon'=>'Alternativ inom för bilder','Rotate Right Icon'=>'Ikon för rotera höger','Rotate Left Icon'=>'Ikon för rotera vänster','Rotate Icon'=>'Ikon för att rotera','Flip Vertical Icon'=>'”Vänd vertikalt”-ikon','Flip Horizontal Icon'=>'”Vänd vågrätt”-ikon','Crop Icon'=>'Beskärningsikon','ID (alt) Icon'=>'Alternativ ID-ikon','HTML Icon'=>'HTML-ikon','Hourglass Icon'=>'Timglas-ikon','Heading Icon'=>'Ikon för rubrik','Google Icon'=>'Google-ikon','Games Icon'=>'Spelikon','Status Icon'=>'Statusikon','Image Icon'=>'Bildikon','Gallery Icon'=>'Ikon för galleri','Chat Icon'=>'Chatt-ikon','Audio Icon'=>'Ljudikon','Aside Icon'=>'Notisikon','Food Icon'=>'Matikon','Exit Icon'=>'Avsluta-ikon','Embed Video Icon'=>'Ikon för inbäddning av videoklipp','Embed Post Icon'=>'Ikon för inbäddning av inlägg','Embed Photo Icon'=>'Ikon för inbäddning av foto','Embed Generic Icon'=>'Genetisk ikon för inbäddning','Embed Audio Icon'=>'Ikon för inbäddning av ljud','Email (alt2) Icon'=>'Alternativ e-post-ikon 2','RTL Icon'=>'RTL-ikon','LTR Icon'=>'LTR-ikon','Custom Character Icon'=>'Ikon för anpassat tecken','Edit Page Icon'=>'Ikon för redigera sida','Edit Large Icon'=>'Redigera stor ikon','Drumstick Icon'=>'Ikon för trumstock','Database View Icon'=>'Ikon för visning av databas','Database Remove Icon'=>'Ikon för borttagning av databas','Database Import Icon'=>'Ikon för databasimport','Database Export Icon'=>'Ikon för databasexport','Database Icon'=>'Databasikon','Cover Image Icon'=>'Ikon för omslagsbild','Volume On Icon'=>'Ikon för volym på','Volume Off Icon'=>'Ikon för volymavstängning','Skip Forward Icon'=>'”Hoppa framåt”-ikon','Skip Back Icon'=>'Ikon för att hoppa tillbaka','Repeat Icon'=>'Ikon för upprepning','Play Icon'=>'Ikon för uppspelning','Pause Icon'=>'Paus-ikon','Forward Icon'=>'Framåt-ikon','Back Icon'=>'Ikon för tillbaka','Columns Icon'=>'Ikon för kolumner','Color Picker Icon'=>'Ikon för färgväljare','Coffee Icon'=>'Kaffeikon','Code Standards Icon'=>'Ikon för kodstandarder','Cloud Upload Icon'=>'Ikon för molnuppladdning','Cloud Saved Icon'=>'Ikon för sparat i moln','Car Icon'=>'Bilikon','Camera (alt) Icon'=>'Alternativ kameraikon','Calculator Icon'=>'Ikon för kalkylator','Button Icon'=>'Knappikon','Businessperson Icon'=>'Ikon för affärsperson','Tracking Icon'=>'Spårningsikon','Topics Icon'=>'Ämnesikon','Replies Icon'=>'Ikon för svar','Friends Icon'=>'Vännerikon','Community Icon'=>'Community-ikon','BuddyPress Icon'=>'BuddyPress-ikon','bbPress Icon'=>'bbPress-ikon','Activity Icon'=>'Aktivitetsikon','Book (alt) Icon'=>'Alternativ bok-ikon','Block Default Icon'=>'Standardikon för block','Bell Icon'=>'Ikon för klocka','Beer Icon'=>'Ikon för öl','Bank Icon'=>'Bankikon','Arrow Up (alt2) Icon'=>'Alternativ ”pil upp”-ikon 2','Arrow Up (alt) Icon'=>'Alternativ ”pil upp”-ikon','Arrow Right (alt2) Icon'=>'Alternativ ”pil höger”-ikon 2','Arrow Right (alt) Icon'=>'Alternativ ”pil höger”-ikon','Arrow Left (alt2) Icon'=>'Alternativ ”pil vänster”-ikon 2','Arrow Left (alt) Icon'=>'Alternativ ”pil vänster”-ikon','Arrow Down (alt2) Icon'=>'Alternativ ”pil ned”-ikon 2','Arrow Down (alt) Icon'=>'Alternativ ”pil ned”-ikon','Amazon Icon'=>'Amazon-ikon','Align Wide Icon'=>'Ikon för bred justering','Airplane Icon'=>'Flygplansikon','Site (alt3) Icon'=>'Alternativ webbplatsikon 3','Site (alt2) Icon'=>'Alternativ webbplatsikon 2','Site (alt) Icon'=>'Alternativ webbplatsikon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Uppgradera till ACF PRO för att skapa alternativsidor med bara några få klick','Invalid request args.'=>'Ogiltiga argument för begäran.','Sorry, you do not have permission to do that.'=>'Du har inte behörighet att göra det.','Blocks Using Post Meta'=>'Block som använder inläggsmetadata','ACF PRO logo'=>'ACF PRO-logga','ACF PRO Logo'=>'ACF PRO-logga','%s requires a valid attachment ID when type is set to media_library.'=>'%s kräver ett giltigt bilage-ID när typen är angiven till media_library.','%s is a required property of acf.'=>'%s är en obligatorisk egenskap för acf.','The value of icon to save.'=>'Värdet på ikonen som ska sparas.','The type of icon to save.'=>'Den typ av ikon som ska sparas.','Yes Icon'=>'Ja-ikon','WordPress Icon'=>'WordPress-ikon','Warning Icon'=>'Varningsikon','Visibility Icon'=>'Ikon för synlighet','Vault Icon'=>'Ikon för valv','Upload Icon'=>'Ladda upp-ikon','Update Icon'=>'Uppdatera-ikon','Unlock Icon'=>'Lås upp-ikon','Universal Access Icon'=>'Ikon för universell åtkomst','Undo Icon'=>'Ångra-ikon','Twitter Icon'=>'Twitter-ikon','Trash Icon'=>'Papperskorgsikon','Translation Icon'=>'Översättningsikon','Tickets Icon'=>'Biljettikon','Thumbs Up Icon'=>'Tummen upp-ikon','Thumbs Down Icon'=>'Tummen ner-ikon','Text Icon'=>'Textikon','Testimonial Icon'=>'Omdömesikon','Tagcloud Icon'=>'Ikon för etikettmoln','Tag Icon'=>'Etikett-ikon','Tablet Icon'=>'Ikon för surfplatta','Store Icon'=>'Butiksikon','Sticky Icon'=>'Klistra-ikon','Star Half Icon'=>'Halvfylld stjärnikon','Star Filled Icon'=>'Fylld stjärnikon','Star Empty Icon'=>'Tom stjärnikon','Sos Icon'=>'SOS-ikon','Sort Icon'=>'Sortera-ikon','Smiley Icon'=>'Smiley-ikon','Smartphone Icon'=>'Ikon för smarta telefoner','Shield Icon'=>'Sköld-ikon','Share Icon'=>'Delningsikon','Search Icon'=>'Sökikon','Screen Options Icon'=>'Ikon för skärmalternativ','Schedule Icon'=>'Schema-ikon','Redo Icon'=>'”Göra om”-ikon','Randomize Icon'=>'Ikon för slumpmässighet','Products Icon'=>'Ikon för produkter','Pressthis Icon'=>'Pressthis-ikon','Post Status Icon'=>'Ikon för inläggsstatus','Portfolio Icon'=>'Portfölj-ikon','Plus Icon'=>'Plus-ikon','Playlist Video Icon'=>'Ikon för spellista, för videoklipp','Playlist Audio Icon'=>'Ikon för spellista, för ljud','Phone Icon'=>'Telefonikon','Performance Icon'=>'Ikon för prestanda','Paperclip Icon'=>'Pappersgem-ikon','No Icon'=>'Ingen ikon','Networking Icon'=>'Nätverksikon','Nametag Icon'=>'Namnskylt-ikon','Move Icon'=>'Flytta-ikon','Money Icon'=>'Pengar-ikon','Minus Icon'=>'Minus-ikon','Migrate Icon'=>'Migrera-ikon','Microphone Icon'=>'Mikrofon-ikon','Megaphone Icon'=>'Megafon-ikon','Marker Icon'=>'Markörikon','Lock Icon'=>'Låsikon','Location Icon'=>'Plats-ikon','List View Icon'=>'Ikon för listvy','Lightbulb Icon'=>'Glödlampeikon','Left Right Icon'=>'Vänster-höger-ikon','Layout Icon'=>'Layout-ikon','Laptop Icon'=>'Ikon för bärbar dator','Info Icon'=>'Info-ikon','Index Card Icon'=>'Ikon för indexkort','ID Icon'=>'ID-ikon','Hidden Icon'=>'Döljikon','Heart Icon'=>'Hjärt-ikon','Hammer Icon'=>'Hammarikon','Groups Icon'=>'Gruppikon','Grid View Icon'=>'Ikon för rutnätsvy','Forms Icon'=>'Ikon för formulär','Flag Icon'=>'Flagg-ikon','Filter Icon'=>'Filterikon','Feedback Icon'=>'Ikon för återkoppling','Facebook (alt) Icon'=>'Alternativ ikon för Facebook','Facebook Icon'=>'Facebook-ikon','External Icon'=>'Extern ikon','Email (alt) Icon'=>'Alternativ e-post-ikon','Email Icon'=>'E-postikon','Video Icon'=>'Videoikon','Unlink Icon'=>'Ta bort länk-ikon','Underline Icon'=>'Understrykningsikon','Text Color Icon'=>'Ikon för textfärg','Table Icon'=>'Tabellikon','Strikethrough Icon'=>'Ikon för genomstrykning','Spellcheck Icon'=>'Ikon för stavningskontroll','Remove Formatting Icon'=>'Ikon för ta bort formatering','Quote Icon'=>'Citatikon','Paste Word Icon'=>'Ikon för att klistra in ord','Paste Text Icon'=>'Ikon för att klistra in text','Paragraph Icon'=>'Ikon för textstycke','Outdent Icon'=>'Ikon för minskat indrag','Justify Icon'=>'Justera-ikon','Italic Icon'=>'Kursiv-ikon','Insert More Icon'=>'”Infoga mer”-ikon','Indent Icon'=>'Ikon för indrag','Help Icon'=>'Hjälpikon','Expand Icon'=>'Expandera-ikon','Contract Icon'=>'Avtalsikon','Code Icon'=>'Kodikon','Break Icon'=>'Bryt-ikon','Bold Icon'=>'Fet-ikon','Edit Icon'=>'Redigera-ikon','Download Icon'=>'Ladda ner-ikon','Dismiss Icon'=>'Avfärda-ikon','Desktop Icon'=>'Skrivbordsikon','Dashboard Icon'=>'Adminpanel-ikon','Cloud Icon'=>'Molnikon','Clock Icon'=>'Klockikon','Clipboard Icon'=>'Ikon för urklipp','Chart Pie Icon'=>'Cirkeldiagram-ikon','Chart Line Icon'=>'Ikon för diagramlinje','Chart Bar Icon'=>'Ikon för diagramfält','Chart Area Icon'=>'Ikon för diagramområde','Category Icon'=>'Kategoriikon','Cart Icon'=>'Varukorgsikon','Carrot Icon'=>'Morotsikon','Camera Icon'=>'Kamera-ikon','Calendar (alt) Icon'=>'Alternativ kalenderikon','Calendar Icon'=>'Kalender-ikon','Businesswoman Icon'=>'Ikon för affärskvinna','Building Icon'=>'Byggnadsikon','Book Icon'=>'Bok-ikon','Backup Icon'=>'Ikon för säkerhetskopiering','Awards Icon'=>'Ikon för utmärkelser','Art Icon'=>'Konst-ikon','Arrow Up Icon'=>'”Pil upp”-ikon','Arrow Right Icon'=>'”Pil höger”-ikon','Arrow Left Icon'=>'”Pil vänster”-ikon','Arrow Down Icon'=>'”Pil ned”-ikon','Archive Icon'=>'Arkiv-ikon','Analytics Icon'=>'Analysikon','Align Right Icon'=>'Justera höger-ikon','Align None Icon'=>'Justera inte-ikon','Align Left Icon'=>'Justera vänster-ikon','Align Center Icon'=>'Centrera-ikon','Album Icon'=>'Album-ikon','Users Icon'=>'Ikon för användare','Tools Icon'=>'Verktygsikon','Site Icon'=>'Webbplatsikon','Settings Icon'=>'Ikon för inställningar','Post Icon'=>'Inläggsikon','Plugins Icon'=>'Tilläggsikon','Page Icon'=>'Sidikon','Network Icon'=>'Nätverksikon','Multisite Icon'=>'Multisite-ikon','Media Icon'=>'Mediaikon','Links Icon'=>'Länkikon','Home Icon'=>'Hemikon','Customizer Icon'=>'Ikon för anpassaren','Comments Icon'=>'Ikon för kommentarer','Collapse Icon'=>'Minimera-ikon','Appearance Icon'=>'Utseende-ikon','Generic Icon'=>'Generisk ikon','Icon picker requires a value.'=>'Ikonväljaren kräver ett värde.','Icon picker requires an icon type.'=>'Ikonväljaren kräver en ikontyp.','The available icons matching your search query have been updated in the icon picker below.'=>'De tillgängliga ikonerna som matchar din sökfråga har uppdaterats i ikonväljaren nedan.','No results found for that search term'=>'Inga resultat hittades för den söktermen','Array'=>'Array','String'=>'Sträng','Specify the return format for the icon. %s'=>'Ange returformat för ikonen. %s','Select where content editors can choose the icon from.'=>'Välj var innehållsredaktörer kan välja ikonen från.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URL till ikonen du vill använda, eller SVG som data-URI','Browse Media Library'=>'Bläddra i mediabiblioteket','The currently selected image preview'=>'Förhandsgranskning av den aktuella valda bilden','Click to change the icon in the Media Library'=>'Klicka för att ändra ikonen i mediabiblioteket','Search icons...'=>'Sök ikoner …','Media Library'=>'Mediabibliotek','Dashicons'=>'Dashicons','Icon Picker'=>'Ikonväljare','JSON Load Paths'=>'Sökvägar där JSON-filer laddas från','JSON Save Paths'=>'Sökvägar där JSON-filer sparas','Registered ACF Forms'=>'Registrerade ACF-formulär','Shortcode Enabled'=>'Kortkod aktiverad','Field Settings Tabs Enabled'=>'Flikar för fältinställningar aktiverat','Field Type Modal Enabled'=>'Modal för fälttyp aktiverat','Admin UI Enabled'=>'Administrationsgränssnitt aktiverat','Block Preloading Enabled'=>'Förladdning av block aktiverat','Registered ACF Blocks'=>'Registrerade ACF-block','Light'=>'Ljus','Standard'=>'Standard','REST API Format'=>'REST API-format','Registered Options Pages (PHP)'=>'Registrerade alternativsidor (PHP)','Registered Options Pages (JSON)'=>'Registrerade alternativsidor (JSON)','Registered Options Pages (UI)'=>'Registrerade alternativsidor (UI)','Options Pages UI Enabled'=>'Användargränssnitt för alternativsidor aktiverat','Registered Taxonomies (JSON)'=>'Registrerade taxonomier (JSON)','Registered Taxonomies (UI)'=>'Registrerade taxonomier (UI)','Registered Post Types (JSON)'=>'Registrerade inläggstyper (JSON)','Registered Post Types (UI)'=>'Registrerade inläggstyper (UI)','Post Types and Taxonomies Enabled'=>'Inläggstyper och taxonomier aktiverade','Number of Third Party Fields by Field Type'=>'Antal tredjepartsfält per fälttyp','Number of Fields by Field Type'=>'Antal fält per fälttyp','Field Groups Enabled for GraphQL'=>'Fältgrupper aktiverade för GraphQL','Field Groups Enabled for REST API'=>'Fältgrupper aktiverade för REST API','Registered Field Groups (JSON)'=>'Registrerade fältgrupper (JSON)','Registered Field Groups (PHP)'=>'Registrerade fältgrupper (PHP)','Registered Field Groups (UI)'=>'Registrerade fältgrupper (UI)','Active Plugins'=>'Aktiva tillägg','Parent Theme'=>'Huvudtema','Active Theme'=>'Aktivt tema','Is Multisite'=>'Är multisite','MySQL Version'=>'MySQL-version','WordPress Version'=>'WordPress-version','Subscription Expiry Date'=>'Prenumerationens utgångsdatum','License Status'=>'Licensstatus','License Type'=>'Licenstyp','Licensed URL'=>'Licensierad URL','License Activated'=>'Licens aktiverad','Free'=>'Gratis','Plugin Type'=>'Typ av tillägg','Plugin Version'=>'Tilläggets version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Denna sektion innehåller felsökningsinformation om din ACF-konfiguration som kan vara användbar för support.','An ACF Block on this page requires attention before you can save.'=>'Ett ACF-block på denna sida kräver uppmärksamhet innan du kan spara.','Dismiss permanently'=>'Avfärda permanent','Instructions for content editors. Shown when submitting data.'=>'Instruktioner för innehållsredaktörer. Visas när data skickas','Has no term selected'=>'Har ingen term vald','Has any term selected'=>'Har någon term vald','Terms do not contain'=>'Termerna innehåller inte','Terms contain'=>'Termerna innehåller','Term is not equal to'=>'Termen är inte lika med','Term is equal to'=>'Termen är lika med','Has no user selected'=>'Har ingen användare vald','Has any user selected'=>'Har någon användare vald','Users do not contain'=>'Användarna innehåller inte','Users contain'=>'Användarna innehåller','User is not equal to'=>'Användare är inte lika med','User is equal to'=>'Användare är lika med','Has no page selected'=>'Har ingen sida vald','Has any page selected'=>'Har någon sida vald','Pages do not contain'=>'Sidorna innehåller inte','Pages contain'=>'Sidorna innehåller','Page is not equal to'=>'Sidan är inte lika med','Page is equal to'=>'Sidan är lika med','Has no relationship selected'=>'Har ingen relation vald','Has any relationship selected'=>'Har någon relation vald','Has no post selected'=>'Har inget inlägg valt','Has any post selected'=>'Har något inlägg valt','Posts do not contain'=>'Inlägg innehållet inte','Posts contain'=>'Inlägg innehåller','Post is not equal to'=>'Inlägget är inte lika med','Post is equal to'=>'Inlägget är lika med','Relationships do not contain'=>'Relationer innehåller inte','Relationships contain'=>'Relationer innehåller','Relationship is not equal to'=>'Relation är inte lika med','Relationship is equal to'=>'Relation är lika med','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-fält','ACF PRO Feature'=>'ACF PRO-funktion','Renew PRO to Unlock'=>'Förnya PRO för att låsa upp','Renew PRO License'=>'Förnya PRO-licens','PRO fields cannot be edited without an active license.'=>'PRO-fält kan inte redigeras utan en aktiv licens.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Aktivera din ACF PRO-licens för att redigera fältgrupper som tilldelats ett ACF-block.','Please activate your ACF PRO license to edit this options page.'=>'Aktivera din ACF PRO-licens för att redigera denna alternativsida.','Please contact your site administrator or developer for more details.'=>'Kontakta din webbplatsadministratör eller utvecklare för mer information.','Learn more'=>'Lär dig mer','Hide details'=>'Dölj detaljer','Show details'=>'Visa detaljer','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) -– återgiven via %3$s','Renew ACF PRO License'=>'Förnya ACF PRO-licens','Renew License'=>'Förnya licens','Manage License'=>'Hantera licens','\'High\' position not supported in the Block Editor'=>'Positionen ”Hög” stöds inte i blockredigeraren','Upgrade to ACF PRO'=>'Uppgradera till ACF PRO','Add Options Page'=>'Lägg till alternativsida','In the editor used as the placeholder of the title.'=>'Används som platshållare för rubriken i redigeraren.','Title Placeholder'=>'Platshållare för rubrik','4 Months Free'=>'4 månader gratis','(Duplicated from %s)'=>'(Duplicerad från %s)','Select Options Pages'=>'Välj alternativsidor','Duplicate taxonomy'=>'Duplicera taxonomi','Create taxonomy'=>'Skapa taxonomi','Duplicate post type'=>'Duplicera inläggstyp','Create post type'=>'Skapa inläggstyp','Link field groups'=>'Länka fältgrupper','Add fields'=>'Lägg till fält','This Field'=>'Detta fält','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Support','is developed and maintained by'=>'utvecklas och underhålls av','Add this %s to the location rules of the selected field groups.'=>'Lägg till denna %s i platsreglerna för de valda fältgrupperna.','Target Field'=>'Målfält','Update a field on the selected values, referencing back to this ID'=>'Uppdatera ett fält med de valda värdena och hänvisa tillbaka till detta ID','Bidirectional'=>'Dubbelriktad','%s Field'=>'%s-fält','Select Multiple'=>'Välj flera','WP Engine logo'=>'WP Engine-logga','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Endast gemena bokstäver, understreck och bindestreck, maximalt 32 tecken.','The capability name for assigning terms of this taxonomy.'=>'Namn på behörigheten för tilldelning av termer i denna taxonomi.','Assign Terms Capability'=>'Behörighet att tilldela termer','The capability name for deleting terms of this taxonomy.'=>'Namn på behörigheten för borttagning av termer i denna taxonomi.','Delete Terms Capability'=>'Behörighet att ta bort termer','The capability name for editing terms of this taxonomy.'=>'Namn på behörigheten för redigering av termer i denna taxonomi.','Edit Terms Capability'=>'Behörighet att redigera termer','The capability name for managing terms of this taxonomy.'=>'Namn på behörigheten för hantering av termer i denna taxonomi.','Manage Terms Capability'=>'Behörighet att hantera termer','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Anger om inlägg ska exkluderas från sökresultat och arkivsidor för taxonomier.','More Tools from WP Engine'=>'Fler verktyg från WP Engine','Built for those that build with WordPress, by the team at %s'=>'Byggt för dem som bygger med WordPress, av teamet på %s','View Pricing & Upgrade'=>'Visa priser och uppgradering','Learn More'=>'Lär dig mer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Snabba upp ditt arbetsflöde och utveckla bättre webbplatser med funktioner som ACF-block och alternativsidor, och sofistikerade fälttyper som upprepning, flexibelt innehåll, klona och galleri.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Lås upp avancerade funktioner och bygg ännu mer med ACF PRO','%s fields'=>'%s-fält','No terms'=>'Inga termer','No post types'=>'Inga inläggstyper','No posts'=>'Inga inlägg','No taxonomies'=>'Inga taxonomier','No field groups'=>'Inga fältgrupper','No fields'=>'Inga fält','No description'=>'Ingen beskrivning','Any post status'=>'Vilken inläggsstatus som helst','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Denna taxonominyckel används redan av en annan taxonomi som är registrerad utanför ACF och kan inte användas.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Denna taxonominyckel används redan av en annan taxonomi i ACF och kan inte användas.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Nyckeln för taxonomi får endast innehålla alfanumeriska tecken med gemener, understreck eller bindestreck.','The taxonomy key must be under 32 characters.'=>'Taxonominyckeln måste vara under 32 tecken.','No Taxonomies found in Trash'=>'Inga taxonomier hittades i papperskorgen','No Taxonomies found'=>'Inga taxonomier hittades','Search Taxonomies'=>'Sök taxonomier','View Taxonomy'=>'Visa taxonomi','New Taxonomy'=>'Ny taxonomi','Edit Taxonomy'=>'Redigera taxonomi','Add New Taxonomy'=>'Lägg till ny taxonomi','No Post Types found in Trash'=>'Inga inläggstyper hittades i papperskorgen','No Post Types found'=>'Inga inläggstyper hittades','Search Post Types'=>'Sök inläggstyper','View Post Type'=>'Visa inläggstyp','New Post Type'=>'Ny inläggstyp','Edit Post Type'=>'Redigera inläggstyp','Add New Post Type'=>'Lägg till ny inläggstyp','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Denna nyckel för inläggstyp används redan av en annan inläggstyp som är registrerad utanför ACF och kan inte användas.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Denna nyckel för inläggstyp används redan av en annan inläggstyp i ACF och kan inte användas.','This field must not be a WordPress reserved term.'=>'Detta fält får inte vara en av WordPress reserverad term.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Nyckeln för inläggstyp får endast innehålla alfanumeriska tecken med gemener, understreck eller bindestreck.','The post type key must be under 20 characters.'=>'Nyckeln för inläggstypen måste vara kortare än 20 tecken.','We do not recommend using this field in ACF Blocks.'=>'Vi avråder från att använda detta fält i ACF-block.','WYSIWYG Editor'=>'WYSIWYG-redigerare','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Tillåter val av en eller flera användare som kan användas för att skapa relationer mellan dataobjekt.','A text input specifically designed for storing web addresses.'=>'En textinmatning speciellt designad för att lagra webbadresser.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ett reglage som låter dig välja ett av värdena 1 eller 0 (på eller av, sant eller falskt osv.). Kan presenteras som ett stiliserat kontrollreglage eller kryssruta.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja en tid. Tidsformatet kan anpassas med hjälp av fältinställningarna.','A basic textarea input for storing paragraphs of text.'=>'Ett enkelt textområde för lagring av textstycken.','A basic text input, useful for storing single string values.'=>'En grundläggande textinmatning, användbar för att lagra enskilda strängvärden.','A dropdown list with a selection of choices that you specify.'=>'En rullgardinslista med ett urval av val som du anger.','An input for providing a password using a masked field.'=>'Ett inmatningsfält för att ange ett lösenord med hjälp av ett maskerat fält.','Filter by Post Status'=>'Filtrera efter inläggsstatus','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'En interaktiv komponent för att bädda in videoklipp, bilder, tweets, ljud och annat innehåll genom att använda den inbyggda WordPress oEmbed-funktionen.','An input limited to numerical values.'=>'Ett inmatningsfält begränsat till numeriska värden.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Gör att du kan ange en länk och dess egenskaper som rubrik och mål med hjälp av WordPress inbyggda länkväljare.','Uses the native WordPress media picker to upload, or choose images.'=>'Använder den inbyggda mediaväljaren i WordPress för att ladda upp eller välja bilder.','Uses the native WordPress media picker to upload, or choose files.'=>'Använder den inbyggda mediaväljaren i WordPress för att ladda upp eller välja filer.','A text input specifically designed for storing email addresses.'=>'En textinmatning speciellt designad för att lagra e-postadresser.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja datum och tid. Datumets returformat kan anpassas med hjälp av fältinställningarna.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja ett datum. Datumets returformat kan anpassas med hjälp av fältinställningarna.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Ett interaktivt användargränssnitt för att välja en färg eller ange ett HEX-värde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'En grupp kryssrutor som låter användaren välja ett eller flera värden som du anger.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'En grupp knappar med värden som du anger, användarna kan välja ett alternativ bland de angivna värdena.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Gör att du kan gruppera och organisera anpassade fält i hopfällbara paneler som visas när du redigerar innehåll. Användbart för att hålla ordning på stora datauppsättningar.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Detta tillhandahåller en interaktiv gränssnitt för att hantera en samling av bilagor. De flesta inställningarna är liknande bildfälttypen. Ytterligare inställningar låter dig specificera var nya bilagor ska läggas till i galleriet och det minsta/maximala antalet bilagor som tillåts.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Detta gör det möjligt för dig att välja och visa befintliga fält. Det duplicerar inte några fält i databasen, utan laddar och visar de valda fälten vid körtid. Klonfältet kan antingen ersätta sig själv med de valda fälten eller visa de valda fälten som en grupp av underfält.','nounClone'=>'Klona','PRO'=>'PRO','Advanced'=>'Avancerad','JSON (newer)'=>'JSON (nyare)','Original'=>'Original','Invalid post ID.'=>'Ogiltigt inläggs-ID.','Invalid post type selected for review.'=>'Ogiltig inläggstyp har valts för granskning.','More'=>'Mer','Tutorial'=>'Handledning','Select Field'=>'Välj fält','Try a different search term or browse %s'=>'Prova med en annan sökterm eller bläddra bland %s','Popular fields'=>'Populära fält','No search results for \'%s\''=>'Inga sökresultat för ”%s”','Search fields...'=>'Sök fält …','Select Field Type'=>'Välj fälttyp','Popular'=>'Populär','Add Taxonomy'=>'Lägg till taxonomi','Create custom taxonomies to classify post type content'=>'Skapa anpassade taxonomier för att klassificera typ av inläggsinnehåll','Add Your First Taxonomy'=>'Lägg till din första taxonomi','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarkiska taxonomier kan ha ättlingar (som kategorier).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Gör en taxonomi synlig på front-end och i adminpanelen.','One or many post types that can be classified with this taxonomy.'=>'En eller flera inläggstyper som kan klassificeras med denna taxonomi.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genrer','Expose this post type in the REST API.'=>'Exponera denna inläggstyp i REST API.','Customize the query variable name'=>'Anpassa namnet på ”query”-variabeln','Customize the slug used in the URL'=>'Anpassa ”slug” som används i URL:en','Permalinks for this taxonomy are disabled.'=>'Permalänkar för denna taxonomi är inaktiverade.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Skriv om URL:en med nyckeln för taxonomin som slug. Din permalänkstruktur kommer att vara','Taxonomy Key'=>'Taxonominyckel','Select the type of permalink to use for this taxonomy.'=>'Välj typen av permalänk som ska användas för denna taxonomi.','Display a column for the taxonomy on post type listing screens.'=>'Visa en kolumn för taxonomin på listningsvyer för inläggstyper.','Show Admin Column'=>'Visa adminkolumn','Show the taxonomy in the quick/bulk edit panel.'=>'Visa taxonomin i panelen för snabb-/massredigering.','Quick Edit'=>'Snabbredigera','Tag Cloud'=>'Etikettmoln','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ett PHP-funktionsnamn som ska anropas för att säkerhetsfiltrera taxonomidata som sparats från en metaruta.','Meta Box Sanitization Callback'=>'Säkerhetsfiltrerande återanrop för metaruta','Register Meta Box Callback'=>'Registrera återanrop för metaruta','No Meta Box'=>'Ingen metaruta','Custom Meta Box'=>'Anpassad metaruta','Meta Box'=>'Metaruta','Categories Meta Box'=>'Metaruta för kategorier','Tags Meta Box'=>'Metaruta för etiketter','A link to a tag'=>'En länk till en etikett','Describes a navigation link block variation used in the block editor.'=>'Beskriver en blockvariant för navigeringslänkar som används i blockredigeraren.','A link to a %s'=>'En länk till en/ett %s','Tag Link'=>'Etikettlänk','← Go to tags'=>'← Gå till etiketter','Assigns the text used to link back to the main index after updating a term.'=>'Tilldelar den text som används för att länka tillbaka till huvudindexet efter uppdatering av en term.','Back To Items'=>'Tillbaka till objekt','← Go to %s'=>'← Gå till %s','Tags list'=>'Ettikettlista','Assigns text to the table hidden heading.'=>'Tilldelar texten för tabellens dolda rubrik.','Tags list navigation'=>'Navigation för etikettlista','Assigns text to the table pagination hidden heading.'=>'Tilldelar texten för den dolda rubriken för tabellens sidonumrering.','Filter by category'=>'Filtrera efter kategori','Assigns text to the filter button in the posts lists table.'=>'Tilldelar texten för filterknappen i tabellen med inläggslistor.','Filter By Item'=>'Filtret efter objekt','Filter by %s'=>'Filtrera efter %s','The description is not prominent by default; however, some themes may show it.'=>'Beskrivningen visas inte som standard, men går att visa med vissa teman.','Describes the Description field on the Edit Tags screen.'=>'Beskriver fältet ”Beskrivning” i vyn ”Redigera etiketter”.','Description Field Description'=>'Beskrivning för fältbeskrivning','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Ange en överordnad term för att skapa en hierarki. Till exempel skulle termen Jazz kunna vara överordnad till Bebop och Storband','Describes the Parent field on the Edit Tags screen.'=>'Beskriver fältet ”Överordnad” i vyn ”Redigera etiketter”.','Parent Field Description'=>'Överordnad fältbeskrivning','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'”Slug” är den URL-vänliga versionen av namnet. Det är vanligtvis bara små bokstäver och innehåller bara bokstäver, siffror och bindestreck.','Describes the Slug field on the Edit Tags screen.'=>'Beskriver fältet ”Slug” i vyn ”Redigera etiketter”.','Slug Field Description'=>'Beskrivning av slugfält','The name is how it appears on your site'=>'Namnet är hur det ser ut på din webbplats','Describes the Name field on the Edit Tags screen.'=>'Beskriver fältet ”Namn” i vyn ”Redigera etiketter”.','Name Field Description'=>'Beskrivning av namnfält','No tags'=>'Inga etiketter','No Terms'=>'Inga termer','No %s'=>'Inga %s','No tags found'=>'Inga etiketter hittades','Not Found'=>'Hittades inte','Most Used'=>'Mest använda','Choose from the most used tags'=>'Välj från de mest använda etiketterna','Choose From Most Used'=>'Välj från mest använda','Choose from the most used %s'=>'Välj från de mest använda %s','Add or remove tags'=>'Lägg till eller ta bort etiketter','Add Or Remove Items'=>'Lägg till eller ta bort objekt','Add or remove %s'=>'Lägg till eller ta bort %s','Separate tags with commas'=>'Separera etiketter med kommatecken','Separate Items With Commas'=>'Separera objekt med kommatecken','Separate %s with commas'=>'Separera %s med kommatecken','Popular Tags'=>'Populära etiketter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Tilldelar text till populära objekt. Används endast för icke-hierarkiska taxonomier.','Popular Items'=>'Populära objekt','Popular %s'=>'Populär %s','Search Tags'=>'Sök etiketter','Assigns search items text.'=>'Tilldelar texten för att söka objekt.','Parent Category:'=>'Överordnad kategori:','Assigns parent item text, but with a colon (:) added to the end.'=>'Tilldelar text för överordnat objekt, men med ett kolon (:) i slutet.','Parent Item With Colon'=>'Överordnat objekt med kolon','Parent Category'=>'Överordnad kategori','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Tilldelar text för överordnat objekt. Används endast i hierarkiska taxonomier.','Parent Item'=>'Överordnat objekt','Parent %s'=>'Överordnad %s','New Tag Name'=>'Nytt etikettnamn','Assigns the new item name text.'=>'Tilldelar texten för nytt namn på objekt.','New Item Name'=>'Nytt objektnamn','New %s Name'=>'Namn på ny %s','Add New Tag'=>'Lägg till ny etikett','Assigns the add new item text.'=>'Tilldelar texten för att lägga till nytt objekt.','Update Tag'=>'Uppdatera etikett','Assigns the update item text.'=>'Tilldelar texten för uppdatera objekt.','Update Item'=>'Uppdatera objekt','Update %s'=>'Uppdatera %s','View Tag'=>'Visa etikett','In the admin bar to view term during editing.'=>'I adminfältet för att visa term vid redigering.','Edit Tag'=>'Redigera etikett','At the top of the editor screen when editing a term.'=>'Överst i redigeringsvyn när du redigerar en term.','All Tags'=>'Alla etiketter','Assigns the all items text.'=>'Tilldelar texten för alla objekt.','Assigns the menu name text.'=>'Tilldelar texten för menynamn.','Menu Label'=>'Menyetikett','Active taxonomies are enabled and registered with WordPress.'=>'Aktiva taxonomier är aktiverade och registrerade med WordPress.','A descriptive summary of the taxonomy.'=>'En beskrivande sammanfattning av taxonomin.','A descriptive summary of the term.'=>'En beskrivande sammanfattning av termen.','Term Description'=>'Termbeskrivning','Single word, no spaces. Underscores and dashes allowed.'=>'Enstaka ord, inga mellanslag. Understreck och bindestreck tillåtna.','Term Slug'=>'Termens slug','The name of the default term.'=>'Standardtermens namn.','Term Name'=>'Termnamn','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Skapa en term för taxonomin som inte kan tas bort. Den kommer inte att väljas för inlägg som standard.','Default Term'=>'Standardterm','Sort Terms'=>'Sortera termer','Add Post Type'=>'Lägg till inläggstyp','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Utöka funktionaliteten i WordPress utöver vanliga inlägg och sidor med anpassade inläggstyper.','Add Your First Post Type'=>'Lägg till din första inläggstyp','I know what I\'m doing, show me all the options.'=>'Jag vet vad jag gör, visa mig alla alternativ.','Advanced Configuration'=>'Avancerad konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarkiska inläggstyper kan ha ättlingar (som sidor).','Hierarchical'=>'Hierarkisk','Visible on the frontend and in the admin dashboard.'=>'Synlig på front-end och i adminpanelen.','Public'=>'Offentlig','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Endast gemener, understreck och bindestreck, maximalt 20 tecken.','Movie'=>'Film','Singular Label'=>'Etikett i singular','Movies'=>'Filmer','Plural Label'=>'Etikett i plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Valfri anpassad controller att använda i stället för `WP_REST_Posts_Controller`.','Controller Class'=>'”Controller”-klass','The namespace part of the REST API URL.'=>'Namnrymdsdelen av REST API-URL:en.','Namespace Route'=>'Route för namnrymd','The base URL for the post type REST API URLs.'=>'Bas-URL för inläggstypens REST API-URL:er.','Base URL'=>'Bas-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Exponerar denna inläggstyp i REST API:t. Krävs för att använda blockredigeraren.','Show In REST API'=>'Visa i REST API','Customize the query variable name.'=>'Anpassa namnet på ”query”-variabeln.','Query Variable'=>'”Query”-variabel','No Query Variable Support'=>'Inget stöd för ”query”-variabel','Custom Query Variable'=>'Anpassad ”query”-variabel','Query Variable Support'=>'Stöd för ”query”-variabel','URLs for an item and items can be accessed with a query string.'=>'URL:er för ett eller flera objekt kan nås med en ”query”-sträng.','Publicly Queryable'=>'Offentligt sökbar','Custom slug for the Archive URL.'=>'Anpassad slug för arkiv-URL:en.','Archive Slug'=>'Arkiv-slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Har ett objektarkiv som kan anpassas med en arkivmallfil i ditt tema.','Archive'=>'Arkiv','Pagination support for the items URLs such as the archives.'=>'Stöd för sidonumrering av objektens URL:er, t.ex. arkiven.','Pagination'=>'Sidonumrering','RSS feed URL for the post type items.'=>'URL för RSS-flöde, för objekten i inläggstypen.','Feed URL'=>'Flödes-URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Ändrar permalänkstrukturen så att prefixet `WP_Rewrite::$front` läggs till i URL:er.','Front URL Prefix'=>'Prefix för inledande URL','Customize the slug used in the URL.'=>'Anpassa slugen som används i webbadressen.','URL Slug'=>'URL-slug','Permalinks for this post type are disabled.'=>'Permalänkar för denna inläggstyp är inaktiverade.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Skriv om URL:en med en anpassad slug som definieras i inmatningsfältet nedan. Din permalänkstruktur kommer att vara','No Permalink (prevent URL rewriting)'=>'Ingen permalänk (förhindra URL-omskrivning)','Custom Permalink'=>'Anpassad permalänk','Post Type Key'=>'Nyckel för inläggstyp','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Skriv om URL:en med nyckeln för inläggstypen som slug. Din permalänkstruktur kommer att vara','Permalink Rewrite'=>'Omskrivning av permalänk','Delete items by a user when that user is deleted.'=>'Ta bort objekt av en användare när den användaren tas bort.','Delete With User'=>'Ta bort med användare','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Tillåt att inläggstypen exporteras från ”Verktyg” > ”Export”.','Can Export'=>'Kan exportera','Optionally provide a plural to be used in capabilities.'=>'Ange eventuellt en pluralform som kan användas i behörigheter.','Plural Capability Name'=>'Namn i plural på behörighet','Choose another post type to base the capabilities for this post type.'=>'Välj en annan inläggstyp för att basera behörigheterna för denna inläggstyp.','Singular Capability Name'=>'Namn i singular på behörighet','Rename Capabilities'=>'Byt namn på behörigheter','Exclude From Search'=>'Exkludera från sök','Appearance Menus Support'=>'Stöd för menyer i Utseende','Appears as an item in the \'New\' menu in the admin bar.'=>'Visas som ett objekt i menyn ”Nytt” i adminfältet.','Show In Admin Bar'=>'Visa i adminmeny','Custom Meta Box Callback'=>'Återanrop för anpassad metaruta','Menu Icon'=>'Menyikon','The position in the sidebar menu in the admin dashboard.'=>'Positionen i sidopanelsmenyn i adminpanelen.','Menu Position'=>'Menyposition','Admin Menu Parent'=>'Överordnad adminmeny','Show In Admin Menu'=>'Visa i adminmeny','Items can be edited and managed in the admin dashboard.'=>'Objekt kan redigeras och hanteras i adminpanelen.','Show In UI'=>'Visa i användargränssnitt','A link to a post.'=>'En länk till ett inlägg.','Description for a navigation link block variation.'=>'Beskrivning för en variant av navigationslänksblock.','Item Link Description'=>'Objekts länkbeskrivning','A link to a %s.'=>'En länk till en/ett %s.','Post Link'=>'Inläggslänk','Title for a navigation link block variation.'=>'Rubrik för en variant av navigationslänksblock.','Item Link'=>'Objektlänk','%s Link'=>'%s-länk','Post updated.'=>'Inlägg uppdaterat.','In the editor notice after an item is updated.'=>'Avisering i redigeraren efter att ett objekt har uppdaterats.','Item Updated'=>'Objekt uppdaterat','%s updated.'=>'%s har uppdaterats.','Post scheduled.'=>'Inlägget har schemalagts.','In the editor notice after scheduling an item.'=>'Avisering i redigeraren efter schemaläggning av ett objekt.','Item Scheduled'=>'Objekt tidsinställt','%s scheduled.'=>'%s schemalagd.','Post reverted to draft.'=>'Inlägget har återställts till utkastet.','In the editor notice after reverting an item to draft.'=>'Avisering i redigeraren efter att ha återställt ett objekt till utkast.','Item Reverted To Draft'=>'Objekt återställt till utkast','%s reverted to draft.'=>'%s återställt till utkast.','Post published privately.'=>'Inlägg publicerat privat.','In the editor notice after publishing a private item.'=>'Avisering i redigeraren efter publicering av ett privat objekt.','Item Published Privately'=>'Objekt publicerat privat','%s published privately.'=>'%s har publicerats privat.','Post published.'=>'Inlägg publicerat.','In the editor notice after publishing an item.'=>'Avisering i redigeraren efter publicering av ett objekt.','Item Published'=>'Objekt publicerat','%s published.'=>'%s publicerad.','Posts list'=>'Inläggslista','Items List'=>'Objektlista','%s list'=>'%s-lista','Posts list navigation'=>'Navigation för inläggslista','Items List Navigation'=>'Navigation för objektlista','%s list navigation'=>'Navigation för %s-lista','Filter posts by date'=>'Filtrera inlägg efter datum','Filter Items By Date'=>'Filtrera objekt efter datum','Filter %s by date'=>'Filtrera %s efter datum','Filter posts list'=>'Filtrera inläggslista','Filter Items List'=>'Filtrera lista med objekt','Filter %s list'=>'Filtrera %s-listan','In the media modal showing all media uploaded to this item.'=>'I mediamodalen där alla media som laddats upp till detta objekt visas.','Uploaded To This Item'=>'Uppladdat till detta objekt','Uploaded to this %s'=>'Uppladdad till denna %s','Insert into post'=>'Infoga i inlägg','As the button label when adding media to content.'=>'Som knappetikett när du lägger till media i innehållet.','Insert Into Media Button'=>'Infoga ”Infoga media”-knapp','Insert into %s'=>'Infoga i %s','Use as featured image'=>'Använd som utvald bild','As the button label for selecting to use an image as the featured image.'=>'Som knappetikett för att välja att använda en bild som den utvalda bilden.','Use Featured Image'=>'Använd utvald bild','Remove featured image'=>'Ta bort utvald bild','As the button label when removing the featured image.'=>'Som knappetiketten vid borttagning av den utvalda bilden.','Remove Featured Image'=>'Ta bort utvald bild','Set featured image'=>'Ange utvald bild','As the button label when setting the featured image.'=>'Som knappetiketten när den utvalda bilden anges.','Set Featured Image'=>'Ange utvald bild','Featured image'=>'Utvald bild','In the editor used for the title of the featured image meta box.'=>'Används i redigeraren för rubriken på metarutan för den utvalda bilden.','Featured Image Meta Box'=>'Metaruta för utvald bild','Post Attributes'=>'Inläggsattribut','In the editor used for the title of the post attributes meta box.'=>'Används i redigeraren för rubriken på metarutan för inläggsattribut.','Attributes Meta Box'=>'Metaruta för attribut','%s Attributes'=>'Attribut för %s','Post Archives'=>'Inläggsarkiv','Archives Nav Menu'=>'Navigationsmeny för arkiv','%s Archives'=>'Arkiv för %s','No posts found in Trash'=>'Inga inlägg hittades i papperskorgen','No Items Found in Trash'=>'Inga objekt hittades i papperskorgen','No %s found in Trash'=>'Inga %s hittades i papperskorgen','No posts found'=>'Inga inlägg hittades','No Items Found'=>'Inga objekt hittades','No %s found'=>'Inga %s hittades','Search Posts'=>'Sök inlägg','Search Items'=>'Sök objekt','Search %s'=>'Sök efter %s','Parent Page:'=>'Överordnad sida:','Parent Item Prefix'=>'Prefix för överordnat objekt','Parent %s:'=>'Överordnad %s:','New Post'=>'Nytt inlägg','New Item'=>'Nytt objekt','New %s'=>'Ny %s','Add New Post'=>'Lägg till nytt inlägg','At the top of the editor screen when adding a new item.'=>'Överst i redigeringsvyn när du lägger till ett nytt objekt.','Add New Item'=>'Lägg till nytt objekt','Add New %s'=>'Lägg till ny/nytt %s','View Posts'=>'Visa inlägg','View Items'=>'Visa objekt','View Post'=>'Visa inlägg','In the admin bar to view item when editing it.'=>'I adminfältet för att visa objekt när du redigerar det.','View Item'=>'Visa objekt','View %s'=>'Visa %s','Edit Post'=>'Redigera inlägg','At the top of the editor screen when editing an item.'=>'Överst i redigeringsvyn när du redigerar ett objekt.','Edit Item'=>'Redigera objekt','Edit %s'=>'Redigera %s','All Posts'=>'Alla inlägg','In the post type submenu in the admin dashboard.'=>'I undermenyn för inläggstyp i adminpanelen.','All Items'=>'Alla objekt','All %s'=>'Alla %s','Admin menu name for the post type.'=>'Adminmenynamn för inläggstypen.','Menu Name'=>'Menynamn','Regenerate all labels using the Singular and Plural labels'=>'Återskapa alla etiketter med etiketterna för singular och plural','Regenerate'=>'Återskapa','Active post types are enabled and registered with WordPress.'=>'Aktiva inläggstyper är aktiverade och registrerade med WordPress.','A descriptive summary of the post type.'=>'En beskrivande sammanfattning av inläggstypen.','Add Custom'=>'Lägg till anpassad','Enable various features in the content editor.'=>'Aktivera olika funktioner i innehållsredigeraren.','Post Formats'=>'Inläggsformat','Editor'=>'Redigerare','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Välj befintliga taxonomier för att klassificera objekt av inläggstypen.','Browse Fields'=>'Bläddra bland fält','Nothing to import'=>'Ingenting att importera','. The Custom Post Type UI plugin can be deactivated.'=>'. Tillägget ”Custom Post Type UI” kan inaktiveras.','Imported %d item from Custom Post Type UI -'=>'Importerade %d objekt från ”Custom Post Type UI” –' . "\0" . 'Importerade %d objekt från ”Custom Post Type UI” –','Failed to import taxonomies.'=>'Misslyckades att importera taxonomier.','Failed to import post types.'=>'Misslyckades att importera inläggstyper.','Nothing from Custom Post Type UI plugin selected for import.'=>'Inget från ”Custom Post Type UI” har valts för import.','Imported 1 item'=>'Importerade 1 objekt' . "\0" . 'Importerade %s objekt','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Om en inläggstyp eller taxonomi importeras med samma nyckel som en som redan finns skrivs inställningarna för den befintliga inläggstypen eller taxonomin över med inställningarna för importen.','Import from Custom Post Type UI'=>'Importera från Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Följande kod kan användas för att registrera en lokal version av de valda objekten. Att lagra fältgrupper, inläggstyper eller taxonomier lokalt kan ge många fördelar, till exempel snabbare inläsningstider, versionskontroll och dynamiska fält/inställningar. Kopiera och klistra in följande kod i ditt temas ”functions.php”-fil eller inkludera den i en extern fil, inaktivera eller ta sen bort objekten från ACF-administrationen.','Export - Generate PHP'=>'Exportera - Generera PHP','Export'=>'Exportera','Select Taxonomies'=>'Välj taxonomier','Select Post Types'=>'Välj inläggstyper','Exported 1 item.'=>'Exporterade 1 objekt.' . "\0" . 'Exporterade %s objekt.','Category'=>'Kategori','Tag'=>'Etikett','%s taxonomy created'=>'Taxonomin %s skapades','%s taxonomy updated'=>'Taxonomin %s uppdaterad','Taxonomy draft updated.'=>'Taxonomiutkast uppdaterat.','Taxonomy scheduled for.'=>'Taxonomi schemalagd till.','Taxonomy submitted.'=>'Taxonomi inskickad.','Taxonomy saved.'=>'Taxonomi sparad.','Taxonomy deleted.'=>'Taxonomi borttagen.','Taxonomy updated.'=>'Taxonomi uppdaterad.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Denna taxonomi kunde inte registreras eftersom dess nyckel används av en annan taxonomi som registrerats av ett annat tillägg eller tema.','Taxonomy synchronized.'=>'Taxonomi synkroniserad.' . "\0" . '%s taxonomier synkroniserade.','Taxonomy duplicated.'=>'Taxonomi duplicerad.' . "\0" . '%s taxonomier duplicerade.','Taxonomy deactivated.'=>'Taxonomi inaktiverad.' . "\0" . '%s taxonomier inaktiverade.','Taxonomy activated.'=>'Taxonomi aktiverad.' . "\0" . '%s taxonomier aktiverade.','Terms'=>'Termer','Post type synchronized.'=>'Inläggstyp synkroniserad.' . "\0" . '%s inläggstyper synkroniserade.','Post type duplicated.'=>'Inläggstyp duplicerad.' . "\0" . '%s inläggstyper duplicerade.','Post type deactivated.'=>'Inläggstyp inaktiverad.' . "\0" . '%s inläggstyper inaktiverade.','Post type activated.'=>'Inläggstyp aktiverad.' . "\0" . '%s inläggstyper aktiverade.','Post Types'=>'Inläggstyper','Advanced Settings'=>'Avancerade inställningar','Basic Settings'=>'Grundläggande inställningar','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Denna inläggstyp kunde inte registreras eftersom dess nyckel används av en annan inläggstyp som registrerats av ett annat tillägg eller tema.','Pages'=>'Sidor','Link Existing Field Groups'=>'Länka befintliga fältgrupper','%s post type created'=>'Inläggstypen %s skapad','Add fields to %s'=>'Lägg till fält till %s','%s post type updated'=>'Inläggstypen %s uppdaterad','Post type draft updated.'=>'Utkast för inläggstyp uppdaterat.','Post type scheduled for.'=>'Inläggstyp schemalagd till.','Post type submitted.'=>'Inläggstyp inskickad.','Post type saved.'=>'Inläggstyp sparad.','Post type updated.'=>'Inläggstyp uppdaterad.','Post type deleted.'=>'Inläggstyp borttagen.','Type to search...'=>'Skriv för att söka …','PRO Only'=>'Endast PRO','Field groups linked successfully.'=>'Fältgrupper har länkats.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importera inläggstyper och taxonomier som registrerats med ”Custom Post Type UI” och hantera dem med ACF. Kom igång.','ACF'=>'ACF','taxonomy'=>'taxonomi','post type'=>'inläggstyp','Done'=>'Klar','Field Group(s)'=>'Fältgrupp/fältgrupper','Select one or many field groups...'=>'Markera en eller flera fältgrupper …','Please select the field groups to link.'=>'Välj de fältgrupper som ska länkas.','Field group linked successfully.'=>'Fältgrupp har länkats.' . "\0" . 'Fältgrupper har länkats.','post statusRegistration Failed'=>'Registrering misslyckades','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Detta objekt kunde inte registreras eftersom dess nyckel används av ett annat objekt som registrerats av ett annat tillägg eller tema.','REST API'=>'REST API','Permissions'=>'Behörigheter','URLs'=>'URL:er','Visibility'=>'Synlighet','Labels'=>'Etiketter','Field Settings Tabs'=>'Fältinställningar för flikar','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF-kortkod inaktiverad för förhandsvisning]','Close Modal'=>'Stäng modal','Field moved to other group'=>'Fält flyttat till annan grupp','Close modal'=>'Stäng modal','Start a new group of tabs at this tab.'=>'Starta en ny grupp av flikar på denna flik.','New Tab Group'=>'Ny flikgrupp','Use a stylized checkbox using select2'=>'Använd en stiliserad kryssruta med hjälp av select2','Save Other Choice'=>'Spara annat val','Allow Other Choice'=>'Tillåt annat val','Add Toggle All'=>'Lägg till ”Slå på/av alla”','Save Custom Values'=>'Spara anpassade värden','Allow Custom Values'=>'Tillåt anpassade värden','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Anpassade värden för kryssrutor kan inte vara tomma. Avmarkera alla tomma värden.','Updates'=>'Uppdateringar','Advanced Custom Fields logo'=>'Logga för Advanced Custom Fields','Save Changes'=>'Spara ändringarna','Field Group Title'=>'Rubrik för fältgrupp','Add title'=>'Lägg till rubrik','New to ACF? Take a look at our getting started guide.'=>'Har du just börjat med ACF? Kolla gärna in vår välkomstguide.','Add Field Group'=>'Lägg till fältgrupp','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF samlar anpassade fält i fältgrupper och kopplar sedan dessa fält till redigeringsvyer.','Add Your First Field Group'=>'Lägg till din första fältgrupp','Options Pages'=>'Alternativsidor','ACF Blocks'=>'ACF-block','Gallery Field'=>'Gallerifält','Flexible Content Field'=>'Flexibelt innehållsfält','Repeater Field'=>'Upprepningsfält','Unlock Extra Features with ACF PRO'=>'Lås upp extra funktioner med ACF PRO','Delete Field Group'=>'Ta bort fältgrupp','Created on %1$s at %2$s'=>'Skapad den %1$s kl. %2$s','Group Settings'=>'Gruppinställningar','Location Rules'=>'Platsregler','Choose from over 30 field types. Learn more.'=>'Välj från över 30 fälttyper. Lär dig mer.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Kom igång med att skapa nya anpassade fält för dina inlägg, sidor, anpassade inläggstyper och annat WordPress-innehåll.','Add Your First Field'=>'Lägg till ditt första fält','#'=>'#','Add Field'=>'Lägg till fält','Presentation'=>'Presentation','Validation'=>'Validering','General'=>'Allmänt','Import JSON'=>'Importera JSON','Export As JSON'=>'Exportera som JSON','Field group deactivated.'=>'Fältgrupp inaktiverad.' . "\0" . '%s fältgrupper inaktiverade.','Field group activated.'=>'Fältgrupp aktiverad.' . "\0" . '%s fältgrupper aktiverade.','Deactivate'=>'Inaktivera','Deactivate this item'=>'Inaktivera detta objekt','Activate'=>'Aktivera','Activate this item'=>'Aktivera detta objekt','Move field group to trash?'=>'Flytta fältgrupp till papperskorg?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields och Advanced Custom Fields PRO ska inte vara aktiva samtidigt. Vi har inaktiverat Advanced Custom Fields PRO automatiskt.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields och Advanced Custom Fields PRO ska inte vara aktiva samtidigt. Vi har inaktiverat Advanced Custom Fields automatiskt.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Vi har upptäckt ett eller flera anrop för att hämta ACF-fältvärden innan ACF har initierats. Detta stöds inte och kan resultera i felaktiga eller saknade data. Lär dig hur man åtgärdar detta.','%1$s must have a user with the %2$s role.'=>'%1$s måste ha en användare med rollen %2$s.' . "\0" . '%1$s måste ha en användare med en av följande roller: %2$s','%1$s must have a valid user ID.'=>'%1$s måste ha ett giltigt användar-ID.','Invalid request.'=>'Ogiltig begäran.','%1$s is not one of %2$s'=>'%1$s är inte en av %2$s','%1$s must have term %2$s.'=>'%1$s måste ha termen %2$s.' . "\0" . '%1$s måste ha en av följande termer: %2$s','%1$s must be of post type %2$s.'=>'%1$s måste vara av inläggstypen %2$s.' . "\0" . '%1$s måste vara en av följande inläggstyper: %2$s','%1$s must have a valid post ID.'=>'%1$s måste ha ett giltigt inläggs-ID.','%s requires a valid attachment ID.'=>'%s kräver ett giltig bilage-ID.','Show in REST API'=>'Visa i REST API','Enable Transparency'=>'Aktivera genomskinlighet','RGBA Array'=>'RGBA-array','RGBA String'=>'RGBA-sträng','Hex String'=>'HEX-sträng','Upgrade to PRO'=>'Uppgradera till PRO','post statusActive'=>'Aktivt','\'%s\' is not a valid email address'=>'”%s” är inte en giltig e-postadress','Color value'=>'Färgvärde','Select default color'=>'Välj standardfärg','Clear color'=>'Rensa färg','Blocks'=>'Block','Options'=>'Alternativ','Users'=>'Användare','Menu items'=>'Menyval','Widgets'=>'Widgetar','Attachments'=>'Bilagor','Taxonomies'=>'Taxonomier','Posts'=>'Inlägg','Last updated: %s'=>'Senast uppdaterad: %s','Sorry, this post is unavailable for diff comparison.'=>'Detta inlägg är inte tillgängligt för diff-jämförelse.','Invalid field group parameter(s).'=>'Ogiltiga parametrar för fältgrupp.','Awaiting save'=>'Väntar på att sparas','Saved'=>'Sparad','Import'=>'Importera','Review changes'=>'Granska ändringar','Located in: %s'=>'Finns i: %s','Located in plugin: %s'=>'Finns i tillägg: %s','Located in theme: %s'=>'Finns i tema: %s','Various'=>'Diverse','Sync changes'=>'Synkronisera ändringar','Loading diff'=>'Hämtar diff','Review local JSON changes'=>'Granska lokala JSON-ändringar','Visit website'=>'Besök webbplats','View details'=>'Visa detaljer','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Support. Vår professionella supportpersonal kan hjälpa dig med mer komplicerade och tekniska utmaningar.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussioner. Vi har en aktiv och vänlig community på våra community-forum som kanske kan hjälpa dig att räkna ut ”hur man gör” i ACF-världen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation. Vår omfattande dokumentation innehåller referenser och guider för de flesta situationer du kan stöta på.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Vi är fanatiska när det gäller support och vill att du ska få ut det bästa av din webbplats med ACF. Om du stöter på några svårigheter finns det flera ställen där du kan få hjälp:','Help & Support'=>'Hjälp och support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Använd fliken ”Hjälp och support” för att kontakta oss om du skulle behöva hjälp.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Innan du skapar din första fältgrupp rekommenderar vi att du först läser vår Komma igång-guide för att bekanta dig med tilläggets filosofi och bästa praxis.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Tillägget ”Advanced Custom Fields” tillhandahåller en visuell formulärbyggare för att anpassa WordPress redigeringsvyer med extra fält och ett intuitivt API för att visa anpassade fältvärden i alla temamallsfiler.','Overview'=>'Översikt','Location type "%s" is already registered.'=>'Platstypen ”%s” är redan registrerad.','Class "%s" does not exist.'=>'Klassen ”%s” finns inte.','Invalid nonce.'=>'Ogiltig engångskod.','Error loading field.'=>'Fel vid inläsning av fält.','Error: %s'=>'Fel: %s','Widget'=>'Widget','User Role'=>'Användarroll','Comment'=>'Kommentera','Post Format'=>'Inläggsformat','Menu Item'=>'Menyval','Post Status'=>'Inläggsstatus','Menus'=>'Menyer','Menu Locations'=>'Menyplatser','Menu'=>'Meny','Post Taxonomy'=>'Inläggstaxonomi','Child Page (has parent)'=>'Undersida (har överordnad)','Parent Page (has children)'=>'Överordnad sida (har undersidor)','Top Level Page (no parent)'=>'Toppnivåsida (ingen överordnad)','Posts Page'=>'Inläggssida','Front Page'=>'Startsida','Page Type'=>'Sidtyp','Viewing back end'=>'Visar back-end','Viewing front end'=>'Visar front-end','Logged in'=>'Inloggad','Current User'=>'Nuvarande användare','Page Template'=>'Sidmall','Register'=>'Registrera','Add / Edit'=>'Lägg till/redigera','User Form'=>'Användarformulär','Page Parent'=>'Överordnad sida','Super Admin'=>'Superadmin','Current User Role'=>'Nuvarande användarroll','Default Template'=>'Standardmall','Post Template'=>'Inläggsmall','Post Category'=>'Inläggskategori','All %s formats'=>'Alla %s-format','Attachment'=>'Bilaga','%s value is required'=>'%s-värde är obligatoriskt','Show this field if'=>'Visa detta fält om','Conditional Logic'=>'Villkorad logik','and'=>'och','Local JSON'=>'Lokal JSON','Clone Field'=>'Klona fält','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Kontrollera också att alla premiumutökningar (%s) är uppdaterade till den senaste versionen.','This version contains improvements to your database and requires an upgrade.'=>'Denna version innehåller förbättringar av din databas och kräver en uppgradering.','Thank you for updating to %1$s v%2$s!'=>'Tack för att du uppdaterade till %1$s v%2$s!','Database Upgrade Required'=>'Databasuppgradering krävs','Options Page'=>'Alternativsida','Gallery'=>'Galleri','Flexible Content'=>'Flexibelt innehåll','Repeater'=>'Repeterare','Back to all tools'=>'Tillbaka till alla verktyg','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)'=>'Om flera fältgrupper visas på en redigeringssida, kommer den första fältgruppens alternativ att användas (den med lägsta sorteringsnummer)','Select items to hide them from the edit screen.'=>'Markera objekt för att dölja dem från redigeringsvyn.','Hide on screen'=>'Dölj på skärmen','Send Trackbacks'=>'Skicka trackbacks','Tags'=>'Etiketter','Categories'=>'Kategorier','Page Attributes'=>'Sidattribut','Format'=>'Format','Author'=>'Författare','Slug'=>'Slug','Revisions'=>'Versioner','Comments'=>'Kommentarer','Discussion'=>'Diskussion','Excerpt'=>'Utdrag','Content Editor'=>'Innehållsredigerare','Permalink'=>'Permalänk','Shown in field group list'=>'Visa i fältgrupplista','Field groups with a lower order will appear first'=>'Fältgrupper med lägre ordningsnummer kommer synas först','Order No.'=>'Sorteringsnummer','Below fields'=>'Under fält','Below labels'=>'Under etiketter','Instruction Placement'=>'Instruktionsplacering','Label Placement'=>'Etikettplacering','Side'=>'Vid sidan','Normal (after content)'=>'Normal (efter innehåll)','High (after title)'=>'Hög (efter rubrik)','Position'=>'Position','Seamless (no metabox)'=>'Sömnlöst (ingen metaruta)','Standard (WP metabox)'=>'Standard (WP meta-ruta)','Style'=>'Stil','Type'=>'Typ','Key'=>'Nyckel','Order'=>'Sortering','Close Field'=>'Stäng fält','id'=>'id','class'=>'klass','width'=>'bredd','Wrapper Attributes'=>'Omslagsattribut','Required'=>'Obligatoriskt','Instructions'=>'Instruktioner','Field Type'=>'Fälttyp','Single word, no spaces. Underscores and dashes allowed'=>'Enstaka ord, inga mellanslag. Understreck och bindestreck tillåtna','Field Name'=>'Fältnamn','This is the name which will appear on the EDIT page'=>'Detta är namnet som kommer att visas på REDIGERINGS-sidan','Field Label'=>'Fältetikett','Delete'=>'Ta bort','Delete field'=>'Ta bort fält','Move'=>'Flytta','Move field to another group'=>'Flytta fältet till en annan grupp','Duplicate field'=>'Duplicera fält','Edit field'=>'Redigera fält','Drag to reorder'=>'Dra för att sortera om','Show this field group if'=>'Visa denna fältgrupp om','No updates available.'=>'Inga uppdateringar tillgängliga.','Database upgrade complete. See what\'s new'=>'Databasuppgradering slutförd. Se vad som är nytt','Reading upgrade tasks...'=>'Läser in uppgraderingsuppgifter …','Upgrade failed.'=>'Uppgradering misslyckades.','Upgrade complete.'=>'Uppgradering slutförd.','Upgrading data to version %s'=>'Uppgraderar data till version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det rekommenderas starkt att du säkerhetskopierar din databas innan du fortsätter. Är du säker på att du vill köra uppdateraren nu?','Please select at least one site to upgrade.'=>'Välj minst en webbplats att uppgradera.','Database Upgrade complete. Return to network dashboard'=>'Uppgradering av databas slutförd. Tillbaka till nätverkets adminpanel','Site is up to date'=>'Webbplatsen är uppdaterad','Site requires database upgrade from %1$s to %2$s'=>'Webbplatsen kräver databasuppgradering från %1$s till %2$s','Site'=>'Webbplats','Upgrade Sites'=>'Uppgradera webbplatser','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Följande webbplatser kräver en DB-uppgradering. Kontrollera de du vill uppdatera och klicka sedan på %s.','Add rule group'=>'Lägg till regelgrupp','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Skapa en uppsättning regler för att avgöra vilka redigeringsvyer som ska använda dessa avancerade anpassade fält','Rules'=>'Regler','Copied'=>'Kopierad','Copy to clipboard'=>'Kopiera till urklipp','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Välj vilka objekt du vill exportera och sedan exportmetod. ”Exportera som JSON” för att exportera till en .json-fil som du sedan kan importera till någon annan ACF-installation. ”Generera PHP” för att exportera PHP kod som du kan lägga till i ditt tema.','Select Field Groups'=>'Välj fältgrupper','No field groups selected'=>'Inga fältgrupper valda','Generate PHP'=>'Generera PHP','Export Field Groups'=>'Exportera fältgrupper','Import file empty'=>'Importerad fil är tom','Incorrect file type'=>'Felaktig filtyp','Error uploading file. Please try again'=>'Fel vid uppladdning av fil. Försök igen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Välj den JSON-fil för Advanced Custom Fields som du vill importera. När du klickar på importknappen nedan kommer ACF att importera objekten i den filen.','Import Field Groups'=>'Importera fältgrupper','Sync'=>'Synkronisera','Select %s'=>'Välj %s','Duplicate'=>'Duplicera','Duplicate this item'=>'Duplicera detta objekt','Supports'=>'Stöder','Documentation'=>'Dokumentation','Description'=>'Beskrivning','Sync available'=>'Synkronisering tillgänglig','Field group synchronized.'=>'Fältgrupp synkroniserad.' . "\0" . '%s fältgrupper synkroniserade.','Field group duplicated.'=>'Fältgrupp duplicerad.' . "\0" . '%s fältgrupper duplicerade.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiva (%s)','Review sites & upgrade'=>'Granska webbplatser och uppgradera','Upgrade Database'=>'Uppgradera databas','Custom Fields'=>'Anpassade fält','Move Field'=>'Flytta fält','Please select the destination for this field'=>'Välj destinationen för detta fält','The %1$s field can now be found in the %2$s field group'=>'Fältet %1$s kan nu hittas i fältgruppen %2$s','Move Complete.'=>'Flytt färdig.','Active'=>'Aktiv','Field Keys'=>'Fältnycklar','Settings'=>'Inställningar','Location'=>'Plats','Null'=>'Null','copy'=>'kopiera','(this field)'=>'(detta fält)','Checked'=>'Ikryssad','Move Custom Field'=>'Flytta anpassat fält','No toggle fields available'=>'Inga fält för att slå på/av är tillgängliga','Field group title is required'=>'Rubrik för fältgrupp är obligatoriskt','This field cannot be moved until its changes have been saved'=>'Detta fält kan inte flyttas innan dess ändringar har sparats','The string "field_" may not be used at the start of a field name'=>'Strängen ”field_” får inte användas i början av ett fältnamn','Field group draft updated.'=>'Fältgruppsutkast uppdaterat.','Field group scheduled for.'=>'Fältgrupp schemalagd för.','Field group submitted.'=>'Fältgrupp skickad.','Field group saved.'=>'Fältgrupp sparad.','Field group published.'=>'Fältgrupp publicerad.','Field group deleted.'=>'Fältgrupp borttagen.','Field group updated.'=>'Fältgrupp uppdaterad.','Tools'=>'Verktyg','is not equal to'=>'är inte lika med','is equal to'=>'är lika med','Forms'=>'Formulär','Page'=>'Sida','Post'=>'Inlägg','Relational'=>'Relationellt','Choice'=>'Val','Basic'=>'Grundläggande','Unknown'=>'Okänt','Field type does not exist'=>'Fälttyp finns inte','Spam Detected'=>'Skräppost upptäckt','Post updated'=>'Inlägg uppdaterat','Update'=>'Uppdatera','Validate Email'=>'Validera e-post','Content'=>'Innehåll','Title'=>'Rubrik','Edit field group'=>'Redigera fältgrupp','Selection is less than'=>'Valet är mindre än','Selection is greater than'=>'Valet är större än','Value is less than'=>'Värde är mindre än','Value is greater than'=>'Värde är större än','Value contains'=>'Värde innehåller','Value matches pattern'=>'Värde matchar mönster','Value is not equal to'=>'Värde är inte lika med','Value is equal to'=>'Värde är lika med','Has no value'=>'Har inget värde','Has any value'=>'Har något värde','Cancel'=>'Avbryt','Are you sure?'=>'Är du säker?','%d fields require attention'=>'%d fält kräver din uppmärksamhet','1 field requires attention'=>'1 fält kräver din uppmärksamhet','Validation failed'=>'Validering misslyckades','Validation successful'=>'Validering lyckades','Restricted'=>'Begränsad','Collapse Details'=>'Minimera detaljer','Expand Details'=>'Expandera detaljer','Uploaded to this post'=>'Uppladdat till detta inlägg','verbUpdate'=>'Uppdatera','verbEdit'=>'Redigera','The changes you made will be lost if you navigate away from this page'=>'De ändringar du gjort kommer att gå förlorade om du navigerar bort från denna sida','File type must be %s.'=>'Filtyp måste vara %s.','or'=>'eller','File size must not exceed %s.'=>'Filstorleken får inte överskrida %s.','File size must be at least %s.'=>'Filstorlek måste vara lägst %s.','Image height must not exceed %dpx.'=>'Bildens höjd får inte överskrida %d px.','Image height must be at least %dpx.'=>'Bildens höjd måste vara åtminstone %d px.','Image width must not exceed %dpx.'=>'Bildens bredd får inte överskrida %d px.','Image width must be at least %dpx.'=>'Bildens bredd måste vara åtminstone %d px.','(no title)'=>'(ingen rubrik)','Full Size'=>'Full storlek','Large'=>'Stor','Medium'=>'Medium','Thumbnail'=>'Miniatyr','(no label)'=>'(ingen etikett)','Sets the textarea height'=>'Ställer in textområdets höjd','Rows'=>'Rader','Text Area'=>'Textområde','Prepend an extra checkbox to toggle all choices'=>'Förbered en extra kryssruta för att slå på/av alla val','Save \'custom\' values to the field\'s choices'=>'Spara ”anpassade” värden till fältets val','Allow \'custom\' values to be added'=>'Tillåt att ”anpassade” värden kan läggas till','Add new choice'=>'Lägg till nytt val','Toggle All'=>'Slå på/av alla','Allow Archives URLs'=>'Tillåt arkiv-URL:er','Archives'=>'Arkiv','Page Link'=>'Sidlänk','Add'=>'Lägg till','Name'=>'Namn','%s added'=>'%s har lagts till','%s already exists'=>'%s finns redan','User unable to add new %s'=>'Användare kan inte lägga till ny %s','Term ID'=>'Term-ID','Term Object'=>'Term-objekt','Load value from posts terms'=>'Hämta värde från inläggets termer','Load Terms'=>'Ladda termer','Connect selected terms to the post'=>'Koppla valda termer till inlägget','Save Terms'=>'Spara termer','Allow new terms to be created whilst editing'=>'Tillåt att nya termer skapas vid redigering','Create Terms'=>'Skapa termer','Radio Buttons'=>'Radioknappar','Single Value'=>'Enskild värde','Multi Select'=>'Flerval','Checkbox'=>'Kryssruta','Multiple Values'=>'Flera värden','Select the appearance of this field'=>'Välj utseendet på detta fält','Appearance'=>'Utseende','Select the taxonomy to be displayed'=>'Välj taxonomin som ska visas','No TermsNo %s'=>'Inga %s','Value must be equal to or lower than %d'=>'Värdet måste vara lika med eller lägre än %d','Value must be equal to or higher than %d'=>'Värdet måste vara lika med eller högre än %d','Value must be a number'=>'Värdet måste vara ett nummer','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'Spara ”andra” värden i fältets val','Add \'other\' choice to allow for custom values'=>'Lägg till valet ”annat” för att tillåta anpassade värden','Other'=>'Annat','Radio Button'=>'Alternativknapp','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiera en ändpunkt för föregående dragspel att stoppa. Detta dragspel kommer inte att vara synligt.','Allow this accordion to open without closing others.'=>'Tillåt detta dragspel öppna utan att stänga andra.','Multi-Expand'=>'Multi-expandera','Display this accordion as open on page load.'=>'Visa detta dragspel som öppet på sidladdning.','Open'=>'Öppen','Accordion'=>'Dragspel','Restrict which files can be uploaded'=>'Begränsa vilka filer som kan laddas upp','File ID'=>'Fil-ID','File URL'=>'Fil-URL','File Array'=>'Fil-array','Add File'=>'Lägg till fil','No file selected'=>'Ingen fil vald','File name'=>'Filnamn','Update File'=>'Uppdatera fil','Edit File'=>'Redigera fil','Select File'=>'Välj fil','File'=>'Fil','Password'=>'Lösenord','Specify the value returned'=>'Specificera värdet att returnera','Use AJAX to lazy load choices?'=>'Använda AJAX för att ladda alternativ efter att sidan laddats?','Enter each default value on a new line'=>'Ange varje standardvärde på en ny rad','verbSelect'=>'Välj','Select2 JS load_failLoading failed'=>'Laddning misslyckades','Select2 JS searchingSearching…'=>'Söker…','Select2 JS load_moreLoading more results…'=>'Laddar in fler resultat …','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan endast välja %d objekt','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan endast välja 1 objekt','Select2 JS input_too_long_nPlease delete %d characters'=>'Ta bort %d tecken','Select2 JS input_too_long_1Please delete 1 character'=>'Ta bort 1 tecken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Ange %d eller fler tecken','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Ange 1 eller fler tecken','Select2 JS matches_0No matches found'=>'Inga matchningar hittades','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultat är tillgängliga, använd tangenterna med uppåt- och nedåtpil för att navigera.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ett resultat är tillgängligt, tryck på returtangenten för att välja det.','nounSelect'=>'Välj','User ID'=>'Användar-ID','User Object'=>'Användarobjekt','User Array'=>'Användar-array','All user roles'=>'Alla användarroller','Filter by Role'=>'Filtrera efter roll','User'=>'Användare','Separator'=>'Avgränsare','Select Color'=>'Välj färg','Default'=>'Standard','Clear'=>'Rensa','Color Picker'=>'Färgväljare','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Välj','Date Time Picker JS closeTextDone'=>'Klart','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tidszon','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Timme','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Välj tid','Date Time Picker'=>'Datum/tidväljare','Endpoint'=>'Ändpunkt','Left aligned'=>'Vänsterjusterad','Top aligned'=>'Toppjusterad','Placement'=>'Placering','Tab'=>'Flik','Value must be a valid URL'=>'Värde måste vara en giltig URL','Link URL'=>'Länk-URL','Link Array'=>'Länk-array','Opens in a new window/tab'=>'Öppnas i ett nytt fönster/flik','Select Link'=>'Välj länk','Link'=>'Länk','Email'=>'E-post','Step Size'=>'Stegstorlek','Maximum Value'=>'Maximalt värde','Minimum Value'=>'Minsta värde','Range'=>'Intervall','Both (Array)'=>'Båda (Array)','Label'=>'Etikett','Value'=>'Värde','Vertical'=>'Vertikal','Horizontal'=>'Horisontell','red : Red'=>'röd : Röd','For more control, you may specify both a value and label like this:'=>'För mer kontroll kan du specificera både ett värde och en etikett så här:','Enter each choice on a new line.'=>'Ange varje val på en ny rad.','Choices'=>'Val','Button Group'=>'Knappgrupp','Allow Null'=>'Tillåt värdet ”null”','Parent'=>'Överordnad','TinyMCE will not be initialized until field is clicked'=>'TinyMCE kommer inte att initialiseras förrän fältet är klickat','Delay Initialization'=>'Fördröjd initialisering','Show Media Upload Buttons'=>'Visa knappar för mediauppladdning','Toolbar'=>'Verktygsfält','Text Only'=>'Endast text','Visual Only'=>'Endast visuell','Visual & Text'=>'Visuell och text','Tabs'=>'Flikar','Click to initialize TinyMCE'=>'Klicka för att initialisera TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuellt','Value must not exceed %d characters'=>'Värde får inte överstiga %d tecken','Leave blank for no limit'=>'Lämna fältet tomt för att inte sätta någon begränsning','Character Limit'=>'Teckenbegränsning','Appears after the input'=>'Visas efter inmatningen','Append'=>'Lägg till efter','Appears before the input'=>'Visas före inmatningen','Prepend'=>'Lägg till före','Appears within the input'=>'Visas inuti inmatningen','Placeholder Text'=>'Platshållartext','Appears when creating a new post'=>'Visas när ett nytt inlägg skapas','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s kräver minst %2$s val' . "\0" . '%1$s kräver minst %2$s val','Post ID'=>'Inläggs-ID','Post Object'=>'Inläggsobjekt','Maximum Posts'=>'Maximalt antal inlägg','Minimum Posts'=>'Minsta antal inlägg','Featured Image'=>'Utvald bild','Selected elements will be displayed in each result'=>'Valda element kommer att visas i varje resultat','Elements'=>'Element','Taxonomy'=>'Taxonomi','Post Type'=>'Inläggstyp','Filters'=>'Filter','All taxonomies'=>'Alla taxonomier','Filter by Taxonomy'=>'Filtrera efter taxonomi','All post types'=>'Alla inläggstyper','Filter by Post Type'=>'Filtrera efter inläggstyp','Search...'=>'Sök …','Select taxonomy'=>'Välj taxonomi','Select post type'=>'Välj inläggstyp','No matches found'=>'Inga matchningar hittades','Loading'=>'Laddar in','Maximum values reached ( {max} values )'=>'Maximalt antal värden har nåtts ({max} värden)','Relationship'=>'Relationer','Comma separated list. Leave blank for all types'=>'Kommaseparerad lista. Lämna tomt för alla typer','Allowed File Types'=>'Tillåtna filtyper','Maximum'=>'Maximalt','File size'=>'Filstorlek','Restrict which images can be uploaded'=>'Begränsa vilka bilder som kan laddas upp','Minimum'=>'Minimum','Uploaded to post'=>'Uppladdat till inlägg','All'=>'Alla','Limit the media library choice'=>'Begränsa mediabiblioteksvalet','Library'=>'Bibliotek','Preview Size'=>'Förhandsgranska storlek','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-array','Specify the returned value on front end'=>'Specificera returvärdet på front-end','Return Value'=>'Returvärde','Add Image'=>'Lägg till bild','No image selected'=>'Ingen bild vald','Remove'=>'Ta bort','Edit'=>'Redigera','All images'=>'Alla bilder','Update Image'=>'Uppdatera bild','Edit Image'=>'Redigera bild','Select Image'=>'Välj bild','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'Tillåt att HTML-märkkod visas som synlig text i stället för att renderas','Escape HTML'=>'Inaktivera HTML-rendering','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Lägg automatiskt till <br>','Automatically add paragraphs'=>'Lägg automatiskt till stycken','Controls how new lines are rendered'=>'Styr hur nya rader visas','New Lines'=>'Nya rader','Week Starts On'=>'Veckan börjar på','The format used when saving a value'=>'Formatet som används när ett värde sparas','Save Format'=>'Spara format','Date Picker JS weekHeaderWk'=>'V','Date Picker JS prevTextPrev'=>'Föreg.','Date Picker JS nextTextNext'=>'Nästa','Date Picker JS currentTextToday'=>'Idag','Date Picker JS closeTextDone'=>'Klart','Date Picker'=>'Datumväljare','Width'=>'Bredd','Embed Size'=>'Inbäddad storlek','Enter URL'=>'Ange URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text som visas när inaktivt','Off Text'=>'”Av”-text','Text shown when active'=>'Text som visas när aktivt','On Text'=>'”På”-text','Stylized UI'=>'Stiliserat användargränssnitt','Default Value'=>'Standardvärde','Displays text alongside the checkbox'=>'Visar text bredvid kryssrutan','Message'=>'Meddelande','No'=>'Nej','Yes'=>'Ja','True / False'=>'Sant/falskt','Row'=>'Rad','Table'=>'Tabell','Block'=>'Block','Specify the style used to render the selected fields'=>'Specificera stilen för att rendera valda fält','Layout'=>'Layout','Sub Fields'=>'Underfält','Group'=>'Grupp','Customize the map height'=>'Anpassa karthöjden','Height'=>'Höjd','Set the initial zoom level'=>'Ställ in den initiala zoomnivån','Zoom'=>'Zooma','Center the initial map'=>'Centrera den inledande kartan','Center'=>'Centrerat','Search for address...'=>'Sök efter adress …','Find current location'=>'Hitta nuvarande plats','Clear location'=>'Rensa plats','Search'=>'Sök','Sorry, this browser does not support geolocation'=>'Denna webbläsare saknar stöd för platsinformation','Google Map'=>'Google Map','The format returned via template functions'=>'Formatet returnerad via mallfunktioner','Return Format'=>'Returformat','Custom:'=>'Anpassad:','The format displayed when editing a post'=>'Formatet visas när ett inlägg redigeras','Display Format'=>'Visningsformat','Time Picker'=>'Tidsväljare','Inactive (%s)'=>'Inaktiv (%s)' . "\0" . 'Inaktiva (%s)','No Fields found in Trash'=>'Inga fält hittades i papperskorgen','No Fields found'=>'Inga fält hittades','Search Fields'=>'Sök fält','View Field'=>'Visa fält','New Field'=>'Nytt fält','Edit Field'=>'Redigera fält','Add New Field'=>'Lägg till nytt fält','Field'=>'Fält','Fields'=>'Fält','No Field Groups found in Trash'=>'Inga fältgrupper hittades i papperskorgen','No Field Groups found'=>'Inga fältgrupper hittades','Search Field Groups'=>'Sök fältgrupper','View Field Group'=>'Visa fältgrupp','New Field Group'=>'Ny fältgrupp','Edit Field Group'=>'Redigera fältgrupp','Add New Field Group'=>'Lägg till ny fältgrupp','Add New'=>'Lägg till nytt','Field Group'=>'Fältgrupp','Field Groups'=>'Fältgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Anpassa WordPress med kraftfulla, professionella och intuitiva fält.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blocktypsnamn är obligatoriskt.','Block type "%s" is already registered.'=>'Blocktypen "%s" är redan registrerad.','Switch to Edit'=>'Växla till Redigera','Switch to Preview'=>'Växla till förhandsgranskning','Change content alignment'=>'Ändra innehållsjustering','%s settings'=>'%s-inställningar','This block contains no editable fields.'=>'Det här blocket innehåller inga redigerbara fält.','Assign a field group to add fields to this block.'=>'Tilldela en fältgrupp för att lägga till fält i detta block.','Options Updated'=>'Alternativ uppdaterade','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Om du vill aktivera uppdateringar anger du din licensnyckel på sidan Uppdateringar. Om du inte har en licensnyckel, se uppgifter och priser.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF-aktiveringsfel. Din definierade licensnyckel har ändrats, men ett fel uppstod vid inaktivering av din gamla licens','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF-aktiveringsfel. Din definierade licensnyckel har ändrats, men ett fel uppstod vid anslutning till aktiveringsservern','ACF Activation Error'=>'ACF-aktiveringsfel','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF-aktiveringsfel. Ett fel uppstod vid anslutning till aktiveringsservern','Check Again'=>'Kontrollera igen','ACF Activation Error. Could not connect to activation server'=>'ACF-aktiveringsfel. Kunde inte ansluta till aktiveringsservern','Publish'=>'Publicera','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Inga fältgrupper hittades för denna inställningssida. Skapa en fältgrupp','Error. Could not connect to update server'=>'Fel. Kunde inte ansluta till uppdateringsservern','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fel. Det gick inte att autentisera uppdateringspaketet. Kontrollera igen eller inaktivera och återaktivera din ACF PRO-licens.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fel. Din licens för denna webbplats har gått ut eller inaktiverats. Återaktivera din ACF PRO-licens.','Select one or more fields you wish to clone'=>'Välj ett eller flera fält som du vill klona','Display'=>'Visning','Specify the style used to render the clone field'=>'Specificera stilen som ska användas för att rendera det klonade fältet','Group (displays selected fields in a group within this field)'=>'Grupp (visar valda fält i en grupp i detta fält)','Seamless (replaces this field with selected fields)'=>'Sömlös (ersätter detta fält med valda fält)','Labels will be displayed as %s'=>'Etiketter kommer att visas som %s','Prefix Field Labels'=>'Prefix för fältetiketter','Values will be saved as %s'=>'Värden sparas som %s','Prefix Field Names'=>'Prefix för fältnamn','Unknown field'=>'Okänt fält','Unknown field group'=>'Okänd fältgrupp','All fields from %s field group'=>'Alla fält från %s fältgrupp','Add Row'=>'Lägg till rad','layout'=>'layout' . "\0" . 'layouter','layouts'=>'layouter','This field requires at least {min} {label} {identifier}'=>'Detta fält kräver minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Detta fält har en gräns på {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tillgänglig (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} krävs (min {min})','Flexible Content requires at least 1 layout'=>'Flexibelt innehåll kräver minst 1 layout','Click the "%s" button below to start creating your layout'=>'Klicka på knappen ”%s” nedan för att börja skapa din layout','Add layout'=>'Lägg till layout','Duplicate layout'=>'Duplicera layout','Remove layout'=>'Ta bort layout','Click to toggle'=>'Klicka för att växla','Delete Layout'=>'Ta bort layout','Duplicate Layout'=>'Duplicera layout','Add New Layout'=>'Lägg till ny layout','Add Layout'=>'Lägg till layout','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Lägsta tillåtna antal layouter','Maximum Layouts'=>'Högsta tillåtna antal layouter','Button Label'=>'Knappetikett','%s must be of type array or null.'=>'%s måste vara av typen array eller null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s måste innehålla minst %2$s %3$s layout.' . "\0" . '%1$s måste innehålla minst %2$s %3$s layouter.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s får innehålla högst %2$s %3$s layout.' . "\0" . '%1$s får innehålla högst %2$s %3$s layouter.','Add Image to Gallery'=>'Lägg till bild i galleriet','Maximum selection reached'=>'Högsta tillåtna antal val uppnått','Length'=>'Längd','Caption'=>'Bildtext','Alt Text'=>'Alternativ text','Add to gallery'=>'Lägg till i galleri','Bulk actions'=>'Massåtgärder','Sort by date uploaded'=>'Sortera efter uppladdningsdatum','Sort by date modified'=>'Sortera efter redigeringsdatum','Sort by title'=>'Sortera efter rubrik','Reverse current order'=>'Omvänd nuvarande ordning','Close'=>'Stäng','Minimum Selection'=>'Minsta tillåtna antal val','Maximum Selection'=>'Högsta tillåtna antal val','Allowed file types'=>'Tillåtna filtyper','Insert'=>'Infoga','Specify where new attachments are added'=>'Specifiera var nya bilagor läggs till','Append to the end'=>'Lägg till i slutet','Prepend to the beginning'=>'Lägg till början','Minimum rows not reached ({min} rows)'=>'Minsta tillåtna antal rader uppnått ({min} rader)','Maximum rows reached ({max} rows)'=>'Högsta tillåtna antal rader uppnått ({max} rader)','Error loading page'=>'Kunde inte ladda in sida','Useful for fields with a large number of rows.'=>'Användbart för fält med ett stort antal rader.','Rows Per Page'=>'Rader per sida','Set the number of rows to be displayed on a page.'=>'Ange antalet rader som ska visas på en sida.','Minimum Rows'=>'Minsta tillåtna antal rader','Maximum Rows'=>'Högsta tillåtna antal rader','Collapsed'=>'Ihopfälld','Select a sub field to show when row is collapsed'=>'Välj ett underfält att visa när raden är ihopfälld','Invalid field key or name.'=>'Ogiltig fältnyckel.','There was an error retrieving the field.'=>'Ett fel uppstod vid hämtning av fältet.','Click to reorder'=>'Dra och släpp för att ändra ordning','Add row'=>'Lägg till rad','Duplicate row'=>'Duplicera rad','Remove row'=>'Ta bort rad','Current Page'=>'Nuvarande sida','First Page'=>'Första sidan','Previous Page'=>'Föregående sida','paging%1$s of %2$s'=>'%1$s av %2$s','Next Page'=>'Nästa sida','Last Page'=>'Sista sidan','No block types exist'=>'Det finns inga blocktyper','No options pages exist'=>'Det finns inga alternativsidor','Deactivate License'=>'Inaktivera licens','Activate License'=>'Aktivera licens','License Information'=>'Licensinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'För att låsa upp uppdateringar, fyll i din licensnyckel här nedan. Om du inte har en licensnyckel, gå till sidan detaljer och priser.','License Key'=>'Licensnyckel','Your license key is defined in wp-config.php.'=>'Din licensnyckel är angiven i wp-config.php.','Retry Activation'=>'Försök aktivera igen','Update Information'=>'Uppdateringsinformation','Current Version'=>'Nuvarande version','Latest Version'=>'Senaste version','Update Available'=>'Uppdatering tillgänglig','Upgrade Notice'=>'Uppgraderingsnotering','Enter your license key to unlock updates'=>'Fyll i din licensnyckel här ovan för att låsa upp uppdateringar','Update Plugin'=>'Uppdatera tillägg','Please reactivate your license to unlock updates'=>'Återaktivera din licens för att låsa upp uppdateringar']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'Stäng och lägg till fält','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Lär dig mer.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF-kortkoden kan inte visa fält från icke-offentliga inlägg]','[The ACF shortcode is disabled on this site]'=>'[ACF-kortkoden är inaktiverad på denna webbplats]','Businessman Icon'=>'Ikon för affärsman','Forums Icon'=>'Forum-ikon','YouTube Icon'=>'YouTube-ikon','Yes (alt) Icon'=>'Alternativ ja-ikon','Xing Icon'=>'Xing-ikon','WordPress (alt) Icon'=>'Alternativ WordPress-ikon','WhatsApp Icon'=>'WhatsApp-ikon','Write Blog Icon'=>'”Skriv blogg”-ikon','Widgets Menus Icon'=>'','View Site Icon'=>'Visa webbplats-ikon','Learn More Icon'=>'”Lär dig mer”-ikon','Add Page Icon'=>'Ikon för lägg till sida','Video (alt3) Icon'=>'Alternativ video-ikon 3','Video (alt2) Icon'=>'Alternativ video-ikon 2','Video (alt) Icon'=>'Alternativ video-ikon','Update (alt) Icon'=>'Alternativ uppdatera-ikon','Universal Access (alt) Icon'=>'Alternativ ikon för universell åtkomst','Twitter (alt) Icon'=>'Alternativ Twitter-ikon','Twitch Icon'=>'Twitch-ikon','Tide Icon'=>'','Tickets (alt) Icon'=>'Alternativ biljettikon','Text Page Icon'=>'Ikon för textsida','Table Row Delete Icon'=>'Ikon för borttagning av tabellrad','Table Row Before Icon'=>'Ikon för före tabellrad','Table Row After Icon'=>'Ikon för efter tabellrad','Table Col Delete Icon'=>'Ikon för borttagning av tabellkolumn','Table Col Before Icon'=>'Ikon för före tabellkolumn','Table Col After Icon'=>'Ikon för efter tabellkolumn','Superhero (alt) Icon'=>'Alternativ superhjälte-ikon','Superhero Icon'=>'Ikon för superhjälte','Spotify Icon'=>'Spotify-ikon','Shortcode Icon'=>'Ikon för kortkod','Shield (alt) Icon'=>'Alternativ sköld-ikon','Share (alt2) Icon'=>'Alternativ dela-ikon 2','Share (alt) Icon'=>'Alternativ dela-ikon','Saved Icon'=>'Ikon för sparat','RSS Icon'=>'RSS-ikon','REST API Icon'=>'REST API-ikon','Remove Icon'=>'Ikon för att ta bort','Reddit Icon'=>'Reddit-ikon','Privacy Icon'=>'Integritetsikon','Printer Icon'=>'Ikon för skrivare','Podio Icon'=>'Podio-ikon','Plus (alt2) Icon'=>'Alternativ plusikon 2','Plus (alt) Icon'=>'Alternativ plus-ikon','Plugins Checked Icon'=>'','Pinterest Icon'=>'Pinterest-ikon','Pets Icon'=>'Ikon för husdjur','PDF Icon'=>'PDF-ikon','Palm Tree Icon'=>'Ikon för palmträd','Open Folder Icon'=>'Ikon för öppen mapp','No (alt) Icon'=>'Alternativ nej-ikon','Money (alt) Icon'=>'Alternativ pengar-ikon','Menu (alt3) Icon'=>'Alternativ menyikon 3','Menu (alt2) Icon'=>'Alternativ menyikon 2','Menu (alt) Icon'=>'Alternativ menyikon','Spreadsheet Icon'=>'Ikon för kalkylark','Interactive Icon'=>'Interaktiv ikon','Document Icon'=>'Dokumentikon','Default Icon'=>'Standardikon','Location (alt) Icon'=>'Alternativ plats-ikon','LinkedIn Icon'=>'LinkedIn-ikon','Instagram Icon'=>'Instagram-ikon','Insert Before Icon'=>'Ikon för infoga före','Insert After Icon'=>'Ikon för infoga efter','Insert Icon'=>'Infoga-ikon','Info Outline Icon'=>'','Images (alt2) Icon'=>'Alternativ bilderikon 2','Images (alt) Icon'=>'Alternativ inom för bilder','Rotate Right Icon'=>'Ikon för rotera höger','Rotate Left Icon'=>'Ikon för rotera vänster','Rotate Icon'=>'Ikon för att rotera','Flip Vertical Icon'=>'”Vänd vertikalt”-ikon','Flip Horizontal Icon'=>'”Vänd vågrätt”-ikon','Crop Icon'=>'Beskärningsikon','ID (alt) Icon'=>'Alternativ ID-ikon','HTML Icon'=>'HTML-ikon','Hourglass Icon'=>'Timglas-ikon','Heading Icon'=>'Ikon för rubrik','Google Icon'=>'Google-ikon','Games Icon'=>'Spelikon','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'Statusikon','Image Icon'=>'Bildikon','Gallery Icon'=>'Ikon för galleri','Chat Icon'=>'Chatt-ikon','Audio Icon'=>'Ljudikon','Aside Icon'=>'Notisikon','Food Icon'=>'Matikon','Exit Icon'=>'Avsluta-ikon','Excerpt View Icon'=>'','Embed Video Icon'=>'Ikon för inbäddning av videoklipp','Embed Post Icon'=>'Ikon för inbäddning av inlägg','Embed Photo Icon'=>'Ikon för inbäddning av foto','Embed Generic Icon'=>'Genetisk ikon för inbäddning','Embed Audio Icon'=>'Ikon för inbäddning av ljud','Email (alt2) Icon'=>'Alternativ e-post-ikon 2','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'RTL-ikon','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'LTR-ikon','Custom Character Icon'=>'Ikon för anpassat tecken','Edit Page Icon'=>'Ikon för redigera sida','Edit Large Icon'=>'Redigera stor ikon','Drumstick Icon'=>'Ikon för trumstock','Database View Icon'=>'Ikon för visning av databas','Database Remove Icon'=>'Ikon för borttagning av databas','Database Import Icon'=>'Ikon för databasimport','Database Export Icon'=>'Ikon för databasexport','Database Add Icon'=>'','Database Icon'=>'Databasikon','Cover Image Icon'=>'Ikon för omslagsbild','Volume On Icon'=>'Ikon för volym på','Volume Off Icon'=>'Ikon för volymavstängning','Skip Forward Icon'=>'”Hoppa framåt”-ikon','Skip Back Icon'=>'Ikon för att hoppa tillbaka','Repeat Icon'=>'Ikon för upprepning','Play Icon'=>'Ikon för uppspelning','Pause Icon'=>'Paus-ikon','Forward Icon'=>'Framåt-ikon','Back Icon'=>'Ikon för tillbaka','Columns Icon'=>'Ikon för kolumner','Color Picker Icon'=>'Ikon för färgväljare','Coffee Icon'=>'Kaffeikon','Code Standards Icon'=>'Ikon för kodstandarder','Cloud Upload Icon'=>'Ikon för molnuppladdning','Cloud Saved Icon'=>'Ikon för sparat i moln','Car Icon'=>'Bilikon','Camera (alt) Icon'=>'Alternativ kameraikon','Calculator Icon'=>'Ikon för kalkylator','Button Icon'=>'Knappikon','Businessperson Icon'=>'Ikon för affärsperson','Tracking Icon'=>'Spårningsikon','Topics Icon'=>'Ämnesikon','Replies Icon'=>'Ikon för svar','PM Icon'=>'','Friends Icon'=>'Vännerikon','Community Icon'=>'Community-ikon','BuddyPress Icon'=>'BuddyPress-ikon','bbPress Icon'=>'bbPress-ikon','Activity Icon'=>'Aktivitetsikon','Book (alt) Icon'=>'Alternativ bok-ikon','Block Default Icon'=>'Standardikon för block','Bell Icon'=>'Ikon för klocka','Beer Icon'=>'Ikon för öl','Bank Icon'=>'Bankikon','Arrow Up (alt2) Icon'=>'Alternativ ”pil upp”-ikon 2','Arrow Up (alt) Icon'=>'Alternativ ”pil upp”-ikon','Arrow Right (alt2) Icon'=>'Alternativ ”pil höger”-ikon 2','Arrow Right (alt) Icon'=>'Alternativ ”pil höger”-ikon','Arrow Left (alt2) Icon'=>'Alternativ ”pil vänster”-ikon 2','Arrow Left (alt) Icon'=>'Alternativ ”pil vänster”-ikon','Arrow Down (alt2) Icon'=>'Alternativ ”pil ned”-ikon 2','Arrow Down (alt) Icon'=>'Alternativ ”pil ned”-ikon','Amazon Icon'=>'Amazon-ikon','Align Wide Icon'=>'Ikon för bred justering','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Flygplansikon','Site (alt3) Icon'=>'Alternativ webbplatsikon 3','Site (alt2) Icon'=>'Alternativ webbplatsikon 2','Site (alt) Icon'=>'Alternativ webbplatsikon','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Uppgradera till ACF PRO för att skapa alternativsidor med bara några få klick','Invalid request args.'=>'Ogiltiga argument för begäran.','Sorry, you do not have permission to do that.'=>'Du har inte behörighet att göra det.','Blocks Using Post Meta'=>'Block som använder inläggsmetadata','ACF PRO logo'=>'ACF PRO-logga','ACF PRO Logo'=>'ACF PRO-logga','%s requires a valid attachment ID when type is set to media_library.'=>'%s kräver ett giltigt bilage-ID när typen är angiven till media_library.','%s is a required property of acf.'=>'%s är en obligatorisk egenskap för acf.','The value of icon to save.'=>'Värdet på ikonen som ska sparas.','The type of icon to save.'=>'Den typ av ikon som ska sparas.','Yes Icon'=>'Ja-ikon','WordPress Icon'=>'WordPress-ikon','Warning Icon'=>'Varningsikon','Visibility Icon'=>'Ikon för synlighet','Vault Icon'=>'Ikon för valv','Upload Icon'=>'Ladda upp-ikon','Update Icon'=>'Uppdatera-ikon','Unlock Icon'=>'Lås upp-ikon','Universal Access Icon'=>'Ikon för universell åtkomst','Undo Icon'=>'Ångra-ikon','Twitter Icon'=>'Twitter-ikon','Trash Icon'=>'Papperskorgsikon','Translation Icon'=>'Översättningsikon','Tickets Icon'=>'Biljettikon','Thumbs Up Icon'=>'Tummen upp-ikon','Thumbs Down Icon'=>'Tummen ner-ikon','Text Icon'=>'Textikon','Testimonial Icon'=>'Omdömesikon','Tagcloud Icon'=>'Ikon för etikettmoln','Tag Icon'=>'Etikett-ikon','Tablet Icon'=>'Ikon för surfplatta','Store Icon'=>'Butiksikon','Sticky Icon'=>'Klistra-ikon','Star Half Icon'=>'Halvfylld stjärnikon','Star Filled Icon'=>'Fylld stjärnikon','Star Empty Icon'=>'Tom stjärnikon','Sos Icon'=>'SOS-ikon','Sort Icon'=>'Sortera-ikon','Smiley Icon'=>'Smiley-ikon','Smartphone Icon'=>'Ikon för smarta telefoner','Slides Icon'=>'','Shield Icon'=>'Sköld-ikon','Share Icon'=>'Delningsikon','Search Icon'=>'Sökikon','Screen Options Icon'=>'Ikon för skärmalternativ','Schedule Icon'=>'Schema-ikon','Redo Icon'=>'”Göra om”-ikon','Randomize Icon'=>'Ikon för slumpmässighet','Products Icon'=>'Ikon för produkter','Pressthis Icon'=>'Pressthis-ikon','Post Status Icon'=>'Ikon för inläggsstatus','Portfolio Icon'=>'Portfölj-ikon','Plus Icon'=>'Plus-ikon','Playlist Video Icon'=>'Ikon för spellista, för videoklipp','Playlist Audio Icon'=>'Ikon för spellista, för ljud','Phone Icon'=>'Telefonikon','Performance Icon'=>'Ikon för prestanda','Paperclip Icon'=>'Pappersgem-ikon','No Icon'=>'Ingen ikon','Networking Icon'=>'Nätverksikon','Nametag Icon'=>'Namnskylt-ikon','Move Icon'=>'Flytta-ikon','Money Icon'=>'Pengar-ikon','Minus Icon'=>'Minus-ikon','Migrate Icon'=>'Migrera-ikon','Microphone Icon'=>'Mikrofon-ikon','Megaphone Icon'=>'Megafon-ikon','Marker Icon'=>'Markörikon','Lock Icon'=>'Låsikon','Location Icon'=>'Plats-ikon','List View Icon'=>'Ikon för listvy','Lightbulb Icon'=>'Glödlampeikon','Left Right Icon'=>'Vänster-höger-ikon','Layout Icon'=>'Layout-ikon','Laptop Icon'=>'Ikon för bärbar dator','Info Icon'=>'Info-ikon','Index Card Icon'=>'Ikon för indexkort','ID Icon'=>'ID-ikon','Hidden Icon'=>'Döljikon','Heart Icon'=>'Hjärt-ikon','Hammer Icon'=>'Hammarikon','Groups Icon'=>'Gruppikon','Grid View Icon'=>'Ikon för rutnätsvy','Forms Icon'=>'Ikon för formulär','Flag Icon'=>'Flagg-ikon','Filter Icon'=>'Filterikon','Feedback Icon'=>'Ikon för återkoppling','Facebook (alt) Icon'=>'Alternativ ikon för Facebook','Facebook Icon'=>'Facebook-ikon','External Icon'=>'Extern ikon','Email (alt) Icon'=>'Alternativ e-post-ikon','Email Icon'=>'E-postikon','Video Icon'=>'Videoikon','Unlink Icon'=>'Ta bort länk-ikon','Underline Icon'=>'Understrykningsikon','Text Color Icon'=>'Ikon för textfärg','Table Icon'=>'Tabellikon','Strikethrough Icon'=>'Ikon för genomstrykning','Spellcheck Icon'=>'Ikon för stavningskontroll','Remove Formatting Icon'=>'Ikon för ta bort formatering','Quote Icon'=>'Citatikon','Paste Word Icon'=>'Ikon för att klistra in ord','Paste Text Icon'=>'Ikon för att klistra in text','Paragraph Icon'=>'Ikon för textstycke','Outdent Icon'=>'Ikon för minskat indrag','Kitchen Sink Icon'=>'','Justify Icon'=>'Justera-ikon','Italic Icon'=>'Kursiv-ikon','Insert More Icon'=>'”Infoga mer”-ikon','Indent Icon'=>'Ikon för indrag','Help Icon'=>'Hjälpikon','Expand Icon'=>'Expandera-ikon','Contract Icon'=>'Avtalsikon','Code Icon'=>'Kodikon','Break Icon'=>'Bryt-ikon','Bold Icon'=>'Fet-ikon','Edit Icon'=>'Redigera-ikon','Download Icon'=>'Ladda ner-ikon','Dismiss Icon'=>'Avfärda-ikon','Desktop Icon'=>'Skrivbordsikon','Dashboard Icon'=>'Adminpanel-ikon','Cloud Icon'=>'Molnikon','Clock Icon'=>'Klockikon','Clipboard Icon'=>'Ikon för urklipp','Chart Pie Icon'=>'Cirkeldiagram-ikon','Chart Line Icon'=>'Ikon för diagramlinje','Chart Bar Icon'=>'Ikon för diagramfält','Chart Area Icon'=>'Ikon för diagramområde','Category Icon'=>'Kategoriikon','Cart Icon'=>'Varukorgsikon','Carrot Icon'=>'Morotsikon','Camera Icon'=>'Kamera-ikon','Calendar (alt) Icon'=>'Alternativ kalenderikon','Calendar Icon'=>'Kalender-ikon','Businesswoman Icon'=>'Ikon för affärskvinna','Building Icon'=>'Byggnadsikon','Book Icon'=>'Bok-ikon','Backup Icon'=>'Ikon för säkerhetskopiering','Awards Icon'=>'Ikon för utmärkelser','Art Icon'=>'Konst-ikon','Arrow Up Icon'=>'”Pil upp”-ikon','Arrow Right Icon'=>'”Pil höger”-ikon','Arrow Left Icon'=>'”Pil vänster”-ikon','Arrow Down Icon'=>'”Pil ned”-ikon','Archive Icon'=>'Arkiv-ikon','Analytics Icon'=>'Analysikon','Align Right Icon'=>'Justera höger-ikon','Align None Icon'=>'Justera inte-ikon','Align Left Icon'=>'Justera vänster-ikon','Align Center Icon'=>'Centrera-ikon','Album Icon'=>'Album-ikon','Users Icon'=>'Ikon för användare','Tools Icon'=>'Verktygsikon','Site Icon'=>'Webbplatsikon','Settings Icon'=>'Ikon för inställningar','Post Icon'=>'Inläggsikon','Plugins Icon'=>'Tilläggsikon','Page Icon'=>'Sidikon','Network Icon'=>'Nätverksikon','Multisite Icon'=>'Multisite-ikon','Media Icon'=>'Mediaikon','Links Icon'=>'Länkikon','Home Icon'=>'Hemikon','Customizer Icon'=>'Ikon för anpassaren','Comments Icon'=>'Ikon för kommentarer','Collapse Icon'=>'Minimera-ikon','Appearance Icon'=>'Utseende-ikon','Generic Icon'=>'Generisk ikon','Icon picker requires a value.'=>'Ikonväljaren kräver ett värde.','Icon picker requires an icon type.'=>'Ikonväljaren kräver en ikontyp.','The available icons matching your search query have been updated in the icon picker below.'=>'De tillgängliga ikonerna som matchar din sökfråga har uppdaterats i ikonväljaren nedan.','No results found for that search term'=>'Inga resultat hittades för den söktermen','Array'=>'Array','String'=>'Sträng','Specify the return format for the icon. %s'=>'Ange returformat för ikonen. %s','Select where content editors can choose the icon from.'=>'Välj var innehållsredaktörer kan välja ikonen från.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URL till ikonen du vill använda, eller SVG som data-URI','Browse Media Library'=>'Bläddra i mediabiblioteket','The currently selected image preview'=>'Förhandsgranskning av den aktuella valda bilden','Click to change the icon in the Media Library'=>'Klicka för att ändra ikonen i mediabiblioteket','Search icons...'=>'Sök ikoner …','Media Library'=>'Mediabibliotek','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Ikonväljare','JSON Load Paths'=>'Sökvägar där JSON-filer laddas från','JSON Save Paths'=>'Sökvägar där JSON-filer sparas','Registered ACF Forms'=>'Registrerade ACF-formulär','Shortcode Enabled'=>'Kortkod aktiverad','Field Settings Tabs Enabled'=>'Flikar för fältinställningar aktiverat','Field Type Modal Enabled'=>'Modal för fälttyp aktiverat','Admin UI Enabled'=>'Administrationsgränssnitt aktiverat','Block Preloading Enabled'=>'Förladdning av block aktiverat','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'Registrerade ACF-block','Light'=>'Ljus','Standard'=>'Standard','REST API Format'=>'REST API-format','Registered Options Pages (PHP)'=>'Registrerade alternativsidor (PHP)','Registered Options Pages (JSON)'=>'Registrerade alternativsidor (JSON)','Registered Options Pages (UI)'=>'Registrerade alternativsidor (UI)','Options Pages UI Enabled'=>'Användargränssnitt för alternativsidor aktiverat','Registered Taxonomies (JSON)'=>'Registrerade taxonomier (JSON)','Registered Taxonomies (UI)'=>'Registrerade taxonomier (UI)','Registered Post Types (JSON)'=>'Registrerade inläggstyper (JSON)','Registered Post Types (UI)'=>'Registrerade inläggstyper (UI)','Post Types and Taxonomies Enabled'=>'Inläggstyper och taxonomier aktiverade','Number of Third Party Fields by Field Type'=>'Antal tredjepartsfält per fälttyp','Number of Fields by Field Type'=>'Antal fält per fälttyp','Field Groups Enabled for GraphQL'=>'Fältgrupper aktiverade för GraphQL','Field Groups Enabled for REST API'=>'Fältgrupper aktiverade för REST API','Registered Field Groups (JSON)'=>'Registrerade fältgrupper (JSON)','Registered Field Groups (PHP)'=>'Registrerade fältgrupper (PHP)','Registered Field Groups (UI)'=>'Registrerade fältgrupper (UI)','Active Plugins'=>'Aktiva tillägg','Parent Theme'=>'Huvudtema','Active Theme'=>'Aktivt tema','Is Multisite'=>'Är multisite','MySQL Version'=>'MySQL-version','WordPress Version'=>'WordPress-version','Subscription Expiry Date'=>'Prenumerationens utgångsdatum','License Status'=>'Licensstatus','License Type'=>'Licenstyp','Licensed URL'=>'Licensierad URL','License Activated'=>'Licens aktiverad','Free'=>'Gratis','Plugin Type'=>'Typ av tillägg','Plugin Version'=>'Tilläggets version','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Denna sektion innehåller felsökningsinformation om din ACF-konfiguration som kan vara användbar för support.','An ACF Block on this page requires attention before you can save.'=>'Ett ACF-block på denna sida kräver uppmärksamhet innan du kan spara.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'Avfärda permanent','Instructions for content editors. Shown when submitting data.'=>'Instruktioner för innehållsredaktörer. Visas när data skickas','Has no term selected'=>'Har ingen term vald','Has any term selected'=>'Har någon term vald','Terms do not contain'=>'Termerna innehåller inte','Terms contain'=>'Termerna innehåller','Term is not equal to'=>'Termen är inte lika med','Term is equal to'=>'Termen är lika med','Has no user selected'=>'Har ingen användare vald','Has any user selected'=>'Har någon användare vald','Users do not contain'=>'Användarna innehåller inte','Users contain'=>'Användarna innehåller','User is not equal to'=>'Användare är inte lika med','User is equal to'=>'Användare är lika med','Has no page selected'=>'Har ingen sida vald','Has any page selected'=>'Har någon sida vald','Pages do not contain'=>'Sidorna innehåller inte','Pages contain'=>'Sidorna innehåller','Page is not equal to'=>'Sidan är inte lika med','Page is equal to'=>'Sidan är lika med','Has no relationship selected'=>'Har ingen relation vald','Has any relationship selected'=>'Har någon relation vald','Has no post selected'=>'Har inget inlägg valt','Has any post selected'=>'Har något inlägg valt','Posts do not contain'=>'Inlägg innehållet inte','Posts contain'=>'Inlägg innehåller','Post is not equal to'=>'Inlägget är inte lika med','Post is equal to'=>'Inlägget är lika med','Relationships do not contain'=>'Relationer innehåller inte','Relationships contain'=>'Relationer innehåller','Relationship is not equal to'=>'Relation är inte lika med','Relationship is equal to'=>'Relation är lika med','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF-fält','ACF PRO Feature'=>'ACF PRO-funktion','Renew PRO to Unlock'=>'Förnya PRO för att låsa upp','Renew PRO License'=>'Förnya PRO-licens','PRO fields cannot be edited without an active license.'=>'PRO-fält kan inte redigeras utan en aktiv licens.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Aktivera din ACF PRO-licens för att redigera fältgrupper som tilldelats ett ACF-block.','Please activate your ACF PRO license to edit this options page.'=>'Aktivera din ACF PRO-licens för att redigera denna alternativsida.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'Kontakta din webbplatsadministratör eller utvecklare för mer information.','Learn more'=>'Lär dig mer','Hide details'=>'Dölj detaljer','Show details'=>'Visa detaljer','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) -– återgiven via %3$s','Renew ACF PRO License'=>'Förnya ACF PRO-licens','Renew License'=>'Förnya licens','Manage License'=>'Hantera licens','\'High\' position not supported in the Block Editor'=>'Positionen ”Hög” stöds inte i blockredigeraren','Upgrade to ACF PRO'=>'Uppgradera till ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Lägg till alternativsida','In the editor used as the placeholder of the title.'=>'Används som platshållare för rubriken i redigeraren.','Title Placeholder'=>'Platshållare för rubrik','4 Months Free'=>'4 månader gratis','(Duplicated from %s)'=>'(Duplicerad från %s)','Select Options Pages'=>'Välj alternativsidor','Duplicate taxonomy'=>'Duplicera taxonomi','Create taxonomy'=>'Skapa taxonomi','Duplicate post type'=>'Duplicera inläggstyp','Create post type'=>'Skapa inläggstyp','Link field groups'=>'Länka fältgrupper','Add fields'=>'Lägg till fält','This Field'=>'Detta fält','ACF PRO'=>'ACF PRO','Feedback'=>'Feedback','Support'=>'Support','is developed and maintained by'=>'utvecklas och underhålls av','Add this %s to the location rules of the selected field groups.'=>'Lägg till denna %s i platsreglerna för de valda fältgrupperna.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'Målfält','Update a field on the selected values, referencing back to this ID'=>'Uppdatera ett fält med de valda värdena och hänvisa tillbaka till detta ID','Bidirectional'=>'Dubbelriktad','%s Field'=>'%s-fält','Select Multiple'=>'Välj flera','WP Engine logo'=>'WP Engine-logga','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Endast gemena bokstäver, understreck och bindestreck, maximalt 32 tecken.','The capability name for assigning terms of this taxonomy.'=>'Namn på behörigheten för tilldelning av termer i denna taxonomi.','Assign Terms Capability'=>'Behörighet att tilldela termer','The capability name for deleting terms of this taxonomy.'=>'Namn på behörigheten för borttagning av termer i denna taxonomi.','Delete Terms Capability'=>'Behörighet att ta bort termer','The capability name for editing terms of this taxonomy.'=>'Namn på behörigheten för redigering av termer i denna taxonomi.','Edit Terms Capability'=>'Behörighet att redigera termer','The capability name for managing terms of this taxonomy.'=>'Namn på behörigheten för hantering av termer i denna taxonomi.','Manage Terms Capability'=>'Behörighet att hantera termer','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Anger om inlägg ska exkluderas från sökresultat och arkivsidor för taxonomier.','More Tools from WP Engine'=>'Fler verktyg från WP Engine','Built for those that build with WordPress, by the team at %s'=>'Byggt för dem som bygger med WordPress, av teamet på %s','View Pricing & Upgrade'=>'Visa priser och uppgradering','Learn More'=>'Lär dig mer','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Snabba upp ditt arbetsflöde och utveckla bättre webbplatser med funktioner som ACF-block och alternativsidor, och sofistikerade fälttyper som upprepning, flexibelt innehåll, klona och galleri.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Lås upp avancerade funktioner och bygg ännu mer med ACF PRO','%s fields'=>'%s-fält','No terms'=>'Inga termer','No post types'=>'Inga inläggstyper','No posts'=>'Inga inlägg','No taxonomies'=>'Inga taxonomier','No field groups'=>'Inga fältgrupper','No fields'=>'Inga fält','No description'=>'Ingen beskrivning','Any post status'=>'Vilken inläggsstatus som helst','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Denna taxonominyckel används redan av en annan taxonomi som är registrerad utanför ACF och kan inte användas.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Denna taxonominyckel används redan av en annan taxonomi i ACF och kan inte användas.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Nyckeln för taxonomi får endast innehålla alfanumeriska tecken med gemener, understreck eller bindestreck.','The taxonomy key must be under 32 characters.'=>'Taxonominyckeln måste vara under 32 tecken.','No Taxonomies found in Trash'=>'Inga taxonomier hittades i papperskorgen','No Taxonomies found'=>'Inga taxonomier hittades','Search Taxonomies'=>'Sök taxonomier','View Taxonomy'=>'Visa taxonomi','New Taxonomy'=>'Ny taxonomi','Edit Taxonomy'=>'Redigera taxonomi','Add New Taxonomy'=>'Lägg till ny taxonomi','No Post Types found in Trash'=>'Inga inläggstyper hittades i papperskorgen','No Post Types found'=>'Inga inläggstyper hittades','Search Post Types'=>'Sök inläggstyper','View Post Type'=>'Visa inläggstyp','New Post Type'=>'Ny inläggstyp','Edit Post Type'=>'Redigera inläggstyp','Add New Post Type'=>'Lägg till ny inläggstyp','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Denna nyckel för inläggstyp används redan av en annan inläggstyp som är registrerad utanför ACF och kan inte användas.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Denna nyckel för inläggstyp används redan av en annan inläggstyp i ACF och kan inte användas.','This field must not be a WordPress reserved term.'=>'Detta fält får inte vara en av WordPress reserverad term.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Nyckeln för inläggstyp får endast innehålla alfanumeriska tecken med gemener, understreck eller bindestreck.','The post type key must be under 20 characters.'=>'Nyckeln för inläggstypen måste vara kortare än 20 tecken.','We do not recommend using this field in ACF Blocks.'=>'Vi avråder från att använda detta fält i ACF-block.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'WYSIWYG-redigerare','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Tillåter val av en eller flera användare som kan användas för att skapa relationer mellan dataobjekt.','A text input specifically designed for storing web addresses.'=>'En textinmatning speciellt designad för att lagra webbadresser.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Ett reglage som låter dig välja ett av värdena 1 eller 0 (på eller av, sant eller falskt osv.). Kan presenteras som ett stiliserat kontrollreglage eller kryssruta.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja en tid. Tidsformatet kan anpassas med hjälp av fältinställningarna.','A basic textarea input for storing paragraphs of text.'=>'Ett enkelt textområde för lagring av textstycken.','A basic text input, useful for storing single string values.'=>'En grundläggande textinmatning, användbar för att lagra enskilda strängvärden.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'En rullgardinslista med ett urval av val som du anger.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'Ett inmatningsfält för att ange ett lösenord med hjälp av ett maskerat fält.','Filter by Post Status'=>'Filtrera efter inläggsstatus','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'En interaktiv komponent för att bädda in videoklipp, bilder, tweets, ljud och annat innehåll genom att använda den inbyggda WordPress oEmbed-funktionen.','An input limited to numerical values.'=>'Ett inmatningsfält begränsat till numeriska värden.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Gör att du kan ange en länk och dess egenskaper som rubrik och mål med hjälp av WordPress inbyggda länkväljare.','Uses the native WordPress media picker to upload, or choose images.'=>'Använder den inbyggda mediaväljaren i WordPress för att ladda upp eller välja bilder.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'Använder den inbyggda mediaväljaren i WordPress för att ladda upp eller välja filer.','A text input specifically designed for storing email addresses.'=>'En textinmatning speciellt designad för att lagra e-postadresser.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja datum och tid. Datumets returformat kan anpassas med hjälp av fältinställningarna.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Ett interaktivt användargränssnitt för att välja ett datum. Datumets returformat kan anpassas med hjälp av fältinställningarna.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Ett interaktivt användargränssnitt för att välja en färg eller ange ett HEX-värde.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'En grupp kryssrutor som låter användaren välja ett eller flera värden som du anger.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'En grupp knappar med värden som du anger, användarna kan välja ett alternativ bland de angivna värdena.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Gör att du kan gruppera och organisera anpassade fält i hopfällbara paneler som visas när du redigerar innehåll. Användbart för att hålla ordning på stora datauppsättningar.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Detta tillhandahåller en interaktiv gränssnitt för att hantera en samling av bilagor. De flesta inställningarna är liknande bildfälttypen. Ytterligare inställningar låter dig specificera var nya bilagor ska läggas till i galleriet och det minsta/maximala antalet bilagor som tillåts.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Detta gör det möjligt för dig att välja och visa befintliga fält. Det duplicerar inte några fält i databasen, utan laddar och visar de valda fälten vid körtid. Klonfältet kan antingen ersätta sig själv med de valda fälten eller visa de valda fälten som en grupp av underfält.','nounClone'=>'Klona','PRO'=>'PRO','Advanced'=>'Avancerad','JSON (newer)'=>'JSON (nyare)','Original'=>'Original','Invalid post ID.'=>'Ogiltigt inläggs-ID.','Invalid post type selected for review.'=>'Ogiltig inläggstyp har valts för granskning.','More'=>'Mer','Tutorial'=>'Handledning','Select Field'=>'Välj fält','Try a different search term or browse %s'=>'Prova med en annan sökterm eller bläddra bland %s','Popular fields'=>'Populära fält','No search results for \'%s\''=>'Inga sökresultat för ”%s”','Search fields...'=>'Sök fält …','Select Field Type'=>'Välj fälttyp','Popular'=>'Populär','Add Taxonomy'=>'Lägg till taxonomi','Create custom taxonomies to classify post type content'=>'Skapa anpassade taxonomier för att klassificera typ av inläggsinnehåll','Add Your First Taxonomy'=>'Lägg till din första taxonomi','Hierarchical taxonomies can have descendants (like categories).'=>'Hierarkiska taxonomier kan ha ättlingar (som kategorier).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Gör en taxonomi synlig på front-end och i adminpanelen.','One or many post types that can be classified with this taxonomy.'=>'En eller flera inläggstyper som kan klassificeras med denna taxonomi.','genre'=>'genre','Genre'=>'Genre','Genres'=>'Genrer','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'Exponera denna inläggstyp i REST API.','Customize the query variable name'=>'Anpassa namnet på ”query”-variabeln','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'Anpassa ”slug” som används i URL:en','Permalinks for this taxonomy are disabled.'=>'Permalänkar för denna taxonomi är inaktiverade.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Skriv om URL:en med nyckeln för taxonomin som slug. Din permalänkstruktur kommer att vara','Taxonomy Key'=>'Taxonominyckel','Select the type of permalink to use for this taxonomy.'=>'Välj typen av permalänk som ska användas för denna taxonomi.','Display a column for the taxonomy on post type listing screens.'=>'Visa en kolumn för taxonomin på listningsvyer för inläggstyper.','Show Admin Column'=>'Visa adminkolumn','Show the taxonomy in the quick/bulk edit panel.'=>'Visa taxonomin i panelen för snabb-/massredigering.','Quick Edit'=>'Snabbredigera','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'Etikettmoln','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Ett PHP-funktionsnamn som ska anropas för att säkerhetsfiltrera taxonomidata som sparats från en metaruta.','Meta Box Sanitization Callback'=>'Säkerhetsfiltrerande återanrop för metaruta','Register Meta Box Callback'=>'Registrera återanrop för metaruta','No Meta Box'=>'Ingen metaruta','Custom Meta Box'=>'Anpassad metaruta','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Metaruta','Categories Meta Box'=>'Metaruta för kategorier','Tags Meta Box'=>'Metaruta för etiketter','A link to a tag'=>'En länk till en etikett','Describes a navigation link block variation used in the block editor.'=>'Beskriver en blockvariant för navigeringslänkar som används i blockredigeraren.','A link to a %s'=>'En länk till en/ett %s','Tag Link'=>'Etikettlänk','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'← Gå till etiketter','Assigns the text used to link back to the main index after updating a term.'=>'Tilldelar den text som används för att länka tillbaka till huvudindexet efter uppdatering av en term.','Back To Items'=>'Tillbaka till objekt','← Go to %s'=>'← Gå till %s','Tags list'=>'Ettikettlista','Assigns text to the table hidden heading.'=>'Tilldelar texten för tabellens dolda rubrik.','Tags list navigation'=>'Navigation för etikettlista','Assigns text to the table pagination hidden heading.'=>'Tilldelar texten för den dolda rubriken för tabellens sidonumrering.','Filter by category'=>'Filtrera efter kategori','Assigns text to the filter button in the posts lists table.'=>'Tilldelar texten för filterknappen i tabellen med inläggslistor.','Filter By Item'=>'Filtret efter objekt','Filter by %s'=>'Filtrera efter %s','The description is not prominent by default; however, some themes may show it.'=>'Beskrivningen visas inte som standard, men går att visa med vissa teman.','Describes the Description field on the Edit Tags screen.'=>'Beskriver fältet ”Beskrivning” i vyn ”Redigera etiketter”.','Description Field Description'=>'Beskrivning för fältbeskrivning','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Ange en överordnad term för att skapa en hierarki. Till exempel skulle termen Jazz kunna vara överordnad till Bebop och Storband','Describes the Parent field on the Edit Tags screen.'=>'Beskriver fältet ”Överordnad” i vyn ”Redigera etiketter”.','Parent Field Description'=>'Överordnad fältbeskrivning','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'”Slug” är den URL-vänliga versionen av namnet. Det är vanligtvis bara små bokstäver och innehåller bara bokstäver, siffror och bindestreck.','Describes the Slug field on the Edit Tags screen.'=>'Beskriver fältet ”Slug” i vyn ”Redigera etiketter”.','Slug Field Description'=>'Beskrivning av slugfält','The name is how it appears on your site'=>'Namnet är hur det ser ut på din webbplats','Describes the Name field on the Edit Tags screen.'=>'Beskriver fältet ”Namn” i vyn ”Redigera etiketter”.','Name Field Description'=>'Beskrivning av namnfält','No tags'=>'Inga etiketter','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'Inga termer','No %s'=>'Inga %s','No tags found'=>'Inga etiketter hittades','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Hittades inte','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Mest använda','Choose from the most used tags'=>'Välj från de mest använda etiketterna','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Välj från mest använda','Choose from the most used %s'=>'Välj från de mest använda %s','Add or remove tags'=>'Lägg till eller ta bort etiketter','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Lägg till eller ta bort objekt','Add or remove %s'=>'Lägg till eller ta bort %s','Separate tags with commas'=>'Separera etiketter med kommatecken','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'Separera objekt med kommatecken','Separate %s with commas'=>'Separera %s med kommatecken','Popular Tags'=>'Populära etiketter','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Tilldelar text till populära objekt. Används endast för icke-hierarkiska taxonomier.','Popular Items'=>'Populära objekt','Popular %s'=>'Populär %s','Search Tags'=>'Sök etiketter','Assigns search items text.'=>'Tilldelar texten för att söka objekt.','Parent Category:'=>'Överordnad kategori:','Assigns parent item text, but with a colon (:) added to the end.'=>'Tilldelar text för överordnat objekt, men med ett kolon (:) i slutet.','Parent Item With Colon'=>'Överordnat objekt med kolon','Parent Category'=>'Överordnad kategori','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Tilldelar text för överordnat objekt. Används endast i hierarkiska taxonomier.','Parent Item'=>'Överordnat objekt','Parent %s'=>'Överordnad %s','New Tag Name'=>'Nytt etikettnamn','Assigns the new item name text.'=>'Tilldelar texten för nytt namn på objekt.','New Item Name'=>'Nytt objektnamn','New %s Name'=>'Namn på ny %s','Add New Tag'=>'Lägg till ny etikett','Assigns the add new item text.'=>'Tilldelar texten för att lägga till nytt objekt.','Update Tag'=>'Uppdatera etikett','Assigns the update item text.'=>'Tilldelar texten för uppdatera objekt.','Update Item'=>'Uppdatera objekt','Update %s'=>'Uppdatera %s','View Tag'=>'Visa etikett','In the admin bar to view term during editing.'=>'I adminfältet för att visa term vid redigering.','Edit Tag'=>'Redigera etikett','At the top of the editor screen when editing a term.'=>'Överst i redigeringsvyn när du redigerar en term.','All Tags'=>'Alla etiketter','Assigns the all items text.'=>'Tilldelar texten för alla objekt.','Assigns the menu name text.'=>'Tilldelar texten för menynamn.','Menu Label'=>'Menyetikett','Active taxonomies are enabled and registered with WordPress.'=>'Aktiva taxonomier är aktiverade och registrerade med WordPress.','A descriptive summary of the taxonomy.'=>'En beskrivande sammanfattning av taxonomin.','A descriptive summary of the term.'=>'En beskrivande sammanfattning av termen.','Term Description'=>'Termbeskrivning','Single word, no spaces. Underscores and dashes allowed.'=>'Enstaka ord, inga mellanslag. Understreck och bindestreck tillåtna.','Term Slug'=>'Termens slug','The name of the default term.'=>'Standardtermens namn.','Term Name'=>'Termnamn','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Skapa en term för taxonomin som inte kan tas bort. Den kommer inte att väljas för inlägg som standard.','Default Term'=>'Standardterm','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'Sortera termer','Add Post Type'=>'Lägg till inläggstyp','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Utöka funktionaliteten i WordPress utöver vanliga inlägg och sidor med anpassade inläggstyper.','Add Your First Post Type'=>'Lägg till din första inläggstyp','I know what I\'m doing, show me all the options.'=>'Jag vet vad jag gör, visa mig alla alternativ.','Advanced Configuration'=>'Avancerad konfiguration','Hierarchical post types can have descendants (like pages).'=>'Hierarkiska inläggstyper kan ha ättlingar (som sidor).','Hierarchical'=>'Hierarkisk','Visible on the frontend and in the admin dashboard.'=>'Synlig på front-end och i adminpanelen.','Public'=>'Offentlig','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Endast gemener, understreck och bindestreck, maximalt 20 tecken.','Movie'=>'Film','Singular Label'=>'Etikett i singular','Movies'=>'Filmer','Plural Label'=>'Etikett i plural','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Valfri anpassad controller att använda i stället för `WP_REST_Posts_Controller`.','Controller Class'=>'”Controller”-klass','The namespace part of the REST API URL.'=>'Namnrymdsdelen av REST API-URL:en.','Namespace Route'=>'Route för namnrymd','The base URL for the post type REST API URLs.'=>'Bas-URL för inläggstypens REST API-URL:er.','Base URL'=>'Bas-URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Exponerar denna inläggstyp i REST API:t. Krävs för att använda blockredigeraren.','Show In REST API'=>'Visa i REST API','Customize the query variable name.'=>'Anpassa namnet på ”query”-variabeln.','Query Variable'=>'”Query”-variabel','No Query Variable Support'=>'Inget stöd för ”query”-variabel','Custom Query Variable'=>'Anpassad ”query”-variabel','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'Stöd för ”query”-variabel','URLs for an item and items can be accessed with a query string.'=>'URL:er för ett eller flera objekt kan nås med en ”query”-sträng.','Publicly Queryable'=>'Offentligt sökbar','Custom slug for the Archive URL.'=>'Anpassad slug för arkiv-URL:en.','Archive Slug'=>'Arkiv-slug','Has an item archive that can be customized with an archive template file in your theme.'=>'Har ett objektarkiv som kan anpassas med en arkivmallfil i ditt tema.','Archive'=>'Arkiv','Pagination support for the items URLs such as the archives.'=>'Stöd för sidonumrering av objektens URL:er, t.ex. arkiven.','Pagination'=>'Sidonumrering','RSS feed URL for the post type items.'=>'URL för RSS-flöde, för objekten i inläggstypen.','Feed URL'=>'Flödes-URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Ändrar permalänkstrukturen så att prefixet `WP_Rewrite::$front` läggs till i URL:er.','Front URL Prefix'=>'Prefix för inledande URL','Customize the slug used in the URL.'=>'Anpassa slugen som används i webbadressen.','URL Slug'=>'URL-slug','Permalinks for this post type are disabled.'=>'Permalänkar för denna inläggstyp är inaktiverade.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Skriv om URL:en med en anpassad slug som definieras i inmatningsfältet nedan. Din permalänkstruktur kommer att vara','No Permalink (prevent URL rewriting)'=>'Ingen permalänk (förhindra URL-omskrivning)','Custom Permalink'=>'Anpassad permalänk','Post Type Key'=>'Nyckel för inläggstyp','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Skriv om URL:en med nyckeln för inläggstypen som slug. Din permalänkstruktur kommer att vara','Permalink Rewrite'=>'Omskrivning av permalänk','Delete items by a user when that user is deleted.'=>'Ta bort objekt av en användare när den användaren tas bort.','Delete With User'=>'Ta bort med användare','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Tillåt att inläggstypen exporteras från ”Verktyg” > ”Export”.','Can Export'=>'Kan exportera','Optionally provide a plural to be used in capabilities.'=>'Ange eventuellt en pluralform som kan användas i behörigheter.','Plural Capability Name'=>'Namn i plural på behörighet','Choose another post type to base the capabilities for this post type.'=>'Välj en annan inläggstyp för att basera behörigheterna för denna inläggstyp.','Singular Capability Name'=>'Namn i singular på behörighet','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'Byt namn på behörigheter','Exclude From Search'=>'Exkludera från sök','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'Stöd för menyer i Utseende','Appears as an item in the \'New\' menu in the admin bar.'=>'Visas som ett objekt i menyn ”Nytt” i adminfältet.','Show In Admin Bar'=>'Visa i adminmeny','Custom Meta Box Callback'=>'Återanrop för anpassad metaruta','Menu Icon'=>'Menyikon','The position in the sidebar menu in the admin dashboard.'=>'Positionen i sidopanelsmenyn i adminpanelen.','Menu Position'=>'Menyposition','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'Överordnad adminmeny','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'Visa i adminmeny','Items can be edited and managed in the admin dashboard.'=>'Objekt kan redigeras och hanteras i adminpanelen.','Show In UI'=>'Visa i användargränssnitt','A link to a post.'=>'En länk till ett inlägg.','Description for a navigation link block variation.'=>'Beskrivning för en variant av navigationslänksblock.','Item Link Description'=>'Objekts länkbeskrivning','A link to a %s.'=>'En länk till en/ett %s.','Post Link'=>'Inläggslänk','Title for a navigation link block variation.'=>'Rubrik för en variant av navigationslänksblock.','Item Link'=>'Objektlänk','%s Link'=>'%s-länk','Post updated.'=>'Inlägg uppdaterat.','In the editor notice after an item is updated.'=>'Avisering i redigeraren efter att ett objekt har uppdaterats.','Item Updated'=>'Objekt uppdaterat','%s updated.'=>'%s har uppdaterats.','Post scheduled.'=>'Inlägget har schemalagts.','In the editor notice after scheduling an item.'=>'Avisering i redigeraren efter schemaläggning av ett objekt.','Item Scheduled'=>'Objekt tidsinställt','%s scheduled.'=>'%s schemalagd.','Post reverted to draft.'=>'Inlägget har återställts till utkastet.','In the editor notice after reverting an item to draft.'=>'Avisering i redigeraren efter att ha återställt ett objekt till utkast.','Item Reverted To Draft'=>'Objekt återställt till utkast','%s reverted to draft.'=>'%s återställt till utkast.','Post published privately.'=>'Inlägg publicerat privat.','In the editor notice after publishing a private item.'=>'Avisering i redigeraren efter publicering av ett privat objekt.','Item Published Privately'=>'Objekt publicerat privat','%s published privately.'=>'%s har publicerats privat.','Post published.'=>'Inlägg publicerat.','In the editor notice after publishing an item.'=>'Avisering i redigeraren efter publicering av ett objekt.','Item Published'=>'Objekt publicerat','%s published.'=>'%s publicerad.','Posts list'=>'Inläggslista','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Objektlista','%s list'=>'%s-lista','Posts list navigation'=>'Navigation för inläggslista','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'Navigation för objektlista','%s list navigation'=>'Navigation för %s-lista','Filter posts by date'=>'Filtrera inlägg efter datum','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'Filtrera objekt efter datum','Filter %s by date'=>'Filtrera %s efter datum','Filter posts list'=>'Filtrera inläggslista','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'Filtrera lista med objekt','Filter %s list'=>'Filtrera %s-listan','In the media modal showing all media uploaded to this item.'=>'I mediamodalen där alla media som laddats upp till detta objekt visas.','Uploaded To This Item'=>'Uppladdat till detta objekt','Uploaded to this %s'=>'Uppladdad till denna %s','Insert into post'=>'Infoga i inlägg','As the button label when adding media to content.'=>'Som knappetikett när du lägger till media i innehållet.','Insert Into Media Button'=>'Infoga ”Infoga media”-knapp','Insert into %s'=>'Infoga i %s','Use as featured image'=>'Använd som utvald bild','As the button label for selecting to use an image as the featured image.'=>'Som knappetikett för att välja att använda en bild som den utvalda bilden.','Use Featured Image'=>'Använd utvald bild','Remove featured image'=>'Ta bort utvald bild','As the button label when removing the featured image.'=>'Som knappetiketten vid borttagning av den utvalda bilden.','Remove Featured Image'=>'Ta bort utvald bild','Set featured image'=>'Ange utvald bild','As the button label when setting the featured image.'=>'Som knappetiketten när den utvalda bilden anges.','Set Featured Image'=>'Ange utvald bild','Featured image'=>'Utvald bild','In the editor used for the title of the featured image meta box.'=>'Används i redigeraren för rubriken på metarutan för den utvalda bilden.','Featured Image Meta Box'=>'Metaruta för utvald bild','Post Attributes'=>'Inläggsattribut','In the editor used for the title of the post attributes meta box.'=>'Används i redigeraren för rubriken på metarutan för inläggsattribut.','Attributes Meta Box'=>'Metaruta för attribut','%s Attributes'=>'Attribut för %s','Post Archives'=>'Inläggsarkiv','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'Navigationsmeny för arkiv','%s Archives'=>'Arkiv för %s','No posts found in Trash'=>'Inga inlägg hittades i papperskorgen','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'Inga objekt hittades i papperskorgen','No %s found in Trash'=>'Inga %s hittades i papperskorgen','No posts found'=>'Inga inlägg hittades','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'Inga objekt hittades','No %s found'=>'Inga %s hittades','Search Posts'=>'Sök inlägg','At the top of the items screen when searching for an item.'=>'','Search Items'=>'Sök objekt','Search %s'=>'Sök efter %s','Parent Page:'=>'Överordnad sida:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'Prefix för överordnat objekt','Parent %s:'=>'Överordnad %s:','New Post'=>'Nytt inlägg','New Item'=>'Nytt objekt','New %s'=>'Ny %s','Add New Post'=>'Lägg till nytt inlägg','At the top of the editor screen when adding a new item.'=>'Överst i redigeringsvyn när du lägger till ett nytt objekt.','Add New Item'=>'Lägg till nytt objekt','Add New %s'=>'Lägg till ny/nytt %s','View Posts'=>'Visa inlägg','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Visa objekt','View Post'=>'Visa inlägg','In the admin bar to view item when editing it.'=>'I adminfältet för att visa objekt när du redigerar det.','View Item'=>'Visa objekt','View %s'=>'Visa %s','Edit Post'=>'Redigera inlägg','At the top of the editor screen when editing an item.'=>'Överst i redigeringsvyn när du redigerar ett objekt.','Edit Item'=>'Redigera objekt','Edit %s'=>'Redigera %s','All Posts'=>'Alla inlägg','In the post type submenu in the admin dashboard.'=>'I undermenyn för inläggstyp i adminpanelen.','All Items'=>'Alla objekt','All %s'=>'Alla %s','Admin menu name for the post type.'=>'Adminmenynamn för inläggstypen.','Menu Name'=>'Menynamn','Regenerate all labels using the Singular and Plural labels'=>'Återskapa alla etiketter med etiketterna för singular och plural','Regenerate'=>'Återskapa','Active post types are enabled and registered with WordPress.'=>'Aktiva inläggstyper är aktiverade och registrerade med WordPress.','A descriptive summary of the post type.'=>'En beskrivande sammanfattning av inläggstypen.','Add Custom'=>'Lägg till anpassad','Enable various features in the content editor.'=>'Aktivera olika funktioner i innehållsredigeraren.','Post Formats'=>'Inläggsformat','Editor'=>'Redigerare','Trackbacks'=>'Trackbacks','Select existing taxonomies to classify items of the post type.'=>'Välj befintliga taxonomier för att klassificera objekt av inläggstypen.','Browse Fields'=>'Bläddra bland fält','Nothing to import'=>'Ingenting att importera','. The Custom Post Type UI plugin can be deactivated.'=>'. Tillägget ”Custom Post Type UI” kan inaktiveras.','Imported %d item from Custom Post Type UI -'=>'Importerade %d objekt från ”Custom Post Type UI” –' . "\0" . 'Importerade %d objekt från ”Custom Post Type UI” –','Failed to import taxonomies.'=>'Misslyckades att importera taxonomier.','Failed to import post types.'=>'Misslyckades att importera inläggstyper.','Nothing from Custom Post Type UI plugin selected for import.'=>'Inget från ”Custom Post Type UI” har valts för import.','Imported 1 item'=>'Importerade 1 objekt' . "\0" . 'Importerade %s objekt','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Om en inläggstyp eller taxonomi importeras med samma nyckel som en som redan finns skrivs inställningarna för den befintliga inläggstypen eller taxonomin över med inställningarna för importen.','Import from Custom Post Type UI'=>'Importera från Custom Post Type UI','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Följande kod kan användas för att registrera en lokal version av de valda objekten. Att lagra fältgrupper, inläggstyper eller taxonomier lokalt kan ge många fördelar, till exempel snabbare inläsningstider, versionskontroll och dynamiska fält/inställningar. Kopiera och klistra in följande kod i ditt temas ”functions.php”-fil eller inkludera den i en extern fil, inaktivera eller ta sen bort objekten från ACF-administrationen.','Export - Generate PHP'=>'Exportera - Generera PHP','Export'=>'Exportera','Select Taxonomies'=>'Välj taxonomier','Select Post Types'=>'Välj inläggstyper','Exported 1 item.'=>'Exporterade 1 objekt.' . "\0" . 'Exporterade %s objekt.','Category'=>'Kategori','Tag'=>'Etikett','%s taxonomy created'=>'Taxonomin %s skapades','%s taxonomy updated'=>'Taxonomin %s uppdaterad','Taxonomy draft updated.'=>'Taxonomiutkast uppdaterat.','Taxonomy scheduled for.'=>'Taxonomi schemalagd till.','Taxonomy submitted.'=>'Taxonomi inskickad.','Taxonomy saved.'=>'Taxonomi sparad.','Taxonomy deleted.'=>'Taxonomi borttagen.','Taxonomy updated.'=>'Taxonomi uppdaterad.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Denna taxonomi kunde inte registreras eftersom dess nyckel används av en annan taxonomi som registrerats av ett annat tillägg eller tema.','Taxonomy synchronized.'=>'Taxonomi synkroniserad.' . "\0" . '%s taxonomier synkroniserade.','Taxonomy duplicated.'=>'Taxonomi duplicerad.' . "\0" . '%s taxonomier duplicerade.','Taxonomy deactivated.'=>'Taxonomi inaktiverad.' . "\0" . '%s taxonomier inaktiverade.','Taxonomy activated.'=>'Taxonomi aktiverad.' . "\0" . '%s taxonomier aktiverade.','Terms'=>'Termer','Post type synchronized.'=>'Inläggstyp synkroniserad.' . "\0" . '%s inläggstyper synkroniserade.','Post type duplicated.'=>'Inläggstyp duplicerad.' . "\0" . '%s inläggstyper duplicerade.','Post type deactivated.'=>'Inläggstyp inaktiverad.' . "\0" . '%s inläggstyper inaktiverade.','Post type activated.'=>'Inläggstyp aktiverad.' . "\0" . '%s inläggstyper aktiverade.','Post Types'=>'Inläggstyper','Advanced Settings'=>'Avancerade inställningar','Basic Settings'=>'Grundläggande inställningar','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Denna inläggstyp kunde inte registreras eftersom dess nyckel används av en annan inläggstyp som registrerats av ett annat tillägg eller tema.','Pages'=>'Sidor','Link Existing Field Groups'=>'Länka befintliga fältgrupper','%s post type created'=>'Inläggstypen %s skapad','Add fields to %s'=>'Lägg till fält till %s','%s post type updated'=>'Inläggstypen %s uppdaterad','Post type draft updated.'=>'Utkast för inläggstyp uppdaterat.','Post type scheduled for.'=>'Inläggstyp schemalagd till.','Post type submitted.'=>'Inläggstyp inskickad.','Post type saved.'=>'Inläggstyp sparad.','Post type updated.'=>'Inläggstyp uppdaterad.','Post type deleted.'=>'Inläggstyp borttagen.','Type to search...'=>'Skriv för att söka …','PRO Only'=>'Endast PRO','Field groups linked successfully.'=>'Fältgrupper har länkats.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Importera inläggstyper och taxonomier som registrerats med ”Custom Post Type UI” och hantera dem med ACF. Kom igång.','ACF'=>'ACF','taxonomy'=>'taxonomi','post type'=>'inläggstyp','Done'=>'Klar','Field Group(s)'=>'Fältgrupp/fältgrupper','Select one or many field groups...'=>'Markera en eller flera fältgrupper …','Please select the field groups to link.'=>'Välj de fältgrupper som ska länkas.','Field group linked successfully.'=>'Fältgrupp har länkats.' . "\0" . 'Fältgrupper har länkats.','post statusRegistration Failed'=>'Registrering misslyckades','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Detta objekt kunde inte registreras eftersom dess nyckel används av ett annat objekt som registrerats av ett annat tillägg eller tema.','REST API'=>'REST API','Permissions'=>'Behörigheter','URLs'=>'URL:er','Visibility'=>'Synlighet','Labels'=>'Etiketter','Field Settings Tabs'=>'Fältinställningar för flikar','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF-kortkod inaktiverad för förhandsvisning]','Close Modal'=>'Stäng modal','Field moved to other group'=>'Fält flyttat till annan grupp','Close modal'=>'Stäng modal','Start a new group of tabs at this tab.'=>'Starta en ny grupp av flikar på denna flik.','New Tab Group'=>'Ny flikgrupp','Use a stylized checkbox using select2'=>'Använd en stiliserad kryssruta med hjälp av select2','Save Other Choice'=>'Spara annat val','Allow Other Choice'=>'Tillåt annat val','Add Toggle All'=>'Lägg till ”Slå på/av alla”','Save Custom Values'=>'Spara anpassade värden','Allow Custom Values'=>'Tillåt anpassade värden','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Anpassade värden för kryssrutor kan inte vara tomma. Avmarkera alla tomma värden.','Updates'=>'Uppdateringar','Advanced Custom Fields logo'=>'Logga för Advanced Custom Fields','Save Changes'=>'Spara ändringarna','Field Group Title'=>'Rubrik för fältgrupp','Add title'=>'Lägg till rubrik','New to ACF? Take a look at our getting started guide.'=>'Har du just börjat med ACF? Kolla gärna in vår välkomstguide.','Add Field Group'=>'Lägg till fältgrupp','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF samlar anpassade fält i fältgrupper och kopplar sedan dessa fält till redigeringsvyer.','Add Your First Field Group'=>'Lägg till din första fältgrupp','Options Pages'=>'Alternativsidor','ACF Blocks'=>'ACF-block','Gallery Field'=>'Gallerifält','Flexible Content Field'=>'Flexibelt innehållsfält','Repeater Field'=>'Upprepningsfält','Unlock Extra Features with ACF PRO'=>'Lås upp extra funktioner med ACF PRO','Delete Field Group'=>'Ta bort fältgrupp','Created on %1$s at %2$s'=>'Skapad den %1$s kl. %2$s','Group Settings'=>'Gruppinställningar','Location Rules'=>'Platsregler','Choose from over 30 field types. Learn more.'=>'Välj från över 30 fälttyper. Lär dig mer.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Kom igång med att skapa nya anpassade fält för dina inlägg, sidor, anpassade inläggstyper och annat WordPress-innehåll.','Add Your First Field'=>'Lägg till ditt första fält','#'=>'#','Add Field'=>'Lägg till fält','Presentation'=>'Presentation','Validation'=>'Validering','General'=>'Allmänt','Import JSON'=>'Importera JSON','Export As JSON'=>'Exportera som JSON','Field group deactivated.'=>'Fältgrupp inaktiverad.' . "\0" . '%s fältgrupper inaktiverade.','Field group activated.'=>'Fältgrupp aktiverad.' . "\0" . '%s fältgrupper aktiverade.','Deactivate'=>'Inaktivera','Deactivate this item'=>'Inaktivera detta objekt','Activate'=>'Aktivera','Activate this item'=>'Aktivera detta objekt','Move field group to trash?'=>'Flytta fältgrupp till papperskorg?','post statusInactive'=>'Inaktiv','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields och Advanced Custom Fields PRO ska inte vara aktiva samtidigt. Vi har inaktiverat Advanced Custom Fields PRO automatiskt.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields och Advanced Custom Fields PRO ska inte vara aktiva samtidigt. Vi har inaktiverat Advanced Custom Fields automatiskt.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s – Vi har upptäckt ett eller flera anrop för att hämta ACF-fältvärden innan ACF har initierats. Detta stöds inte och kan resultera i felaktiga eller saknade data. Lär dig hur man åtgärdar detta.','%1$s must have a user with the %2$s role.'=>'%1$s måste ha en användare med rollen %2$s.' . "\0" . '%1$s måste ha en användare med en av följande roller: %2$s','%1$s must have a valid user ID.'=>'%1$s måste ha ett giltigt användar-ID.','Invalid request.'=>'Ogiltig begäran.','%1$s is not one of %2$s'=>'%1$s är inte en av %2$s','%1$s must have term %2$s.'=>'%1$s måste ha termen %2$s.' . "\0" . '%1$s måste ha en av följande termer: %2$s','%1$s must be of post type %2$s.'=>'%1$s måste vara av inläggstypen %2$s.' . "\0" . '%1$s måste vara en av följande inläggstyper: %2$s','%1$s must have a valid post ID.'=>'%1$s måste ha ett giltigt inläggs-ID.','%s requires a valid attachment ID.'=>'%s kräver ett giltig bilage-ID.','Show in REST API'=>'Visa i REST API','Enable Transparency'=>'Aktivera genomskinlighet','RGBA Array'=>'RGBA-array','RGBA String'=>'RGBA-sträng','Hex String'=>'HEX-sträng','Upgrade to PRO'=>'Uppgradera till PRO','post statusActive'=>'Aktivt','\'%s\' is not a valid email address'=>'”%s” är inte en giltig e-postadress','Color value'=>'Färgvärde','Select default color'=>'Välj standardfärg','Clear color'=>'Rensa färg','Blocks'=>'Block','Options'=>'Alternativ','Users'=>'Användare','Menu items'=>'Menyval','Widgets'=>'Widgetar','Attachments'=>'Bilagor','Taxonomies'=>'Taxonomier','Posts'=>'Inlägg','Last updated: %s'=>'Senast uppdaterad: %s','Sorry, this post is unavailable for diff comparison.'=>'Detta inlägg är inte tillgängligt för diff-jämförelse.','Invalid field group parameter(s).'=>'Ogiltiga parametrar för fältgrupp.','Awaiting save'=>'Väntar på att sparas','Saved'=>'Sparad','Import'=>'Importera','Review changes'=>'Granska ändringar','Located in: %s'=>'Finns i: %s','Located in plugin: %s'=>'Finns i tillägg: %s','Located in theme: %s'=>'Finns i tema: %s','Various'=>'Diverse','Sync changes'=>'Synkronisera ändringar','Loading diff'=>'Hämtar diff','Review local JSON changes'=>'Granska lokala JSON-ändringar','Visit website'=>'Besök webbplats','View details'=>'Visa detaljer','Version %s'=>'Version %s','Information'=>'Information','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Support. Vår professionella supportpersonal kan hjälpa dig med mer komplicerade och tekniska utmaningar.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Diskussioner. Vi har en aktiv och vänlig community på våra community-forum som kanske kan hjälpa dig att räkna ut ”hur man gör” i ACF-världen.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Dokumentation. Vår omfattande dokumentation innehåller referenser och guider för de flesta situationer du kan stöta på.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Vi är fanatiska när det gäller support och vill att du ska få ut det bästa av din webbplats med ACF. Om du stöter på några svårigheter finns det flera ställen där du kan få hjälp:','Help & Support'=>'Hjälp och support','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Använd fliken ”Hjälp och support” för att kontakta oss om du skulle behöva hjälp.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Innan du skapar din första fältgrupp rekommenderar vi att du först läser vår Komma igång-guide för att bekanta dig med tilläggets filosofi och bästa praxis.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Tillägget ”Advanced Custom Fields” tillhandahåller en visuell formulärbyggare för att anpassa WordPress redigeringsvyer med extra fält och ett intuitivt API för att visa anpassade fältvärden i alla temamallsfiler.','Overview'=>'Översikt','Location type "%s" is already registered.'=>'Platstypen ”%s” är redan registrerad.','Class "%s" does not exist.'=>'Klassen ”%s” finns inte.','Invalid nonce.'=>'Ogiltig engångskod.','Error loading field.'=>'Fel vid inläsning av fält.','Error: %s'=>'Fel: %s','Widget'=>'Widget','User Role'=>'Användarroll','Comment'=>'Kommentera','Post Format'=>'Inläggsformat','Menu Item'=>'Menyval','Post Status'=>'Inläggsstatus','Menus'=>'Menyer','Menu Locations'=>'Menyplatser','Menu'=>'Meny','Post Taxonomy'=>'Inläggstaxonomi','Child Page (has parent)'=>'Undersida (har överordnad)','Parent Page (has children)'=>'Överordnad sida (har undersidor)','Top Level Page (no parent)'=>'Toppnivåsida (ingen överordnad)','Posts Page'=>'Inläggssida','Front Page'=>'Startsida','Page Type'=>'Sidtyp','Viewing back end'=>'Visar back-end','Viewing front end'=>'Visar front-end','Logged in'=>'Inloggad','Current User'=>'Nuvarande användare','Page Template'=>'Sidmall','Register'=>'Registrera','Add / Edit'=>'Lägg till/redigera','User Form'=>'Användarformulär','Page Parent'=>'Överordnad sida','Super Admin'=>'Superadmin','Current User Role'=>'Nuvarande användarroll','Default Template'=>'Standardmall','Post Template'=>'Inläggsmall','Post Category'=>'Inläggskategori','All %s formats'=>'Alla %s-format','Attachment'=>'Bilaga','%s value is required'=>'%s-värde är obligatoriskt','Show this field if'=>'Visa detta fält om','Conditional Logic'=>'Villkorad logik','and'=>'och','Local JSON'=>'Lokal JSON','Clone Field'=>'Klona fält','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Kontrollera också att alla premiumutökningar (%s) är uppdaterade till den senaste versionen.','This version contains improvements to your database and requires an upgrade.'=>'Denna version innehåller förbättringar av din databas och kräver en uppgradering.','Thank you for updating to %1$s v%2$s!'=>'Tack för att du uppdaterade till %1$s v%2$s!','Database Upgrade Required'=>'Databasuppgradering krävs','Options Page'=>'Alternativsida','Gallery'=>'Galleri','Flexible Content'=>'Flexibelt innehåll','Repeater'=>'Repeterare','Back to all tools'=>'Tillbaka till alla verktyg','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)'=>'Om flera fältgrupper visas på en redigeringssida, kommer den första fältgruppens alternativ att användas (den med lägsta sorteringsnummer)','Select items to hide them from the edit screen.'=>'Markera objekt för att dölja dem från redigeringsvyn.','Hide on screen'=>'Dölj på skärmen','Send Trackbacks'=>'Skicka trackbacks','Tags'=>'Etiketter','Categories'=>'Kategorier','Page Attributes'=>'Sidattribut','Format'=>'Format','Author'=>'Författare','Slug'=>'Slug','Revisions'=>'Versioner','Comments'=>'Kommentarer','Discussion'=>'Diskussion','Excerpt'=>'Utdrag','Content Editor'=>'Innehållsredigerare','Permalink'=>'Permalänk','Shown in field group list'=>'Visa i fältgrupplista','Field groups with a lower order will appear first'=>'Fältgrupper med lägre ordningsnummer kommer synas först','Order No.'=>'Sorteringsnummer','Below fields'=>'Under fält','Below labels'=>'Under etiketter','Instruction Placement'=>'Instruktionsplacering','Label Placement'=>'Etikettplacering','Side'=>'Vid sidan','Normal (after content)'=>'Normal (efter innehåll)','High (after title)'=>'Hög (efter rubrik)','Position'=>'Position','Seamless (no metabox)'=>'Sömnlöst (ingen metaruta)','Standard (WP metabox)'=>'Standard (WP meta-ruta)','Style'=>'Stil','Type'=>'Typ','Key'=>'Nyckel','Order'=>'Sortering','Close Field'=>'Stäng fält','id'=>'id','class'=>'klass','width'=>'bredd','Wrapper Attributes'=>'Omslagsattribut','Required'=>'Obligatoriskt','Instructions'=>'Instruktioner','Field Type'=>'Fälttyp','Single word, no spaces. Underscores and dashes allowed'=>'Enstaka ord, inga mellanslag. Understreck och bindestreck tillåtna','Field Name'=>'Fältnamn','This is the name which will appear on the EDIT page'=>'Detta är namnet som kommer att visas på REDIGERINGS-sidan','Field Label'=>'Fältetikett','Delete'=>'Ta bort','Delete field'=>'Ta bort fält','Move'=>'Flytta','Move field to another group'=>'Flytta fältet till en annan grupp','Duplicate field'=>'Duplicera fält','Edit field'=>'Redigera fält','Drag to reorder'=>'Dra för att sortera om','Show this field group if'=>'Visa denna fältgrupp om','No updates available.'=>'Inga uppdateringar tillgängliga.','Database upgrade complete. See what\'s new'=>'Databasuppgradering slutförd. Se vad som är nytt','Reading upgrade tasks...'=>'Läser in uppgraderingsuppgifter …','Upgrade failed.'=>'Uppgradering misslyckades.','Upgrade complete.'=>'Uppgradering slutförd.','Upgrading data to version %s'=>'Uppgraderar data till version %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Det rekommenderas starkt att du säkerhetskopierar din databas innan du fortsätter. Är du säker på att du vill köra uppdateraren nu?','Please select at least one site to upgrade.'=>'Välj minst en webbplats att uppgradera.','Database Upgrade complete. Return to network dashboard'=>'Uppgradering av databas slutförd. Tillbaka till nätverkets adminpanel','Site is up to date'=>'Webbplatsen är uppdaterad','Site requires database upgrade from %1$s to %2$s'=>'Webbplatsen kräver databasuppgradering från %1$s till %2$s','Site'=>'Webbplats','Upgrade Sites'=>'Uppgradera webbplatser','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Följande webbplatser kräver en DB-uppgradering. Kontrollera de du vill uppdatera och klicka sedan på %s.','Add rule group'=>'Lägg till regelgrupp','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Skapa en uppsättning regler för att avgöra vilka redigeringsvyer som ska använda dessa avancerade anpassade fält','Rules'=>'Regler','Copied'=>'Kopierad','Copy to clipboard'=>'Kopiera till urklipp','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Välj vilka objekt du vill exportera och sedan exportmetod. ”Exportera som JSON” för att exportera till en .json-fil som du sedan kan importera till någon annan ACF-installation. ”Generera PHP” för att exportera PHP kod som du kan lägga till i ditt tema.','Select Field Groups'=>'Välj fältgrupper','No field groups selected'=>'Inga fältgrupper valda','Generate PHP'=>'Generera PHP','Export Field Groups'=>'Exportera fältgrupper','Import file empty'=>'Importerad fil är tom','Incorrect file type'=>'Felaktig filtyp','Error uploading file. Please try again'=>'Fel vid uppladdning av fil. Försök igen','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Välj den JSON-fil för Advanced Custom Fields som du vill importera. När du klickar på importknappen nedan kommer ACF att importera objekten i den filen.','Import Field Groups'=>'Importera fältgrupper','Sync'=>'Synkronisera','Select %s'=>'Välj %s','Duplicate'=>'Duplicera','Duplicate this item'=>'Duplicera detta objekt','Supports'=>'Stöder','Documentation'=>'Dokumentation','Description'=>'Beskrivning','Sync available'=>'Synkronisering tillgänglig','Field group synchronized.'=>'Fältgrupp synkroniserad.' . "\0" . '%s fältgrupper synkroniserade.','Field group duplicated.'=>'Fältgrupp duplicerad.' . "\0" . '%s fältgrupper duplicerade.','Active (%s)'=>'Aktiv (%s)' . "\0" . 'Aktiva (%s)','Review sites & upgrade'=>'Granska webbplatser och uppgradera','Upgrade Database'=>'Uppgradera databas','Custom Fields'=>'Anpassade fält','Move Field'=>'Flytta fält','Please select the destination for this field'=>'Välj destinationen för detta fält','The %1$s field can now be found in the %2$s field group'=>'Fältet %1$s kan nu hittas i fältgruppen %2$s','Move Complete.'=>'Flytt färdig.','Active'=>'Aktiv','Field Keys'=>'Fältnycklar','Settings'=>'Inställningar','Location'=>'Plats','Null'=>'Null','copy'=>'kopiera','(this field)'=>'(detta fält)','Checked'=>'Ikryssad','Move Custom Field'=>'Flytta anpassat fält','No toggle fields available'=>'Inga fält för att slå på/av är tillgängliga','Field group title is required'=>'Rubrik för fältgrupp är obligatoriskt','This field cannot be moved until its changes have been saved'=>'Detta fält kan inte flyttas innan dess ändringar har sparats','The string "field_" may not be used at the start of a field name'=>'Strängen ”field_” får inte användas i början av ett fältnamn','Field group draft updated.'=>'Fältgruppsutkast uppdaterat.','Field group scheduled for.'=>'Fältgrupp schemalagd för.','Field group submitted.'=>'Fältgrupp skickad.','Field group saved.'=>'Fältgrupp sparad.','Field group published.'=>'Fältgrupp publicerad.','Field group deleted.'=>'Fältgrupp borttagen.','Field group updated.'=>'Fältgrupp uppdaterad.','Tools'=>'Verktyg','is not equal to'=>'är inte lika med','is equal to'=>'är lika med','Forms'=>'Formulär','Page'=>'Sida','Post'=>'Inlägg','Relational'=>'Relationellt','Choice'=>'Val','Basic'=>'Grundläggande','Unknown'=>'Okänt','Field type does not exist'=>'Fälttyp finns inte','Spam Detected'=>'Skräppost upptäckt','Post updated'=>'Inlägg uppdaterat','Update'=>'Uppdatera','Validate Email'=>'Validera e-post','Content'=>'Innehåll','Title'=>'Rubrik','Edit field group'=>'Redigera fältgrupp','Selection is less than'=>'Valet är mindre än','Selection is greater than'=>'Valet är större än','Value is less than'=>'Värde är mindre än','Value is greater than'=>'Värde är större än','Value contains'=>'Värde innehåller','Value matches pattern'=>'Värde matchar mönster','Value is not equal to'=>'Värde är inte lika med','Value is equal to'=>'Värde är lika med','Has no value'=>'Har inget värde','Has any value'=>'Har något värde','Cancel'=>'Avbryt','Are you sure?'=>'Är du säker?','%d fields require attention'=>'%d fält kräver din uppmärksamhet','1 field requires attention'=>'1 fält kräver din uppmärksamhet','Validation failed'=>'Validering misslyckades','Validation successful'=>'Validering lyckades','Restricted'=>'Begränsad','Collapse Details'=>'Minimera detaljer','Expand Details'=>'Expandera detaljer','Uploaded to this post'=>'Uppladdat till detta inlägg','verbUpdate'=>'Uppdatera','verbEdit'=>'Redigera','The changes you made will be lost if you navigate away from this page'=>'De ändringar du gjort kommer att gå förlorade om du navigerar bort från denna sida','File type must be %s.'=>'Filtyp måste vara %s.','or'=>'eller','File size must not exceed %s.'=>'Filstorleken får inte överskrida %s.','File size must be at least %s.'=>'Filstorlek måste vara lägst %s.','Image height must not exceed %dpx.'=>'Bildens höjd får inte överskrida %d px.','Image height must be at least %dpx.'=>'Bildens höjd måste vara åtminstone %d px.','Image width must not exceed %dpx.'=>'Bildens bredd får inte överskrida %d px.','Image width must be at least %dpx.'=>'Bildens bredd måste vara åtminstone %d px.','(no title)'=>'(ingen rubrik)','Full Size'=>'Full storlek','Large'=>'Stor','Medium'=>'Medium','Thumbnail'=>'Miniatyr','(no label)'=>'(ingen etikett)','Sets the textarea height'=>'Ställer in textområdets höjd','Rows'=>'Rader','Text Area'=>'Textområde','Prepend an extra checkbox to toggle all choices'=>'Förbered en extra kryssruta för att slå på/av alla val','Save \'custom\' values to the field\'s choices'=>'Spara ”anpassade” värden till fältets val','Allow \'custom\' values to be added'=>'Tillåt att ”anpassade” värden kan läggas till','Add new choice'=>'Lägg till nytt val','Toggle All'=>'Slå på/av alla','Allow Archives URLs'=>'Tillåt arkiv-URL:er','Archives'=>'Arkiv','Page Link'=>'Sidlänk','Add'=>'Lägg till','Name'=>'Namn','%s added'=>'%s har lagts till','%s already exists'=>'%s finns redan','User unable to add new %s'=>'Användare kan inte lägga till ny %s','Term ID'=>'Term-ID','Term Object'=>'Term-objekt','Load value from posts terms'=>'Hämta värde från inläggets termer','Load Terms'=>'Ladda termer','Connect selected terms to the post'=>'Koppla valda termer till inlägget','Save Terms'=>'Spara termer','Allow new terms to be created whilst editing'=>'Tillåt att nya termer skapas vid redigering','Create Terms'=>'Skapa termer','Radio Buttons'=>'Radioknappar','Single Value'=>'Enskild värde','Multi Select'=>'Flerval','Checkbox'=>'Kryssruta','Multiple Values'=>'Flera värden','Select the appearance of this field'=>'Välj utseendet på detta fält','Appearance'=>'Utseende','Select the taxonomy to be displayed'=>'Välj taxonomin som ska visas','No TermsNo %s'=>'Inga %s','Value must be equal to or lower than %d'=>'Värdet måste vara lika med eller lägre än %d','Value must be equal to or higher than %d'=>'Värdet måste vara lika med eller högre än %d','Value must be a number'=>'Värdet måste vara ett nummer','Number'=>'Nummer','Save \'other\' values to the field\'s choices'=>'Spara ”andra” värden i fältets val','Add \'other\' choice to allow for custom values'=>'Lägg till valet ”annat” för att tillåta anpassade värden','Other'=>'Annat','Radio Button'=>'Alternativknapp','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Definiera en ändpunkt för föregående dragspel att stoppa. Detta dragspel kommer inte att vara synligt.','Allow this accordion to open without closing others.'=>'Tillåt detta dragspel öppna utan att stänga andra.','Multi-Expand'=>'Multi-expandera','Display this accordion as open on page load.'=>'Visa detta dragspel som öppet på sidladdning.','Open'=>'Öppen','Accordion'=>'Dragspel','Restrict which files can be uploaded'=>'Begränsa vilka filer som kan laddas upp','File ID'=>'Fil-ID','File URL'=>'Fil-URL','File Array'=>'Fil-array','Add File'=>'Lägg till fil','No file selected'=>'Ingen fil vald','File name'=>'Filnamn','Update File'=>'Uppdatera fil','Edit File'=>'Redigera fil','Select File'=>'Välj fil','File'=>'Fil','Password'=>'Lösenord','Specify the value returned'=>'Specificera värdet att returnera','Use AJAX to lazy load choices?'=>'Använda AJAX för att ladda alternativ efter att sidan laddats?','Enter each default value on a new line'=>'Ange varje standardvärde på en ny rad','verbSelect'=>'Välj','Select2 JS load_failLoading failed'=>'Laddning misslyckades','Select2 JS searchingSearching…'=>'Söker…','Select2 JS load_moreLoading more results…'=>'Laddar in fler resultat …','Select2 JS selection_too_long_nYou can only select %d items'=>'Du kan endast välja %d objekt','Select2 JS selection_too_long_1You can only select 1 item'=>'Du kan endast välja 1 objekt','Select2 JS input_too_long_nPlease delete %d characters'=>'Ta bort %d tecken','Select2 JS input_too_long_1Please delete 1 character'=>'Ta bort 1 tecken','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Ange %d eller fler tecken','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Ange 1 eller fler tecken','Select2 JS matches_0No matches found'=>'Inga matchningar hittades','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d resultat är tillgängliga, använd tangenterna med uppåt- och nedåtpil för att navigera.','Select2 JS matches_1One result is available, press enter to select it.'=>'Ett resultat är tillgängligt, tryck på returtangenten för att välja det.','nounSelect'=>'Välj','User ID'=>'Användar-ID','User Object'=>'Användarobjekt','User Array'=>'Användar-array','All user roles'=>'Alla användarroller','Filter by Role'=>'Filtrera efter roll','User'=>'Användare','Separator'=>'Avgränsare','Select Color'=>'Välj färg','Default'=>'Standard','Clear'=>'Rensa','Color Picker'=>'Färgväljare','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Välj','Date Time Picker JS closeTextDone'=>'Klart','Date Time Picker JS currentTextNow'=>'Nu','Date Time Picker JS timezoneTextTime Zone'=>'Tidszon','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosekund','Date Time Picker JS millisecTextMillisecond'=>'Millisekund','Date Time Picker JS secondTextSecond'=>'Sekund','Date Time Picker JS minuteTextMinute'=>'Minut','Date Time Picker JS hourTextHour'=>'Timme','Date Time Picker JS timeTextTime'=>'Tid','Date Time Picker JS timeOnlyTitleChoose Time'=>'Välj tid','Date Time Picker'=>'Datum/tidväljare','Endpoint'=>'Ändpunkt','Left aligned'=>'Vänsterjusterad','Top aligned'=>'Toppjusterad','Placement'=>'Placering','Tab'=>'Flik','Value must be a valid URL'=>'Värde måste vara en giltig URL','Link URL'=>'Länk-URL','Link Array'=>'Länk-array','Opens in a new window/tab'=>'Öppnas i ett nytt fönster/flik','Select Link'=>'Välj länk','Link'=>'Länk','Email'=>'E-post','Step Size'=>'Stegstorlek','Maximum Value'=>'Maximalt värde','Minimum Value'=>'Minsta värde','Range'=>'Intervall','Both (Array)'=>'Båda (Array)','Label'=>'Etikett','Value'=>'Värde','Vertical'=>'Vertikal','Horizontal'=>'Horisontell','red : Red'=>'röd : Röd','For more control, you may specify both a value and label like this:'=>'För mer kontroll kan du specificera både ett värde och en etikett så här:','Enter each choice on a new line.'=>'Ange varje val på en ny rad.','Choices'=>'Val','Button Group'=>'Knappgrupp','Allow Null'=>'Tillåt värdet ”null”','Parent'=>'Överordnad','TinyMCE will not be initialized until field is clicked'=>'TinyMCE kommer inte att initialiseras förrän fältet är klickat','Delay Initialization'=>'Fördröjd initialisering','Show Media Upload Buttons'=>'Visa knappar för mediauppladdning','Toolbar'=>'Verktygsfält','Text Only'=>'Endast text','Visual Only'=>'Endast visuell','Visual & Text'=>'Visuell och text','Tabs'=>'Flikar','Click to initialize TinyMCE'=>'Klicka för att initialisera TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Text','Visual'=>'Visuellt','Value must not exceed %d characters'=>'Värde får inte överstiga %d tecken','Leave blank for no limit'=>'Lämna fältet tomt för att inte sätta någon begränsning','Character Limit'=>'Teckenbegränsning','Appears after the input'=>'Visas efter inmatningen','Append'=>'Lägg till efter','Appears before the input'=>'Visas före inmatningen','Prepend'=>'Lägg till före','Appears within the input'=>'Visas inuti inmatningen','Placeholder Text'=>'Platshållartext','Appears when creating a new post'=>'Visas när ett nytt inlägg skapas','Text'=>'Text','%1$s requires at least %2$s selection'=>'%1$s kräver minst %2$s val' . "\0" . '%1$s kräver minst %2$s val','Post ID'=>'Inläggs-ID','Post Object'=>'Inläggsobjekt','Maximum Posts'=>'Maximalt antal inlägg','Minimum Posts'=>'Minsta antal inlägg','Featured Image'=>'Utvald bild','Selected elements will be displayed in each result'=>'Valda element kommer att visas i varje resultat','Elements'=>'Element','Taxonomy'=>'Taxonomi','Post Type'=>'Inläggstyp','Filters'=>'Filter','All taxonomies'=>'Alla taxonomier','Filter by Taxonomy'=>'Filtrera efter taxonomi','All post types'=>'Alla inläggstyper','Filter by Post Type'=>'Filtrera efter inläggstyp','Search...'=>'Sök …','Select taxonomy'=>'Välj taxonomi','Select post type'=>'Välj inläggstyp','No matches found'=>'Inga matchningar hittades','Loading'=>'Laddar in','Maximum values reached ( {max} values )'=>'Maximalt antal värden har nåtts ({max} värden)','Relationship'=>'Relationer','Comma separated list. Leave blank for all types'=>'Kommaseparerad lista. Lämna tomt för alla typer','Allowed File Types'=>'Tillåtna filtyper','Maximum'=>'Maximalt','File size'=>'Filstorlek','Restrict which images can be uploaded'=>'Begränsa vilka bilder som kan laddas upp','Minimum'=>'Minimum','Uploaded to post'=>'Uppladdat till inlägg','All'=>'Alla','Limit the media library choice'=>'Begränsa mediabiblioteksvalet','Library'=>'Bibliotek','Preview Size'=>'Förhandsgranska storlek','Image ID'=>'Bild-ID','Image URL'=>'Bild-URL','Image Array'=>'Bild-array','Specify the returned value on front end'=>'Specificera returvärdet på front-end','Return Value'=>'Returvärde','Add Image'=>'Lägg till bild','No image selected'=>'Ingen bild vald','Remove'=>'Ta bort','Edit'=>'Redigera','All images'=>'Alla bilder','Update Image'=>'Uppdatera bild','Edit Image'=>'Redigera bild','Select Image'=>'Välj bild','Image'=>'Bild','Allow HTML markup to display as visible text instead of rendering'=>'Tillåt att HTML-märkkod visas som synlig text i stället för att renderas','Escape HTML'=>'Inaktivera HTML-rendering','No Formatting'=>'Ingen formatering','Automatically add <br>'=>'Lägg automatiskt till <br>','Automatically add paragraphs'=>'Lägg automatiskt till stycken','Controls how new lines are rendered'=>'Styr hur nya rader visas','New Lines'=>'Nya rader','Week Starts On'=>'Veckan börjar på','The format used when saving a value'=>'Formatet som används när ett värde sparas','Save Format'=>'Spara format','Date Picker JS weekHeaderWk'=>'V','Date Picker JS prevTextPrev'=>'Föreg.','Date Picker JS nextTextNext'=>'Nästa','Date Picker JS currentTextToday'=>'Idag','Date Picker JS closeTextDone'=>'Klart','Date Picker'=>'Datumväljare','Width'=>'Bredd','Embed Size'=>'Inbäddad storlek','Enter URL'=>'Ange URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'Text som visas när inaktivt','Off Text'=>'”Av”-text','Text shown when active'=>'Text som visas när aktivt','On Text'=>'”På”-text','Stylized UI'=>'Stiliserat användargränssnitt','Default Value'=>'Standardvärde','Displays text alongside the checkbox'=>'Visar text bredvid kryssrutan','Message'=>'Meddelande','No'=>'Nej','Yes'=>'Ja','True / False'=>'Sant/falskt','Row'=>'Rad','Table'=>'Tabell','Block'=>'Block','Specify the style used to render the selected fields'=>'Specificera stilen för att rendera valda fält','Layout'=>'Layout','Sub Fields'=>'Underfält','Group'=>'Grupp','Customize the map height'=>'Anpassa karthöjden','Height'=>'Höjd','Set the initial zoom level'=>'Ställ in den initiala zoomnivån','Zoom'=>'Zooma','Center the initial map'=>'Centrera den inledande kartan','Center'=>'Centrerat','Search for address...'=>'Sök efter adress …','Find current location'=>'Hitta nuvarande plats','Clear location'=>'Rensa plats','Search'=>'Sök','Sorry, this browser does not support geolocation'=>'Denna webbläsare saknar stöd för platsinformation','Google Map'=>'Google Map','The format returned via template functions'=>'Formatet returnerad via mallfunktioner','Return Format'=>'Returformat','Custom:'=>'Anpassad:','The format displayed when editing a post'=>'Formatet visas när ett inlägg redigeras','Display Format'=>'Visningsformat','Time Picker'=>'Tidsväljare','Inactive (%s)'=>'Inaktiv (%s)' . "\0" . 'Inaktiva (%s)','No Fields found in Trash'=>'Inga fält hittades i papperskorgen','No Fields found'=>'Inga fält hittades','Search Fields'=>'Sök fält','View Field'=>'Visa fält','New Field'=>'Nytt fält','Edit Field'=>'Redigera fält','Add New Field'=>'Lägg till nytt fält','Field'=>'Fält','Fields'=>'Fält','No Field Groups found in Trash'=>'Inga fältgrupper hittades i papperskorgen','No Field Groups found'=>'Inga fältgrupper hittades','Search Field Groups'=>'Sök fältgrupper','View Field Group'=>'Visa fältgrupp','New Field Group'=>'Ny fältgrupp','Edit Field Group'=>'Redigera fältgrupp','Add New Field Group'=>'Lägg till ny fältgrupp','Add New'=>'Lägg till nytt','Field Group'=>'Fältgrupp','Field Groups'=>'Fältgrupper','Customize WordPress with powerful, professional and intuitive fields.'=>'Anpassa WordPress med kraftfulla, professionella och intuitiva fält.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blocktypsnamn är obligatoriskt.','Block type "%s" is already registered.'=>'Blocktypen "%s" är redan registrerad.','Switch to Edit'=>'Växla till Redigera','Switch to Preview'=>'Växla till förhandsgranskning','Change content alignment'=>'Ändra innehållsjustering','%s settings'=>'%s-inställningar','This block contains no editable fields.'=>'Det här blocket innehåller inga redigerbara fält.','Assign a field group to add fields to this block.'=>'Tilldela en fältgrupp för att lägga till fält i detta block.','Options Updated'=>'Alternativ uppdaterade','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Om du vill aktivera uppdateringar anger du din licensnyckel på sidan Uppdateringar. Om du inte har en licensnyckel, se uppgifter och priser.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF-aktiveringsfel. Din definierade licensnyckel har ändrats, men ett fel uppstod vid inaktivering av din gamla licens','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF-aktiveringsfel. Din definierade licensnyckel har ändrats, men ett fel uppstod vid anslutning till aktiveringsservern','ACF Activation Error'=>'ACF-aktiveringsfel','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF-aktiveringsfel. Ett fel uppstod vid anslutning till aktiveringsservern','Check Again'=>'Kontrollera igen','ACF Activation Error. Could not connect to activation server'=>'ACF-aktiveringsfel. Kunde inte ansluta till aktiveringsservern','Publish'=>'Publicera','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Inga fältgrupper hittades för denna inställningssida. Skapa en fältgrupp','Error. Could not connect to update server'=>'Fel. Kunde inte ansluta till uppdateringsservern','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Fel. Det gick inte att autentisera uppdateringspaketet. Kontrollera igen eller inaktivera och återaktivera din ACF PRO-licens.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Fel. Din licens för denna webbplats har gått ut eller inaktiverats. Återaktivera din ACF PRO-licens.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Välj ett eller flera fält som du vill klona','Display'=>'Visning','Specify the style used to render the clone field'=>'Specificera stilen som ska användas för att rendera det klonade fältet','Group (displays selected fields in a group within this field)'=>'Grupp (visar valda fält i en grupp i detta fält)','Seamless (replaces this field with selected fields)'=>'Sömlös (ersätter detta fält med valda fält)','Labels will be displayed as %s'=>'Etiketter kommer att visas som %s','Prefix Field Labels'=>'Prefix för fältetiketter','Values will be saved as %s'=>'Värden sparas som %s','Prefix Field Names'=>'Prefix för fältnamn','Unknown field'=>'Okänt fält','Unknown field group'=>'Okänd fältgrupp','All fields from %s field group'=>'Alla fält från %s fältgrupp','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Lägg till rad','layout'=>'layout' . "\0" . 'layouter','layouts'=>'layouter','This field requires at least {min} {label} {identifier}'=>'Detta fält kräver minst {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Detta fält har en gräns på {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} tillgänglig (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} krävs (min {min})','Flexible Content requires at least 1 layout'=>'Flexibelt innehåll kräver minst 1 layout','Click the "%s" button below to start creating your layout'=>'Klicka på knappen ”%s” nedan för att börja skapa din layout','Add layout'=>'Lägg till layout','Duplicate layout'=>'Duplicera layout','Remove layout'=>'Ta bort layout','Click to toggle'=>'Klicka för att växla','Delete Layout'=>'Ta bort layout','Duplicate Layout'=>'Duplicera layout','Add New Layout'=>'Lägg till ny layout','Add Layout'=>'Lägg till layout','Min'=>'Min','Max'=>'Max','Minimum Layouts'=>'Lägsta tillåtna antal layouter','Maximum Layouts'=>'Högsta tillåtna antal layouter','Button Label'=>'Knappetikett','%s must be of type array or null.'=>'%s måste vara av typen array eller null.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s måste innehålla minst %2$s %3$s layout.' . "\0" . '%1$s måste innehålla minst %2$s %3$s layouter.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s får innehålla högst %2$s %3$s layout.' . "\0" . '%1$s får innehålla högst %2$s %3$s layouter.','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Lägg till bild i galleriet','Maximum selection reached'=>'Högsta tillåtna antal val uppnått','Length'=>'Längd','Caption'=>'Bildtext','Alt Text'=>'Alternativ text','Add to gallery'=>'Lägg till i galleri','Bulk actions'=>'Massåtgärder','Sort by date uploaded'=>'Sortera efter uppladdningsdatum','Sort by date modified'=>'Sortera efter redigeringsdatum','Sort by title'=>'Sortera efter rubrik','Reverse current order'=>'Omvänd nuvarande ordning','Close'=>'Stäng','Minimum Selection'=>'Minsta tillåtna antal val','Maximum Selection'=>'Högsta tillåtna antal val','Allowed file types'=>'Tillåtna filtyper','Insert'=>'Infoga','Specify where new attachments are added'=>'Specifiera var nya bilagor läggs till','Append to the end'=>'Lägg till i slutet','Prepend to the beginning'=>'Lägg till början','Minimum rows not reached ({min} rows)'=>'Minsta tillåtna antal rader uppnått ({min} rader)','Maximum rows reached ({max} rows)'=>'Högsta tillåtna antal rader uppnått ({max} rader)','Error loading page'=>'Kunde inte ladda in sida','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'Användbart för fält med ett stort antal rader.','Rows Per Page'=>'Rader per sida','Set the number of rows to be displayed on a page.'=>'Ange antalet rader som ska visas på en sida.','Minimum Rows'=>'Minsta tillåtna antal rader','Maximum Rows'=>'Högsta tillåtna antal rader','Collapsed'=>'Ihopfälld','Select a sub field to show when row is collapsed'=>'Välj ett underfält att visa när raden är ihopfälld','Invalid field key or name.'=>'Ogiltig fältnyckel.','There was an error retrieving the field.'=>'Ett fel uppstod vid hämtning av fältet.','Click to reorder'=>'Dra och släpp för att ändra ordning','Add row'=>'Lägg till rad','Duplicate row'=>'Duplicera rad','Remove row'=>'Ta bort rad','Current Page'=>'Nuvarande sida','First Page'=>'Första sidan','Previous Page'=>'Föregående sida','paging%1$s of %2$s'=>'%1$s av %2$s','Next Page'=>'Nästa sida','Last Page'=>'Sista sidan','No block types exist'=>'Det finns inga blocktyper','No options pages exist'=>'Det finns inga alternativsidor','Deactivate License'=>'Inaktivera licens','Activate License'=>'Aktivera licens','License Information'=>'Licensinformation','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'För att låsa upp uppdateringar, fyll i din licensnyckel här nedan. Om du inte har en licensnyckel, gå till sidan detaljer och priser.','License Key'=>'Licensnyckel','Your license key is defined in wp-config.php.'=>'Din licensnyckel är angiven i wp-config.php.','Retry Activation'=>'Försök aktivera igen','Update Information'=>'Uppdateringsinformation','Current Version'=>'Nuvarande version','Latest Version'=>'Senaste version','Update Available'=>'Uppdatering tillgänglig','Upgrade Notice'=>'Uppgraderingsnotering','Check For Updates'=>'','Enter your license key to unlock updates'=>'Fyll i din licensnyckel här ovan för att låsa upp uppdateringar','Update Plugin'=>'Uppdatera tillägg','Please reactivate your license to unlock updates'=>'Återaktivera din licens för att låsa upp uppdateringar'],'language'=>'sv_SE','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-sv_SE.mo b/lang/acf-sv_SE.mo
index 44e9db1..4e809a1 100644
Binary files a/lang/acf-sv_SE.mo and b/lang/acf-sv_SE.mo differ
diff --git a/lang/acf-sv_SE.po b/lang/acf-sv_SE.po
index 5905282..cd368c9 100644
--- a/lang/acf-sv_SE.po
+++ b/lang/acf-sv_SE.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: sv_SE\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2027,21 +2043,21 @@ msgstr "Lägg till fält"
msgid "This Field"
msgstr "Detta fält"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Feedback"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Support"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "utvecklas och underhålls av"
@@ -4485,7 +4501,7 @@ msgstr ""
"Importera inläggstyper och taxonomier som registrerats med ”Custom Post Type "
"UI” och hantera dem med ACF. Kom igång."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4818,7 +4834,7 @@ msgstr "Aktivera detta objekt"
msgid "Move field group to trash?"
msgstr "Flytta fältgrupp till papperskorg?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4831,7 +4847,7 @@ msgstr "Inaktiv"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4839,7 +4855,7 @@ msgstr ""
"Advanced Custom Fields och Advanced Custom Fields PRO ska inte vara aktiva "
"samtidigt. Vi har inaktiverat Advanced Custom Fields PRO automatiskt."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5288,7 +5304,7 @@ msgstr "Alla %s-format"
msgid "Attachment"
msgstr "Bilaga"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s-värde är obligatoriskt"
@@ -5778,7 +5794,7 @@ msgstr "Duplicera detta objekt"
msgid "Supports"
msgstr "Stöder"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Dokumentation"
@@ -6075,8 +6091,8 @@ msgstr "%d fält kräver din uppmärksamhet"
msgid "1 field requires attention"
msgstr "1 fält kräver din uppmärksamhet"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Validering misslyckades"
@@ -7458,90 +7474,90 @@ msgid "Time Picker"
msgstr "Tidsväljare"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Inaktiv (%s)"
msgstr[1] "Inaktiva (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Inga fält hittades i papperskorgen"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Inga fält hittades"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Sök fält"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Visa fält"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Nytt fält"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Redigera fält"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Lägg till nytt fält"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Fält"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Fält"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Inga fältgrupper hittades i papperskorgen"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Inga fältgrupper hittades"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Sök fältgrupper"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Visa fältgrupp"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Ny fältgrupp"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Redigera fältgrupp"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Lägg till ny fältgrupp"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Lägg till nytt"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Fältgrupp"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-tr_TR.l10n.php b/lang/acf-tr_TR.l10n.php
index 412dbcc..301ae96 100644
--- a/lang/acf-tr_TR.l10n.php
+++ b/lang/acf-tr_TR.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'tr_TR','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF kısa kodu herkese açık olmayan gönderilerdeki alanları görüntüleyemez]','[The ACF shortcode is disabled on this site]'=>'[ACF kısa kodu bu sitede devre dışı bırakılmıştır]','Businessman Icon'=>'İş insanı simgesi','Forums Icon'=>'Forumlar simgesi','YouTube Icon'=>'YouTube simgesi','Yes (alt) Icon'=>'Evet (alt) simgesi','Xing Icon'=>'Xing simgesi','WordPress (alt) Icon'=>'WordPress (alt) simgesi','WhatsApp Icon'=>'WhatsApp simgesi','Write Blog Icon'=>'Blog yaz simgesi','Widgets Menus Icon'=>'Widget menüleri simgesi','View Site Icon'=>'Siteyi görüntüle simgesi','Learn More Icon'=>'Daha fazla öğren simgesi','Add Page Icon'=>'Sayfa ekle simgesi','Video (alt3) Icon'=>'Video (alt3) simgesi','Video (alt2) Icon'=>'Video (alt2) simgesi','Video (alt) Icon'=>'Video (alt) simgesi','Update (alt) Icon'=>'Güncelle (alt) simgesi','Universal Access (alt) Icon'=>'Evrensel erişim (alt) simgesi','Twitter (alt) Icon'=>'Twitter (alt) simgesi','Twitch Icon'=>'Twitch simgesi','Tide Icon'=>'Tide simgesi','Tickets (alt) Icon'=>'Biletler (alt) simgesi','Text Page Icon'=>'Metin sayfası simgesi','Table Row Delete Icon'=>'Tablo satırı silme simgesi','Table Row Before Icon'=>'Tablo satırı önceki simgesi','Table Row After Icon'=>'Tablo satırı sonraki simgesi','Table Col Delete Icon'=>'Tablo sütunu silme simgesi','Table Col Before Icon'=>'Tablo sütunu önceki simgesi','Table Col After Icon'=>'Tablo sütunu sonraki simgesi','Superhero (alt) Icon'=>'Süper kahraman (alt) simgesi','Superhero Icon'=>'Süper kahraman simgesi','Spotify Icon'=>'Spotify simgesi','Shortcode Icon'=>'Kısa kod simgesi','Shield (alt) Icon'=>'Kalkan (alt) simgesi','Share (alt2) Icon'=>'Paylaş (alt2) simgesi','Share (alt) Icon'=>'Paylaş (alt) simgesi','Saved Icon'=>'Kaydedildi simgesi','RSS Icon'=>'RSS simgesi','REST API Icon'=>'REST API simgesi','Remove Icon'=>'Kaldır simgesi','Reddit Icon'=>'Reddit simgesi','Privacy Icon'=>'Gizlilik simgesi','Printer Icon'=>'Yazıcı simgesi','Podio Icon'=>'Podio simgesi','Plus (alt2) Icon'=>'Artı (alt2) simgesi','Plus (alt) Icon'=>'Artı (alt) simgesi','Plugins Checked Icon'=>'Eklentiler kontrol edildi simgesi','Pinterest Icon'=>'Pinterest simgesi','Pets Icon'=>'Evcil hayvanlar simgesi','PDF Icon'=>'PDF simgesi','Palm Tree Icon'=>'Palmiye ağacı simgesi','Open Folder Icon'=>'Açık klasör simgesi','No (alt) Icon'=>'Hayır (alt) simgesi','Money (alt) Icon'=>'Para (alt) simgesi','Menu (alt3) Icon'=>'Menü (alt3) simgesi','Menu (alt2) Icon'=>'Menü (alt2) simgesi','Menu (alt) Icon'=>'Menü (alt) simgesi','Spreadsheet Icon'=>'Elektronik tablo simgesi','Interactive Icon'=>'İnteraktif simgesi','Document Icon'=>'Belge simgesi','Default Icon'=>'Varsayılan simgesi','Location (alt) Icon'=>'Konum (alt) simgesi','LinkedIn Icon'=>'LinkedIn simgesi','Instagram Icon'=>'Instagram simgesi','Insert Before Icon'=>'Öncesine ekle simgesi','Insert After Icon'=>'Sonrasına ekle simgesi','Insert Icon'=>'Ekle simgesi','Info Outline Icon'=>'Bilgi anahat simgesi','Images (alt2) Icon'=>'Görseller (alt2) simgesi','Images (alt) Icon'=>'Görseller (alt) simgesi','Rotate Right Icon'=>'Sağa döndür simgesi','Rotate Left Icon'=>'Sola döndür simgesi','Rotate Icon'=>'Döndürme simgesi','Flip Vertical Icon'=>'Dikey çevirme simgesi','Flip Horizontal Icon'=>'Yatay çevirme simgesi','Crop Icon'=>'Kırpma simgesi','HTML Icon'=>'HTML simgesi','Hourglass Icon'=>'Kum saati simgesi','Heading Icon'=>'Başlık simgesi','Google Icon'=>'Google simgesi','Games Icon'=>'Oyunlar simgesi','Fullscreen Exit (alt) Icon'=>'Tam ekran çıkış (alt) simgesi','Fullscreen (alt) Icon'=>'Tam ekran (alt) simgesi','Status Icon'=>'Durum simgesi','Image Icon'=>'Görsel simgesi','Gallery Icon'=>'Galeri simgesi','Chat Icon'=>'Sohbet simgesi','Audio Icon'=>'Ses simgesi','Aside Icon'=>'Kenar simgesi','Food Icon'=>'Yemek simgesi','Exit Icon'=>'Çıkış simgesi','Excerpt View Icon'=>'Özet görünümü simgesi','Embed Video Icon'=>'Video gömme simgesi','Embed Post Icon'=>'Yazı gömme simgesi','Embed Photo Icon'=>'Fotoğraf gömme simgesi','Embed Generic Icon'=>'Jenerik gömme simgesi','Embed Audio Icon'=>'Ses gömme simgesi','Email (alt2) Icon'=>'E-posta (alt2) simgesi','Ellipsis Icon'=>'Elips simgesi','Unordered List Icon'=>'Sırasız liste simgesi','RTL Icon'=>'RTL simgesi','Ordered List RTL Icon'=>'Sıralı liste RTL simgesi','Ordered List Icon'=>'Sıralı liste simgesi','LTR Icon'=>'LTR simgesi','Custom Character Icon'=>'Özel karakter simgesi','Edit Page Icon'=>'Sayfayı düzenle simgesi','Edit Large Icon'=>'Büyük düzenle simgesi','Drumstick Icon'=>'Baget simgesi','Database View Icon'=>'Veritabanı görünümü simgesi','Database Remove Icon'=>'Veritabanı kaldırma simgesi','Database Import Icon'=>'Veritabanı içe aktarma simgesi','Database Export Icon'=>'Veritabanı dışa aktarma simgesi','Database Add Icon'=>'Veritabanı ekleme simgesi','Database Icon'=>'Veritabanı simgesi','Cover Image Icon'=>'Kapak görseli simgesi','Volume On Icon'=>'Ses açık simgesi','Volume Off Icon'=>'Ses kapalı simgesi','Skip Forward Icon'=>'İleri atla simgesi','Skip Back Icon'=>'Geri atla simgesi','Repeat Icon'=>'Tekrarla simgesi','Play Icon'=>'Oynat simgesi','Pause Icon'=>'Duraklat simgesi','Forward Icon'=>'İleri simgesi','Back Icon'=>'Geri simgesi','Columns Icon'=>'Sütunlar simgesi','Color Picker Icon'=>'Renk seçici simgesi','Coffee Icon'=>'Kahve simgesi','Code Standards Icon'=>'Kod standartları simgesi','Cloud Upload Icon'=>'Bulut yükleme simgesi','Cloud Saved Icon'=>'Bulut kaydedildi simgesi','Car Icon'=>'Araba simgesi','Camera (alt) Icon'=>'Kamera (alt) simgesi','Calculator Icon'=>'Hesap makinesi simgesi','Button Icon'=>'Düğme simgesi','Businessperson Icon'=>'İş i̇nsanı i̇konu','Tracking Icon'=>'İzleme simgesi','Topics Icon'=>'Konular simge','Replies Icon'=>'Yanıtlar simgesi','Friends Icon'=>'Arkadaşlar simgesi','Community Icon'=>'Topluluk simgesi','BuddyPress Icon'=>'BuddyPress simgesi','Activity Icon'=>'Etkinlik simgesi','Book (alt) Icon'=>'Kitap (alt) simgesi','Block Default Icon'=>'Blok varsayılan simgesi','Bell Icon'=>'Çan simgesi','Beer Icon'=>'Bira simgesi','Bank Icon'=>'Banka simgesi','Arrow Up (alt2) Icon'=>'Yukarı ok (alt2) simgesi','Arrow Up (alt) Icon'=>'Yukarı ok (alt) simgesi','Arrow Right (alt2) Icon'=>'Sağ ok (alt2) simgesi','Arrow Right (alt) Icon'=>'Sağ ok (alt) simgesi','Arrow Left (alt2) Icon'=>'Sol ok (alt2) simgesi','Arrow Left (alt) Icon'=>'Sol ok (alt) simgesi','Arrow Down (alt2) Icon'=>'Aşağı ok (alt2) simgesi','Arrow Down (alt) Icon'=>'Aşağı ok (alt) simgesi','Amazon Icon'=>'Amazon simgesi','Align Wide Icon'=>'Geniş hizala simgesi','Align Pull Right Icon'=>'Sağa çek hizala simgesi','Align Pull Left Icon'=>'Sola çek hizala simgesi','Align Full Width Icon'=>'Tam genişlikte hizala simgesi','Airplane Icon'=>'Uçak simgesi','Site (alt3) Icon'=>'Site (alt3) simgesi','Site (alt2) Icon'=>'Site (alt2) simgesi','Site (alt) Icon'=>'Site (alt) simgesi','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Sadece birkaç tıklamayla seçenek sayfaları oluşturmak için ACF PRO\'ya yükseltin','Invalid request args.'=>'Geçersiz istek argümanları.','Sorry, you do not have permission to do that.'=>'Üzgünüm, bunu yapmak için izniniz yok.','Blocks Using Post Meta'=>'Yazı metası kullanan bloklar','ACF PRO logo'=>'ACF PRO logosu','ACF PRO Logo'=>'ACF PRO Logosu','%s requires a valid attachment ID when type is set to media_library.'=>'Tip media_library olarak ayarlandığında %s geçerli bir ek kimliği gerektirir.','%s is a required property of acf.'=>'%s acf\'nin gerekli bir özelliğidir.','The value of icon to save.'=>'Kaydedilecek simgenin değeri.','The type of icon to save.'=>'Kaydedilecek simgenin türü.','Yes Icon'=>'Evet simgesi','WordPress Icon'=>'WordPress simgesi','Warning Icon'=>'Uyarı simgesi','Visibility Icon'=>'Görünürlük simgesi','Vault Icon'=>'Kasa simgesi','Upload Icon'=>'Yükleme simgesi','Update Icon'=>'Güncelleme simgesi','Unlock Icon'=>'Kilit açma simgesi','Universal Access Icon'=>'Evrensel erişim simgesi','Undo Icon'=>'Geri al simgesi','Twitter Icon'=>'Twitter simgesi','Trash Icon'=>'Çöp kutusu simgesi','Translation Icon'=>'Çeviri simgesi','Tickets Icon'=>'Bilet simgesi','Thumbs Up Icon'=>'Başparmak yukarı simgesi','Thumbs Down Icon'=>'Başparmak aşağı simgesi','Text Icon'=>'Metin simgesi','Testimonial Icon'=>'Referans simgesi','Tagcloud Icon'=>'Etiket bulutu simgesi','Tag Icon'=>'Etiket simgesi','Tablet Icon'=>'Tablet simgesi','Store Icon'=>'Mağaza simgesi','Sticky Icon'=>'Yapışkan simge','Star Half Icon'=>'Yıldız-yarım simgesi','Star Filled Icon'=>'Yıldız dolu simge','Star Empty Icon'=>'Yıldız-boş simgesi','Sos Icon'=>'Sos simgesi','Sort Icon'=>'Sıralama simgesi','Smiley Icon'=>'Gülen yüz simgesi','Smartphone Icon'=>'Akıllı telefon simgesi','Slides Icon'=>'Slaytlar simgesi','Shield Icon'=>'Kalkan Simgesi','Share Icon'=>'Paylaş simgesi','Search Icon'=>'Arama simgesi','Screen Options Icon'=>'Ekran ayarları simgesi','Schedule Icon'=>'Zamanlama simgesi','Redo Icon'=>'İleri al simgesi','Randomize Icon'=>'Rastgele simgesi','Products Icon'=>'Ürünler simgesi','Pressthis Icon'=>'Pressthis simgesi','Post Status Icon'=>'Yazı-durumu simgesi','Portfolio Icon'=>'Portföy simgesi','Plus Icon'=>'Artı simgesi','Playlist Video Icon'=>'Oynatma listesi-video simgesi','Playlist Audio Icon'=>'Oynatma listesi-ses simgesi','Phone Icon'=>'Telefon simgesi','Performance Icon'=>'Performans simgesi','Paperclip Icon'=>'Ataç simgesi','No Icon'=>'Hayır simgesi','Networking Icon'=>'Ağ simgesi','Nametag Icon'=>'İsim etiketi simgesi','Move Icon'=>'Taşıma simgesi','Money Icon'=>'Para simgesi','Minus Icon'=>'Eksi simgesi','Migrate Icon'=>'Aktarma simgesi','Microphone Icon'=>'Mikrofon simgesi','Megaphone Icon'=>'Megafon simgesi','Marker Icon'=>'İşaret simgesi','Lock Icon'=>'Kilit simgesi','Location Icon'=>'Konum simgesi','List View Icon'=>'Liste-görünümü simgesi','Lightbulb Icon'=>'Ampul simgesi','Left Right Icon'=>'Sol-sağ simgesi','Layout Icon'=>'Düzen simgesi','Laptop Icon'=>'Dizüstü bilgisayar simgesi','Info Icon'=>'Bilgi simgesi','Index Card Icon'=>'Dizin-kartı simgesi','Hidden Icon'=>'Gizli simgesi','Heart Icon'=>'Kalp Simgesi','Hammer Icon'=>'Çekiç simgesi','Groups Icon'=>'Gruplar simgesi','Grid View Icon'=>'Izgara-görünümü simgesi','Forms Icon'=>'Formlar simgesi','Flag Icon'=>'Bayrak simgesi','Filter Icon'=>'Filtre simgesi','Feedback Icon'=>'Geri bildirim simgesi','Facebook (alt) Icon'=>'Facebook alt simgesi','Facebook Icon'=>'Facebook simgesi','External Icon'=>'Harici simgesi','Email (alt) Icon'=>'E-posta alt simgesi','Email Icon'=>'E-posta simgesi','Video Icon'=>'Video simgesi','Unlink Icon'=>'Bağlantıyı kaldır simgesi','Underline Icon'=>'Altı çizili simgesi','Text Color Icon'=>'Metin rengi simgesi','Table Icon'=>'Tablo simgesi','Strikethrough Icon'=>'Üstü çizili simgesi','Spellcheck Icon'=>'Yazım denetimi simgesi','Remove Formatting Icon'=>'Biçimlendirme kaldır simgesi','Quote Icon'=>'Alıntı simgesi','Paste Word Icon'=>'Kelime yapıştır simgesi','Paste Text Icon'=>'Metin yapıştır simgesi','Paragraph Icon'=>'Paragraf simgesi','Outdent Icon'=>'Dışarı it simgesi','Kitchen Sink Icon'=>'Mutfak lavabosu simgesi','Justify Icon'=>'İki yana yasla simgesi','Italic Icon'=>'Eğik simgesi','Insert More Icon'=>'Daha fazla ekle simgesi','Indent Icon'=>'Girinti simgesi','Help Icon'=>'Yardım simgesi','Expand Icon'=>'Genişletme simgesi','Contract Icon'=>'Sözleşme simgesi','Code Icon'=>'Kod simgesi','Break Icon'=>'Mola simgesi','Bold Icon'=>'Kalın simgesi','Edit Icon'=>'Düzenle simgesi','Download Icon'=>'İndirme simgesi','Dismiss Icon'=>'Kapat simgesi','Desktop Icon'=>'Masaüstü simgesi','Dashboard Icon'=>'Pano simgesi','Cloud Icon'=>'Bulut simgesi','Clock Icon'=>'Saat simgesi','Clipboard Icon'=>'Pano simgesi','Chart Pie Icon'=>'Pasta grafiği simgesi','Chart Line Icon'=>'Grafik çizgisi simgesi','Chart Bar Icon'=>'Grafik çubuğu simgesi','Chart Area Icon'=>'Grafik alanı simgesi','Category Icon'=>'Kategori simgesi','Cart Icon'=>'Sepet simgesi','Carrot Icon'=>'Havuç simgesi','Camera Icon'=>'Kamera simgesi','Calendar (alt) Icon'=>'Takvim alt simgesi','Calendar Icon'=>'Takvim simgesi','Businesswoman Icon'=>'İş adamı simgesi','Building Icon'=>'Bina simgesi','Book Icon'=>'Kitap simgesi','Backup Icon'=>'Yedekleme simgesi','Awards Icon'=>'Ödül simgesi','Art Icon'=>'Sanat simgesi','Arrow Up Icon'=>'Yukarı ok simgesi','Arrow Right Icon'=>'Sağ ok simgesi','Arrow Left Icon'=>'Sol ok simgesi','Arrow Down Icon'=>'Aşağı ok simgesi','Archive Icon'=>'Arşiv simgesi','Analytics Icon'=>'Analitik simgesi','Align Right Icon'=>'Hizalama-sağ simgesi','Align None Icon'=>'Hizalama-yok simgesi','Align Left Icon'=>'Hizalama-sol simgesi','Align Center Icon'=>'Hizalama-ortala simgesi','Album Icon'=>'Albüm simgesi','Users Icon'=>'Kullanıcı simgesi','Tools Icon'=>'Araçlar simgesi','Site Icon'=>'Site simgesi','Settings Icon'=>'Ayarlar simgesi','Post Icon'=>'Yazı simgesi','Plugins Icon'=>'Eklentiler simgesi','Page Icon'=>'Sayfa simgesi','Network Icon'=>'Ağ simgesi','Multisite Icon'=>'Çoklu site simgesi','Media Icon'=>'Ortam simgesi','Links Icon'=>'Bağlantılar simgesi','Home Icon'=>'Ana sayfa simgesi','Customizer Icon'=>'Özelleştirici simgesi','Comments Icon'=>'Yorumlar simgesi','Collapse Icon'=>'Daraltma simgesi','Appearance Icon'=>'Görünüm simgesi','Generic Icon'=>'Jenerik simgesi','Icon picker requires a value.'=>'Simge seçici bir değer gerektirir.','Icon picker requires an icon type.'=>'Simge seçici bir simge türü gerektirir.','The available icons matching your search query have been updated in the icon picker below.'=>'Arama sorgunuzla eşleşen mevcut simgeler aşağıdaki simge seçicide güncellenmiştir.','No results found for that search term'=>'Bu arama terimi için sonuç bulunamadı','Array'=>'Dizi','String'=>'Dize','Specify the return format for the icon. %s'=>'Simge için dönüş biçimini belirtin. %s','Select where content editors can choose the icon from.'=>'İçerik editörlerinin simgeyi nereden seçebileceğini seçin.','The URL to the icon you\'d like to use, or svg as Data URI'=>'Kullanmak istediğiniz simgenin web adresi veya Veri adresi olarak svg','Browse Media Library'=>'Ortam kütüphanesine göz at','The currently selected image preview'=>'Seçili görselin önizlemesi','Click to change the icon in the Media Library'=>'Ortam kütüphanesinnde simgeyi değiştirmek için tıklayın','Search icons...'=>'Arama simgeleri...','Media Library'=>'Ortam kütüphanesi','Dashicons'=>'Panel simgeleri','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Bir simge seçmek için etkileşimli bir kullanıcı arayüzü. Dashicons, ortam kütüphanesi veya bağımsız bir adres girişi arasından seçim yapın.','Icon Picker'=>'Simge seçici','JSON Load Paths'=>'JSON yükleme yolları','JSON Save Paths'=>'JSON kaydetme yolları','Registered ACF Forms'=>'Kayıtlı ACF formları','Shortcode Enabled'=>'Kısa kod etkin','Field Settings Tabs Enabled'=>'Saha ayarları sekmeleri etkin','Field Type Modal Enabled'=>'Alan türü modali etkin','Admin UI Enabled'=>'Yönetici kullanıcı arayüzü etkin','Block Preloading Enabled'=>'Blok ön yükleme etkin','Blocks Per ACF Block Version'=>'Her bir ACF blok sürümü için bloklar','Blocks Per API Version'=>'Her bir API sürümü için bloklar','Registered ACF Blocks'=>'Kayıtlı ACF blokları','Light'=>'Açık','Standard'=>'Standart','REST API Format'=>'REST API biçimi','Registered Options Pages (PHP)'=>'Kayıtlı seçenekler sayfaları (PHP)','Registered Options Pages (JSON)'=>'Kayıtlı seçenekler sayfaları (JSON)','Registered Options Pages (UI)'=>'Kayıtlı seçenekler sayfaları (UI)','Options Pages UI Enabled'=>'Seçenekler sayfaları UI etkin','Registered Taxonomies (JSON)'=>'Kayıtlı taksonomiler (JSON)','Registered Taxonomies (UI)'=>'Kayıtlı taksonomiler (UI)','Registered Post Types (JSON)'=>'Kayıtlı yazı tipleri (JSON)','Registered Post Types (UI)'=>'Kayıtlı yazı tipleri (UI)','Post Types and Taxonomies Enabled'=>'Yazı tipleri ve taksonomiler etkinleştirildi','Number of Third Party Fields by Field Type'=>'Alan türüne göre üçüncü taraf alanlarının sayısı','Number of Fields by Field Type'=>'Alan türüne göre alan sayısı','Field Groups Enabled for GraphQL'=>'GraphQL için alan grupları etkinleştirildi','Field Groups Enabled for REST API'=>'REST API için alan grupları etkinleştirildi','Registered Field Groups (JSON)'=>'Kayıtlı alan grupları (JSON)','Registered Field Groups (PHP)'=>'Kayıtlı alan grupları (PHP)','Registered Field Groups (UI)'=>'Kayıtlı alan grupları (UI)','Active Plugins'=>'Etkin eklentiler','Parent Theme'=>'Ebeveyn tema','Active Theme'=>'Etkin tema','Is Multisite'=>'Çoklu site mi','MySQL Version'=>'MySQL sürümü','WordPress Version'=>'WordPress Sürümü','Subscription Expiry Date'=>'Abonelik sona erme tarihi','License Status'=>'Lisans durumu','License Type'=>'Lisans türü','Licensed URL'=>'Lisanslanan web adresi','License Activated'=>'Lisans etkinleştirildi','Free'=>'Ücretsiz','Plugin Type'=>'Eklenti tipi','Plugin Version'=>'Eklenti sürümü','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Bu bölüm, ACF yapılandırmanız hakkında destek ekibine sağlamak için yararlı olabilecek hata ayıklama bilgilerini içerir.','An ACF Block on this page requires attention before you can save.'=>'Kaydetmeden önce bu sayfadaki bir ACF Bloğuna dikkat edilmesi gerekiyor.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Bu veriler, çıktı sırasında değiştirilen değerleri tespit ettiğimizde günlüğe kaydedilir. Kodunuzdaki değerleri temizledikten sonra %1$sgünlüğü temizleyin ve kapatın%2$s. Değişen değerleri tekrar tespit edersek bildirim yeniden görünecektir.','Dismiss permanently'=>'Kalıcı olarak kapat','Instructions for content editors. Shown when submitting data.'=>'İçerik düzenleyicileri için talimatlar. Veri gönderirken gösterilir.','Has no term selected'=>'Seçilmiş bir terim yok','Has any term selected'=>'Seçilmiş herhangi bir terim','Terms do not contain'=>'Terimler şunları içermez','Terms contain'=>'Terimler şunları içerir','Term is not equal to'=>'Terim şuna eşit değildir','Term is equal to'=>'Terim şuna eşittir','Has no user selected'=>'Seçili kullanıcı yok','Has any user selected'=>'Herhangi bir kullanıcı','Users do not contain'=>'Şunları içermeyen kullanıcılar','Users contain'=>'Şunları içeren kullanıcılar','User is not equal to'=>'Şuna eşit olmayan kullanıcı','User is equal to'=>'Şuna eşit olan kullanıcı','Has no page selected'=>'Seçili sayfa yok','Has any page selected'=>'Seçili herhangi bir sayfa','Pages do not contain'=>'Şunu içermeyen sayfalar','Pages contain'=>'Şunu içeren sayfalar','Page is not equal to'=>'Şuna eşit olmayan sayfa','Page is equal to'=>'Şuna eşit olan sayfa','Has no relationship selected'=>'Seçili llişkisi olmayan','Has any relationship selected'=>'Herhangi bir ilişki seçilmiş olan','Has no post selected'=>'Seçili hiç bir yazısı olmayan','Has any post selected'=>'Seçili herhangi bir yazısı olan','Posts do not contain'=>'Şunu içermeyen yazı','Posts contain'=>'Şunu içeren yazı','Post is not equal to'=>'Şuna eşit olmayan yazı','Post is equal to'=>'Şuna eşit olan yazı','Relationships do not contain'=>'Şunu içermeyen ilişliler','Relationships contain'=>'Şunu içeren ilişliler','Relationship is not equal to'=>'Şuna eşit olmayan ilişkiler','Relationship is equal to'=>'Şuna eşit olan ilişkiler','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF alanları','ACF PRO Feature'=>'ACF PRO Özelliği','Renew PRO to Unlock'=>'Kilidi açmak için PRO\'yu yenileyin','Renew PRO License'=>'PRO lisansını yenile','PRO fields cannot be edited without an active license.'=>'PRO alanları etkin bir lisans olmadan düzenlenemez.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bir ACF bloğuna atanan alan gruplarını düzenlemek için lütfen ACF PRO lisansınızı etkinleştirin.','Please activate your ACF PRO license to edit this options page.'=>'Bu seçenekler sayfasını düzenlemek için lütfen ACF PRO lisansınızı etkinleştirin.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Temizlenmiş HTML değerlerinin döndürülmesi yalnızca format_value da true olduğunda mümkündür. Alan değerleri güvenlik için döndürülmemiştir.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Temizlenmiş bir HTML değerinin döndürülmesi yalnızca format_value da true olduğunda mümkündür. Alan değeri güvenlik için döndürülmemiştir.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF artık the_field veya ACF kısa kodu tarafından işlendiğinde güvenli olmayan HTML’i otomatik olarak temizliyor. Bazı alanlarınızın çıktısının bu değişiklikle değiştirildiğini tespit ettik, ancak bu kritik bir değişiklik olmayabilir. %2$s.','Please contact your site administrator or developer for more details.'=>'Daha fazla ayrıntı için lütfen site yöneticinize veya geliştiricinize başvurun.','Learn more'=>'Daha fazlasını öğren','Hide details'=>'Ayrıntıları gizle','Show details'=>'Detayları göster','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s aracılığıyla işlenir','Renew ACF PRO License'=>'ACF PRO lisansını yenile','Renew License'=>'Lisansı yenile','Manage License'=>'Lisansı yönet','\'High\' position not supported in the Block Editor'=>'\'Yüksek\' konum blok düzenleyicide desteklenmiyor','Upgrade to ACF PRO'=>'ACF PRO\'ya yükseltin','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF seçenek sayfaları, alanlar aracılığıyla genel ayarları yönetmeye yönelik özel yönetici sayfalarıdır. Birden fazla sayfa ve alt sayfa oluşturabilirsiniz.','Add Options Page'=>'Seçenekler sayfası ekle','In the editor used as the placeholder of the title.'=>'Editörde başlığın yer tutucusu olarak kullanılır.','Title Placeholder'=>'Başlık yer tutucusu','4 Months Free'=>'4 Ay ücretsiz','(Duplicated from %s)'=>'(%s öğesinden çoğaltıldı)','Select Options Pages'=>'Seçenekler sayfalarını seçin','Duplicate taxonomy'=>'Taksonomiyi çoğalt','Create taxonomy'=>'Taksonomi oluştur','Duplicate post type'=>'Yazı tipini çoğalt','Create post type'=>'Yazı tipi oluştur','Link field groups'=>'Alan gruplarını bağla','Add fields'=>'Alan ekle','This Field'=>'Bu alan','ACF PRO'=>'ACF PRO','Feedback'=>'Geri bildirim','Support'=>'Destek','is developed and maintained by'=>'geliştiren ve devam ettiren','Add this %s to the location rules of the selected field groups.'=>'Bu %s öğesini seçilen alan gruplarının konum kurallarına ekleyin.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Çift yönlü ayarın etkinleştirilmesi, güncellenen öğenin Posta Kimliğini, Sınıflandırma Kimliğini veya Kullanıcı Kimliğini ekleyerek veya kaldırarak, bu alan için seçilen her değer için hedef alanlardaki bir değeri güncellemenize olanak tanır. Daha fazla bilgi için lütfen belgeleri okuyun.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Referansı güncellenmekte olan öğeye geri depolamak için alanları seçin. Bu alanı seçebilirsiniz. Hedef alanlar bu alanın görüntülendiği yerle uyumlu olmalıdır. Örneğin, bu alan bir Taksonomide görüntüleniyorsa, hedef alanınız Taksonomi türünde olmalıdır','Target Field'=>'Hedef alan','Update a field on the selected values, referencing back to this ID'=>'Seçilen değerlerdeki bir alanı bu kimliğe referans vererek güncelleyin','Bidirectional'=>'Çift yönlü','%s Field'=>'%s alanı','Select Multiple'=>'Birden çok seçin','WP Engine logo'=>'WP Engine logosu','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Yalnızca küçük harfler, alt çizgiler ve kısa çizgiler, en fazla 32 karakter.','The capability name for assigning terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini atamak için kullanılan yetenek adı.','Assign Terms Capability'=>'Terim yeteneği ata','The capability name for deleting terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini silmeye yönelik yetenek adı.','Delete Terms Capability'=>'Terim yeteneği sil','The capability name for editing terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini düzenlemeye yönelik yetenek adı.','Edit Terms Capability'=>'Terim yeteneği düzenle','The capability name for managing terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini yönetmeye yönelik yetenek adı.','Manage Terms Capability'=>'Terim yeteneği yönet','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Yazıların arama sonuçlarından ve sınıflandırma arşivi sayfalarından hariç tutulup tutulmayacağını ayarlar.','More Tools from WP Engine'=>'WP Engine\'den daha fazla araç','Built for those that build with WordPress, by the team at %s'=>'WordPress ile geliştirenler için, %s ekibi tarafından oluşturuldu','View Pricing & Upgrade'=>'Fiyatlandırmayı görüntüle ve yükselt','Learn More'=>'Daha fazla bilgi','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'ACF blokları ve seçenek sayfaları gibi özelliklerin yanı sıra tekrarlayıcı, esnek içerik, klonlama ve galeri gibi gelişmiş alan türleriyle iş akışınızı hızlandırın ve daha iyi web siteleri geliştirin.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF PRO ile gelişmiş özelliklerin kilidini açın ve daha fazlasını oluşturun','%s fields'=>'%s alanları','No terms'=>'Terim yok','No post types'=>'Yazı tipi yok','No posts'=>'Yazı yok','No taxonomies'=>'Taksonomi yok','No field groups'=>'Alan grubu yok','No fields'=>'Alan yok','No description'=>'Açıklama yok','Any post status'=>'Herhangi bir yazı durumu','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Bu taksonomi anahtarı, ACF dışında kayıtlı başka bir taksonomi tarafından zaten kullanılıyor ve kullanılamaz.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Bu taksonomi anahtarı ACF\'deki başka bir taksonomi tarafından zaten kullanılıyor ve kullanılamaz.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Taksonomi anahtarı yalnızca küçük harf alfasayısal karakterler, alt çizgiler veya kısa çizgiler içermelidir.','The taxonomy key must be under 32 characters.'=>'Taksonomi anahtarı 32 karakterden kısa olmalıdır.','No Taxonomies found in Trash'=>'Çöp kutusunda taksonomi bulunamadı','No Taxonomies found'=>'Taksonomi bulunamadı','Search Taxonomies'=>'Taksonomilerde ara','View Taxonomy'=>'Taksonomi görüntüle','New Taxonomy'=>'Yeni taksonomi','Edit Taxonomy'=>'Taksonomi düzenle','Add New Taxonomy'=>'Yeni taksonomi ekle','No Post Types found in Trash'=>'Çöp kutusunda yazı tipi bulunamadı','No Post Types found'=>'Yazı tipi bulunamadı','Search Post Types'=>'Yazı tiplerinde ara','View Post Type'=>'Yazı tipini görüntüle','New Post Type'=>'Yeni yazı tipi','Edit Post Type'=>'Yazı tipini düzenle','Add New Post Type'=>'Yeni yazı tipi ekle','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Bu yazı tipi anahtarı, ACF dışında kayıtlı başka bir yazı tipi tarafından zaten kullanılıyor ve kullanılamaz.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Bu yazı tipi anahtarı, ACF\'deki başka bir yazı tipi tarafından zaten kullanılıyor ve kullanılamaz.','This field must not be a WordPress reserved term.'=>'Bu alan, WordPress\'e ayrılmış bir terim olmamalıdır.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Yazı tipi anahtarı yalnızca küçük harf alfasayısal karakterler, alt çizgiler veya kısa çizgiler içermelidir.','The post type key must be under 20 characters.'=>'Yazı tipi anahtarı 20 karakterin altında olmalıdır.','We do not recommend using this field in ACF Blocks.'=>'Bu alanın ACF bloklarında kullanılmasını önermiyoruz.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'WordPress WYSIWYG düzenleyicisini yazılar ve sayfalarda görüldüğü gibi görüntüler ve multimedya içeriğine de olanak tanıyan zengin bir metin düzenleme deneyimi sunar.','WYSIWYG Editor'=>'WYSIWYG düzenleyicisi','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Veri nesneleri arasında ilişkiler oluşturmak için kullanılabilecek bir veya daha fazla kullanıcının seçilmesine olanak tanır.','A text input specifically designed for storing web addresses.'=>'Web adreslerini depolamak için özel olarak tasarlanmış bir metin girişi.','URL'=>'Web adresi','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'1 veya 0 değerini seçmenizi sağlayan bir geçiş (açık veya kapalı, doğru veya yanlış vb.). Stilize edilmiş bir anahtar veya onay kutusu olarak sunulabilir.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Zaman seçmek için etkileşimli bir kullanıcı arayüzü. Saat formatı alan ayarları kullanılarak özelleştirilebilir.','A basic textarea input for storing paragraphs of text.'=>'Metin paragraflarını depolamak için temel bir metin alanı girişi.','A basic text input, useful for storing single string values.'=>'Tek dize değerlerini depolamak için kullanışlı olan temel bir metin girişi.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Alan ayarlarında belirtilen kriterlere ve seçeneklere göre bir veya daha fazla sınıflandırma teriminin seçilmesine olanak tanır.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Düzenleme ekranında alanları sekmeli bölümler halinde gruplandırmanıza olanak tanır. Alanları düzenli ve yapılandırılmış tutmak için kullanışlıdır.','A dropdown list with a selection of choices that you specify.'=>'Belirttiğiniz seçeneklerin yer aldığı açılır liste.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Şu anda düzenlemekte olduğunuz öğeyle bir ilişki oluşturmak amacıyla bir veya daha fazla gönderiyi, sayfayı veya özel gönderi türü öğesini seçmek için çift sütunlu bir arayüz. Arama ve filtreleme seçeneklerini içerir.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Bir aralık kaydırıcı öğesi kullanılarak belirli bir aralıktaki sayısal bir değerin seçilmesine yönelik bir giriş.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Kullanıcının belirttiğiniz değerlerden tek bir seçim yapmasına olanak tanıyan bir grup radyo düğmesi girişi.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Bir veya daha fazla yazıyı, sayfayı veya yazı tipi öğesini arama seçeneğiyle birlikte seçmek için etkileşimli ve özelleştirilebilir bir kullanıcı arayüzü. ','An input for providing a password using a masked field.'=>'Maskelenmiş bir alan kullanarak parola sağlamaya yönelik bir giriş.','Filter by Post Status'=>'Yazı durumuna göre filtrele','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Arama seçeneğiyle birlikte bir veya daha fazla yazıyı, sayfayı, özel yazı tipi ögesini veya arşiv adresini seçmek için etkileşimli bir açılır menü.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Yerel WordPress oEmbed işlevselliğini kullanarak video, resim, tweet, ses ve diğer içerikleri gömmek için etkileşimli bir bileşen.','An input limited to numerical values.'=>'Sayısal değerlerle sınırlı bir giriş.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Diğer alanların yanında editörlere bir mesaj görüntülemek için kullanılır. Alanlarınızla ilgili ek bağlam veya talimatlar sağlamak için kullanışlıdır.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'WordPress yerel bağlantı seçiciyi kullanarak bir bağlantıyı ve onun başlık ve hedef gibi özelliklerini belirtmenize olanak tanır.','Uses the native WordPress media picker to upload, or choose images.'=>'Görselleri yüklemek veya seçmek için yerel WordPress ortam seçicisini kullanır.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Verileri ve düzenleme ekranını daha iyi organize etmek için alanları gruplar halinde yapılandırmanın bir yolunu sağlar.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google Haritalar\'ı kullanarak konum seçmek için etkileşimli bir kullanıcı arayüzü. Doğru şekilde görüntülenmesi için bir Google Haritalar API anahtarı ve ek yapılandırma gerekir.','Uses the native WordPress media picker to upload, or choose files.'=>'Dosyaları yüklemek veya seçmek için yerel WordPress ortam seçicisini kullanır.','A text input specifically designed for storing email addresses.'=>'E-posta adreslerini saklamak için özel olarak tasarlanmış bir metin girişi.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Tarih ve saat seçmek için etkileşimli bir kullanıcı arayüzü. Tarih dönüş biçimi alan ayarları kullanılarak özelleştirilebilir.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Tarih seçmek için etkileşimli bir kullanıcı arayüzü. Tarih dönüş biçimi alan ayarları kullanılarak özelleştirilebilir.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Bir renk seçmek veya Hex değerini belirtmek için etkileşimli bir kullanıcı arayüzü.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Kullanıcının belirttiğiniz bir veya daha fazla değeri seçmesine olanak tanıyan bir grup onay kutusu girişi.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Belirlediğiniz değerlere sahip bir grup düğme, kullanıcılar sağlanan değerlerden bir seçeneği seçebilir.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Özel alanları, içeriği düzenlerken gösterilen daraltılabilir paneller halinde gruplandırmanıza ve düzenlemenize olanak tanır. Büyük veri kümelerini düzenli tutmak için kullanışlıdır.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Bu, tekrar tekrar tekrarlanabilecek bir dizi alt alanın üst öğesi olarak hareket ederek slaytlar, ekip üyeleri ve harekete geçirici mesaj parçaları gibi yinelenen içeriklere yönelik bir çözüm sağlar.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Bu, bir ek koleksiyonunu yönetmek için etkileşimli bir arayüz sağlar. Çoğu ayar görsel alanı türüne benzer. Ek ayarlar, galeride yeni eklerin nereye ekleneceğini ve izin verilen minimum/maksimum ek sayısını belirtmenize olanak tanır.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Bu, basit, yapılandırılmış, yerleşim tabanlı bir düzenleyici sağlar. Esnek içerik alanı, mevcut blokları tasarlamak için yerleşimleri ve alt alanları kullanarak içeriği tam kontrolle tanımlamanıza, oluşturmanıza ve yönetmenize olanak tanır.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Bu, mevcut alanları seçmenize ve görüntülemenize olanak tanır. Veritabanındaki hiçbir alanı çoğaltmaz, ancak seçilen alanları çalışma zamanında yükler ve görüntüler. Klon alanı kendisini seçilen alanlarla değiştirebilir veya seçilen alanları bir alt alan grubu olarak görüntüleyebilir.','nounClone'=>'Çoğalt','PRO'=>'PRO','Advanced'=>'Gelişmiş','JSON (newer)'=>'JSON (daha yeni)','Original'=>'Orijinal','Invalid post ID.'=>'Geçersiz yazı kimliği.','Invalid post type selected for review.'=>'İnceleme için geçersiz yazı tipi seçildi.','More'=>'Daha fazlası','Tutorial'=>'Başlangıç Kılavuzu','Select Field'=>'Alan seç','Try a different search term or browse %s'=>'Farklı bir arama terimi deneyin veya %s göz atın','Popular fields'=>'Popüler alanlar','No search results for \'%s\''=>'\'%s\' sorgusu için arama sonucu yok','Search fields...'=>'Arama alanları...','Select Field Type'=>'Alan tipi seçin','Popular'=>'Popüler','Add Taxonomy'=>'Sınıflandırma ekle','Create custom taxonomies to classify post type content'=>'Yazı tipi içeriğini sınıflandırmak için özel sınıflandırmalar oluşturun','Add Your First Taxonomy'=>'İlk sınıflandırmanızı ekleyin','Hierarchical taxonomies can have descendants (like categories).'=>'Hiyerarşik taksonomilerin alt ögeleri (kategoriler gibi) olabilir.','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Ön uçta ve yönetici kontrol panelinde bir sınıflandırmayı görünür hale getirir.','One or many post types that can be classified with this taxonomy.'=>'Bu sınıflandırmayla sınıflandırılabilecek bir veya daha fazla yazı tipi.','genre'=>'tür','Genre'=>'Tür','Genres'=>'Türler','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'\'WP_REST_Terms_Controller\' yerine kullanılacak isteğe bağlı özel denetleyici.','Expose this post type in the REST API.'=>'Bu yazı tipini REST API\'sinde gösterin.','Customize the query variable name'=>'Sorgu değişkeni adını özelleştirin','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terimlere, güzel olmayan kalıcı bağlantı kullanılarak erişilebilir, örneğin, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hiyerarşik sınıflandırmalar için web adreslerindeki üst-alt terimler.','Customize the slug used in the URL'=>'Adreste kullanılan kısa ismi özelleştir','Permalinks for this taxonomy are disabled.'=>'Bu sınıflandırmaya ilişkin kalıcı bağlantılar devre dışı bırakıldı.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Kısa isim olarak sınıflandırma anahtarını kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şöyle olacak','Taxonomy Key'=>'Sınıflandırma anahtarı','Select the type of permalink to use for this taxonomy.'=>'Bu sınıflandırma için kullanılacak kalıcı bağlantı türünü seçin.','Display a column for the taxonomy on post type listing screens.'=>'Yazı tipi listeleme ekranlarında sınıflandırma için bir sütun görüntüleyin.','Show Admin Column'=>'Yönetici sütununu göster','Show the taxonomy in the quick/bulk edit panel.'=>'Hızlı/toplu düzenleme panelinde sınıflandırmayı göster.','Quick Edit'=>'Hızlı düzenle','List the taxonomy in the Tag Cloud Widget controls.'=>'Etiket bulutu gereç kontrollerindeki sınıflandırmayı listele.','Tag Cloud'=>'Etiket bulutu','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Bir meta kutusundan kaydedilen sınıflandırma verilerinin temizlenmesi için çağrılacak bir PHP işlev adı.','Meta Box Sanitization Callback'=>'Meta kutusu temizleme geri çağrısı','Register Meta Box Callback'=>'Meta kutusu geri çağrısını kaydet','No Meta Box'=>'Meta mutusu yok','Custom Meta Box'=>'Özel meta kutusu','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'İçerik düzenleyici ekranındaki meta kutusunu kontrol eder. Varsayılan olarak, hiyerarşik sınıflandırmalar için Kategoriler meta kutusu gösterilir ve hiyerarşik olmayan sınıflandırmalar için Etiketler meta kutusu gösterilir.','Meta Box'=>'Meta kutusu','Categories Meta Box'=>'Kategoriler meta kutusu','Tags Meta Box'=>'Etiketler meta kutusu','A link to a tag'=>'Bir etikete bağlantı','Describes a navigation link block variation used in the block editor.'=>'Blok düzenleyicide kullanılan bir gezinme bağlantısı bloğu varyasyonunu açıklar.','A link to a %s'=>'Bir %s bağlantısı','Tag Link'=>'Etiket bağlantısı','Assigns a title for navigation link block variation used in the block editor.'=>'Blok düzenleyicide kullanılan gezinme bağlantısı blok varyasyonu için bir başlık atar.','← Go to tags'=>'← Etiketlere git','Assigns the text used to link back to the main index after updating a term.'=>'Bir terimi güncelleştirdikten sonra ana dizine geri bağlanmak için kullanılan metni atar.','Back To Items'=>'Öğelere geri dön','← Go to %s'=>'← %s git','Tags list'=>'Etiket listesi','Assigns text to the table hidden heading.'=>'Tablonun gizli başlığına metin atası yapar.','Tags list navigation'=>'Etiket listesi dolaşımı','Assigns text to the table pagination hidden heading.'=>'Tablo sayfalandırma gizli başlığına metin ataması yapar.','Filter by category'=>'Kategoriye göre filtrele','Assigns text to the filter button in the posts lists table.'=>'Yazı listeleri tablosundaki filtre düğmesine metin ataması yapar.','Filter By Item'=>'Ögeye göre filtrele','Filter by %s'=>'%s ile filtrele','The description is not prominent by default; however, some themes may show it.'=>'Tanım bölümü varsayılan olarak ön planda değildir, yine de bazı temalar bu bölümü gösterebilir.','Describes the Description field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki açıklama alanını tanımlar.','Description Field Description'=>'Açıklama alanı tanımı','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Hiyerarşi oluşturmak için bir üst terim atayın. Örneğin Jazz terimi Bebop ve Big Band\'in üst öğesi olacaktır','Describes the Parent field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki ana alanı açıklar.','Parent Field Description'=>'Ana alan açıklaması','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"Kısa isim", adın web adresi dostu sürümüdür. Genellikle tamamı küçük harftir ve yalnızca harf, sayı ve kısa çizgi içerir.','Describes the Slug field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki kısa isim alanını tanımlar.','Slug Field Description'=>'Kısa isim alanı açıklaması','The name is how it appears on your site'=>'Ad, sitenizde nasıl göründüğüdür','Describes the Name field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki ad alanını açıklar.','Name Field Description'=>'Ad alan açıklaması','No tags'=>'Etiket yok','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Hiçbir etiket veya kategori bulunmadığında gönderilerde ve ortam listesi tablolarında görüntülenen metni atar.','No Terms'=>'Terim yok','No %s'=>'%s yok','No tags found'=>'Etiket bulunamadı','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Hiçbir etiket mevcut olmadığında sınıflandırma meta kutusundaki \'en çok kullanılanlardan seç\' metnine tıklandığında görüntülenen metnin atamasını yapar ve bir sınıflandırma için hiçbir öge olmadığında terimler listesi tablosunda kullanılan metnin atamasını yapar.','Not Found'=>'Bulunamadı','Assigns text to the Title field of the Most Used tab.'=>'En Çok Kullanılan sekmesinin başlık alanına metin atar.','Most Used'=>'En çok kullanılan','Choose from the most used tags'=>'En çok kullanılan etiketler arasından seç','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'JavaScript devre dışı bırakıldığında meta kutusunda kullanılan \'en çok kullanılandan seç\' metninin atamasını yapar. Yalnızca hiyerarşik olmayan sınıflandırmalarda kullanılır.','Choose From Most Used'=>'En çok kullanılanlardan seç','Choose from the most used %s'=>'En çok kullanılan %s arasından seçim yapın','Add or remove tags'=>'Etiket ekle ya da kaldır','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'JavaScript devre dışı olduğunda meta kutusunda kullanılan öğe ekleme veya kaldırma metninin atamasını yapar. Sadece hiyerarşik olmayan sınıflandırmalarda kullanılır.','Add Or Remove Items'=>'Öğeleri ekle veya kaldır','Add or remove %s'=>'%s ekle veya kaldır','Separate tags with commas'=>'Etiketleri virgül ile ayırın','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Ayrı öğeyi sınıflandırma meta kutusunda kullanılan virgül metniyle atar. Yalnızca hiyerarşik olmayan sınıflandırmalarda kullanılır.','Separate Items With Commas'=>'Ögeleri virgülle ayırın','Separate %s with commas'=>'%s içeriklerini virgülle ayırın','Popular Tags'=>'Popüler etiketler','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Popüler ögeler metninin atamasını yapar. Yalnızca hiyerarşik olmayan sınıflandırmalar için kullanılır.','Popular Items'=>'Popüler ögeler','Popular %s'=>'Popüler %s','Search Tags'=>'Etiketlerde ara','Assigns search items text.'=>'Arama öğeleri metninin atamasını yapar.','Parent Category:'=>'Üst kategori:','Assigns parent item text, but with a colon (:) added to the end.'=>'Üst öğe metninin atamasını yapar ancak sonuna iki nokta üst üste (:) eklenir.','Parent Item With Colon'=>'İki nokta üst üste ile ana öğe','Parent Category'=>'Üst kategori','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Üst öğe metnini belirler. Sadece hiyerarşik sınıflandırmalarda kullanılır.','Parent Item'=>'Ana öge','Parent %s'=>'Ebeveyn %s','New Tag Name'=>'Yeni etiket ismi','Assigns the new item name text.'=>'Yeni öğe adı metninin atamasını yapar.','New Item Name'=>'Yeni öge adı','New %s Name'=>'Yeni %s adı','Add New Tag'=>'Yeni etiket ekle','Assigns the add new item text.'=>'Yeni öğe ekleme metninin atamasını yapar.','Update Tag'=>'Etiketi güncelle','Assigns the update item text.'=>'Güncelleme öğesi metninin atamasını yapar.','Update Item'=>'Öğeyi güncelle','Update %s'=>'%s güncelle','View Tag'=>'Etiketi görüntüle','In the admin bar to view term during editing.'=>'Düzenleme sırasında terimi görüntülemek için yönetici çubuğunda.','Edit Tag'=>'Etiketi düzenle','At the top of the editor screen when editing a term.'=>'Bir terimi düzenlerken editör ekranının üst kısmında.','All Tags'=>'Tüm etiketler','Assigns the all items text.'=>'Tüm öğelerin metninin atamasını yapar.','Assigns the menu name text.'=>'Menü adı metninin atamasını yapar.','Menu Label'=>'Menü etiketi','Active taxonomies are enabled and registered with WordPress.'=>'Aktif sınıflandırmalar WordPress\'te etkinleştirilir ve kaydedilir.','A descriptive summary of the taxonomy.'=>'Sınıflandırmanın açıklayıcı bir özeti.','A descriptive summary of the term.'=>'Terimin açıklayıcı bir özeti.','Term Description'=>'Terim açıklaması','Single word, no spaces. Underscores and dashes allowed.'=>'Tek kelime, boşluksuz. Alt çizgi ve tireye izin var','Term Slug'=>'Terim kısa adı','The name of the default term.'=>'Varsayılan terimin adı.','Term Name'=>'Terim adı','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Sınıflandırma için silinemeyecek bir terim oluşturun. Varsayılan olarak yazılar için seçilmeyecektir.','Default Term'=>'Varsayılan terim','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Bu sınıflandırmadaki terimlerin `wp_set_object_terms()` işlevine sağlandıkları sıraya göre sıralanıp sıralanmayacağı.','Sort Terms'=>'Terimleri sırala','Add Post Type'=>'Yazı tipi ekle','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Özel yazı türleri ile WordPress\'in işlevselliğini standart yazılar ve sayfaların ötesine genişletin.','Add Your First Post Type'=>'İlk yazı türünüzü ekleyin','I know what I\'m doing, show me all the options.'=>'Ne yaptığımı biliyorum, baba tüm seçenekleri göster.','Advanced Configuration'=>'Gelişmiş yapılandırma','Hierarchical post types can have descendants (like pages).'=>'Hiyerarşik yazı türleri, alt öğelere (sayfalar gibi) sahip olabilir.','Hierarchical'=>'Hiyerarşik','Visible on the frontend and in the admin dashboard.'=>'Kulanıcı görünümü ve yönetim panelinde görünür.','Public'=>'Herkese açık','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sadece küçük harfler, alt çizgi ve tireler, En fazla 20 karakter.','Movie'=>'Film','Singular Label'=>'Tekil etiket','Movies'=>'Filmler','Plural Label'=>'Çoğul etiket','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` yerine kullanılacak isteğe bağlı özel denetleyici.','Controller Class'=>'Denetleyici sınıfı','The namespace part of the REST API URL.'=>'REST API adresinin ad alanı bölümü.','Namespace Route'=>'Ad alanı yolu','The base URL for the post type REST API URLs.'=>'Yazı tipi REST API adresleri için temel web adresi.','Base URL'=>'Temel web adresi','Exposes this post type in the REST API. Required to use the block editor.'=>'Bu yazı türünü REST API\'de görünür hale getirir. Blok düzenleyiciyi kullanmak için gereklidir.','Show In REST API'=>'REST API\'de göster','Customize the query variable name.'=>'Sorgu değişken adını özelleştir.','Query Variable'=>'Sorgu değişkeni','No Query Variable Support'=>'Sorgu değişkeni desteği yok','Custom Query Variable'=>'Özel sorgu değişkeni','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Ögelere güzel olmayan kalıcı bağlantı kullanılarak erişilebilir, örn. {post_type}={post_slug}.','Query Variable Support'=>'Sorgu değişken desteği','URLs for an item and items can be accessed with a query string.'=>'Bir öğe ve öğeler için adreslere bir sorgu dizesi ile erişilebilir.','Publicly Queryable'=>'Herkese açık olarak sorgulanabilir','Custom slug for the Archive URL.'=>'Arşiv adresi için özel kısa isim','Archive Slug'=>'Arşiv kısa ismi','Has an item archive that can be customized with an archive template file in your theme.'=>'Temanızdaki bir arşiv şablon dosyası ile özelleştirilebilen bir öğe arşivine sahiptir.','Archive'=>'Arşiv','Pagination support for the items URLs such as the archives.'=>'Arşivler gibi öğe adresleri için sayfalama desteği.','Pagination'=>'Sayfalama','RSS feed URL for the post type items.'=>'Yazı türü öğeleri için RSS akış adresi.','Feed URL'=>'Akış adresi','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Adreslere WP_Rewrite::$front önekini eklemek için kalıcı bağlantı yapısını değiştirir.','Front URL Prefix'=>'Ön adres öneki','Customize the slug used in the URL.'=>'Adreste kullanılan kısa ismi özelleştirin.','URL Slug'=>'Adres kısa adı','Permalinks for this post type are disabled.'=>'Bu yazı türü için kalıcı bağlantılar devre dışı bırakıldı.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Aşağıdaki girişte tanımlanan özel kısa ismi kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şu şekilde olacaktır','No Permalink (prevent URL rewriting)'=>'Kalıcı bağlantı yok (URL biçimlendirmeyi önle)','Custom Permalink'=>'Özel kalıcı bağlantı','Post Type Key'=>'Yazı türü anahtarı','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Yazı türü anahtarını kısa isim olarak kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şu şekilde olacaktır','Permalink Rewrite'=>'Kalıcı bağlantı yeniden yazım','Delete items by a user when that user is deleted.'=>'Bir kullanıcı silindiğinde öğelerini sil.','Delete With User'=>'Kullanıcı ile sil.','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Yazı türünün \'Araçlar\' > \'Dışa Aktar\' kısmından dışa aktarılmasına izin verir.','Can Export'=>'Dışarı aktarılabilir','Optionally provide a plural to be used in capabilities.'=>'Yetkinliklerde kullanılacak bir çoğul ad sağlayın (isteğe bağlı).','Plural Capability Name'=>'Çoğul yetkinlik adı','Choose another post type to base the capabilities for this post type.'=>'Bu yazı türü için yeteneklerin temel alınacağı başka bir yazı türü seçin.','Singular Capability Name'=>'Tekil yetkinlik adı','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Varsayılan olarak, yazı türünün yetenekleri \'Yazı\' yetenek isimlerini devralacaktır, örneğin edit_post, delete_posts. Yazı türüne özgü yetenekleri kullanmak için etkinleştirin, örneğin edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Yetkinlikleri yeniden adlandır','Exclude From Search'=>'Aramadan hariç tut','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Öğelerin \'Görünüm\' > \'Menüler\' ekranında menülere eklenmesine izin verin. \'Ekran seçenekleri\'nde etkinleştirilmesi gerekir.','Appearance Menus Support'=>'Görünüm menüleri desteği','Appears as an item in the \'New\' menu in the admin bar.'=>'Yönetim çubuğundaki \'Yeni\' menüsünde bir öğe olarak görünür.','Show In Admin Bar'=>'Yönetici araç çubuğunda göster','Custom Meta Box Callback'=>'Özel meta kutusu geri çağrısı','Menu Icon'=>'Menü Simgesi','The position in the sidebar menu in the admin dashboard.'=>'Yönetim panosundaki kenar çubuğu menüsündeki konum.','Menu Position'=>'Menü pozisyonu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Varsayılan olarak, yazı türü yönetim menüsünde yeni bir üst düzey öğe olarak görünecektir. Buraya mevcut bir üst düzey öğe sağlanırsa, yazı türü onun alt menü öğesi olarak eklenir.','Admin Menu Parent'=>'Admin menüsü üst ögesi','Admin editor navigation in the sidebar menu.'=>'Kenar çubuğu menüsünde yönetici editörü dolaşımı.','Show In Admin Menu'=>'Admin menüsünde göster','Items can be edited and managed in the admin dashboard.'=>'Öğeler yönetim panelinde düzenlenebilir ve yönetilebilir.','Show In UI'=>'Kullanıcı arayüzünde göster','A link to a post.'=>'Yazıya bir bağlantı.','Description for a navigation link block variation.'=>'Bir gezinme bağlantısı blok varyasyonu için açıklama.','Item Link Description'=>'Öğe listesi açıklaması','A link to a %s.'=>'%s yazı türüne bir bağlantı.','Post Link'=>'Yazı bağlantısı','Title for a navigation link block variation.'=>'Bir gezinme bağlantısı blok varyasyonu için başlık.','Item Link'=>'Öğe bağlantısı','%s Link'=>'%s bağlantısı','Post updated.'=>'Yazı güncellendi.','In the editor notice after an item is updated.'=>'Bir öğe güncellendikten sonra düzenleyici bildiriminde.','Item Updated'=>'Öğe güncellendi','%s updated.'=>'%s güncellendi.','Post scheduled.'=>'Yazı zamanlandı.','In the editor notice after scheduling an item.'=>'Bir öğe zamanlandıktan sonra düzenleyici bildiriminde.','Item Scheduled'=>'Öğe zamanlandı','%s scheduled.'=>'%s zamanlandı.','Post reverted to draft.'=>'Yazı taslağa geri dönüştürüldü.','In the editor notice after reverting an item to draft.'=>'Bir öğe taslağa döndürüldükten sonra düzenleyici bildiriminde.','Item Reverted To Draft'=>'Öğe taslağa döndürüldü.','%s reverted to draft.'=>'%s taslağa çevrildi.','Post published privately.'=>'Yazı özel olarak yayımlandı.','In the editor notice after publishing a private item.'=>'Özel bir öğe yayımlandıktan sonra düzenleyici bildiriminde.','Item Published Privately'=>'Öğe özel olarak yayımlandı.','%s published privately.'=>'%s özel olarak yayımlandı.','Post published.'=>'Yazı yayınlandı.','In the editor notice after publishing an item.'=>'Bir öğe yayımlandıktan sonra düzenleyici bildiriminde.','Item Published'=>'Öğe yayımlandı.','%s published.'=>'%s yayımlandı.','Posts list'=>'Yazı listesi','Used by screen readers for the items list on the post type list screen.'=>'Yazı türü liste ekranındaki öğeler listesi için ekran okuyucular tarafından kullanılır.','Items List'=>'Öğe listesi','%s list'=>'%s listesi','Posts list navigation'=>'Yazı listesi dolaşımı','Used by screen readers for the filter list pagination on the post type list screen.'=>'Yazı türü liste ekranındaki süzme listesi sayfalandırması için ekran okuyucular tarafından kullanılır.','Items List Navigation'=>'Öğe listesi gezinmesi','%s list navigation'=>'%s listesi gezinmesi','Filter posts by date'=>'Yazıları tarihe göre süz','Used by screen readers for the filter by date heading on the post type list screen.'=>'Yazı türü liste ekranındaki tarihe göre süzme başlığı için ekran okuyucular tarafından kullanılır.','Filter Items By Date'=>'Öğeleri tarihe göre süz','Filter %s by date'=>'%s öğelerini tarihe göre süz','Filter posts list'=>'Yazı listesini filtrele','Used by screen readers for the filter links heading on the post type list screen.'=>'Yazı türü liste ekranındaki süzme bağlantıları başlığı için ekran okuyucular tarafından kullanılır.','Filter Items List'=>'Öğe listesini süz','Filter %s list'=>'%s listesini süz','In the media modal showing all media uploaded to this item.'=>'Bu öğeye yüklenen tüm ortam dosyalraını gösteren ortam açılır ekranında.','Uploaded To This Item'=>'Bu öğeye yüklendi','Uploaded to this %s'=>'Bu %s öğesine yüklendi','Insert into post'=>'Yazıya ekle','As the button label when adding media to content.'=>'İçeriğie ortam eklerken düğme etiketi olarak.','Insert Into Media Button'=>'Ortam düğmesine ekle','Insert into %s'=>'%s içine ekle','Use as featured image'=>'Öne çıkan görsel olarak kullan','As the button label for selecting to use an image as the featured image.'=>'Bir görseli öne çıkan görsel olarak seçme düğmesi etiketi olarak.','Use Featured Image'=>'Öne çıkan görseli kullan','Remove featured image'=>'Öne çıkan görseli kaldır','As the button label when removing the featured image.'=>'Öne çıkan görseli kaldırma düğmesi etiketi olarak.','Remove Featured Image'=>'Öne çıkarılan görseli kaldır','Set featured image'=>'Öne çıkan görsel seç','As the button label when setting the featured image.'=>'Öne çıkan görseli ayarlarken düğme etiketi olarak.','Set Featured Image'=>'Öne çıkan görsel belirle','Featured image'=>'Öne çıkan görsel','In the editor used for the title of the featured image meta box.'=>'Öne çıkan görsel meta kutusunun başlığı için düzenleyicide kullanılır.','Featured Image Meta Box'=>'Öne çıkan görsel meta kutusu','Post Attributes'=>'Yazı özellikleri','In the editor used for the title of the post attributes meta box.'=>'Yazı öznitelikleri meta kutusunun başlığı için kullanılan düzenleyicide.','Attributes Meta Box'=>'Öznitelikler meta kutusu','%s Attributes'=>'%s öznitelikleri','Post Archives'=>'Yazı arşivleri','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Arşivlerin etkin olduğu bir ÖYT\'nde mevcut bir menüye öge eklerken gösterilen yazılar listesine bu etikete sahip \'Yazı tipi arşivi\' ögelerini ekler. Yalnızca \'Canlı önizleme\' modunda menüler düzenlenirken ve özel bir arşiv kısa adı sağlandığında görünür.','Archives Nav Menu'=>'Arşivler dolaşım menüsü','%s Archives'=>'%s arşivleri','No posts found in Trash'=>'Çöp kutusunda yazı bulunamadı.','At the top of the post type list screen when there are no posts in the trash.'=>'Çöp kutusunda yazı olmadığında yazı türü liste ekranının üstünde.','No Items Found in Trash'=>'Çöp kutusunda öğe bulunamadı.','No %s found in Trash'=>'Çöpte %s bulunamadı','No posts found'=>'Yazı bulunamadı','At the top of the post type list screen when there are no posts to display.'=>'Gösterilecek yazı olmadığında yazı türü liste ekranının üstünde.','No Items Found'=>'Öğe bulunamadı','No %s found'=>'%s bulunamadı','Search Posts'=>'Yazılarda ara','At the top of the items screen when searching for an item.'=>'Bir öğe ararken öğeler ekranının üstünde.','Search Items'=>'Öğeleri ara','Search %s'=>'Ara %s','Parent Page:'=>'Ebeveyn sayfa:','For hierarchical types in the post type list screen.'=>'Hiyerarşik türler için yazı türü liste ekranında.','Parent Item Prefix'=>'Üst öğe ön eki','Parent %s:'=>'Ebeveyn %s:','New Post'=>'Yeni yazı','New Item'=>'Yeni öğe','New %s'=>'Yeni %s','Add New Post'=>'Yeni yazı ekle','At the top of the editor screen when adding a new item.'=>'Yeni bir öğe eklerken düzenleyici ekranının üstünde.','Add New Item'=>'Yeni öğe ekle','Add New %s'=>'Yeni %s ekle','View Posts'=>'Yazıları görüntüle','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Yazı türü arşivleri destekliyorsa ve ana sayfa o yazı türünün bir arşivi değilse yönetim çubuğunda \'Tüm Yazılar\' görünümünde görünür.','View Items'=>'Öğeleri göster','View Post'=>'Yazıyı görüntüle','In the admin bar to view item when editing it.'=>'Öğeyi düzenlerken görüntülemek için yönetim çubuğunda.','View Item'=>'Öğeyi göster','View %s'=>'%s görüntüle','Edit Post'=>'Yazıyı düzenle','At the top of the editor screen when editing an item.'=>'Bir öğeyi düzenlerken düzenleyici ekranının üstünde.','Edit Item'=>'Öğeyi düzenle','Edit %s'=>'%s düzenle','All Posts'=>'Tüm yazılar','In the post type submenu in the admin dashboard.'=>'Başlangıç ekranında yazı türü alt menüsünde.','All Items'=>'Tüm öğeler','All %s'=>'Tüm %s','Admin menu name for the post type.'=>'Yazı türü için yönetici menüsü adı.','Menu Name'=>'Menü ismi','Regenerate all labels using the Singular and Plural labels'=>'Tekil ve Çoğul etiketleri kullanarak tüm etiketleri yeniden oluşturun.','Regenerate'=>'Yeniden oluştur','Active post types are enabled and registered with WordPress.'=>'Aktif yazı türleri etkinleştirilmiş ve WordPress\'e kaydedilmiştir.','A descriptive summary of the post type.'=>'Yazı türünün açıklayıcı bir özeti.','Add Custom'=>'Özel ekle','Enable various features in the content editor.'=>'İçerik düzenleyicide çeşitli özellikleri etkinleştirin.','Post Formats'=>'Yazı biçimleri','Editor'=>'Editör','Trackbacks'=>'Geri izlemeler','Select existing taxonomies to classify items of the post type.'=>'Yazı türü öğelerini sınıflandırmak için mevcut sınıflandırmalardan seçin.','Browse Fields'=>'Alanlara Göz At','Nothing to import'=>'İçeri aktarılacak bir şey yok','. The Custom Post Type UI plugin can be deactivated.'=>'. Custom Post Type UI eklentisi etkisizleştirilebilir.','Imported %d item from Custom Post Type UI -'=>'Custom Post Type UI\'dan %d öğe içe aktarıldı -' . "\0" . 'Custom Post Type UI\'dan %d öğe içe aktarıldı -','Failed to import taxonomies.'=>'Sınıflandırmalar içeri aktarılamadı.','Failed to import post types.'=>'Yazı türleri içeri aktarılamadı.','Nothing from Custom Post Type UI plugin selected for import.'=>'Custom Post Type UI eklentisinden içe aktarmak için hiçbir şey seçilmedi.','Imported 1 item'=>'Bir öğe içeri aktarıldı' . "\0" . '%s öğe içeri aktarıldı','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Aynı anahtara sahip bir yazı türü veya sınıflandırmayı içe aktarmak, içe aktarılanın ayarlarının mevcut yazı türü veya sınıflandırma ayarlarının üzerine yazılmasına neden olacaktır.','Import from Custom Post Type UI'=>'Custom Post Type UI\'dan İçe Aktar','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Aşağıdaki kod, seçilen öğelerin yerel bir sürümünü kaydetmek için kullanılabilir. Alan gruplarını, yazı türlerini veya sınıflandırmaları yerel olarak depolamak, daha hızlı yükleme süreleri, sürüm kontrolü ve dinamik alanlar/ayarlar gibi birçok avantaj sağlayabilir. Aşağıdaki kodu temanızın functions.php dosyasına kopyalayıp yapıştırmanız veya harici bir dosya içinde dahil etmeniz yeterlidir, ardından ACF yönetim panelinden öğeleri devre dışı bırakın veya silin.','Export - Generate PHP'=>'Dışa Aktar - PHP Oluştur','Export'=>'Dışa aktar','Select Taxonomies'=>'Sınıflandırmaları seç','Select Post Types'=>'Yazı türlerini seç','Exported 1 item.'=>'Bir öğe dışa aktarıldı.' . "\0" . '%s öğe dışa aktarıldı.','Category'=>'Kategori','Tag'=>'Etiket','%s taxonomy created'=>'%s taksonomisi oluşturuldu','%s taxonomy updated'=>'%s taksonomisi güncellendi','Taxonomy draft updated.'=>'Taksonomi taslağı güncellendi.','Taxonomy scheduled for.'=>'Taksonomi planlandı.','Taxonomy submitted.'=>'Sınıflandırma gönderildi.','Taxonomy saved.'=>'Sınıflandırma kaydedildi.','Taxonomy deleted.'=>'Sınıflandırma silindi.','Taxonomy updated.'=>'Sınıflandırma güncellendi.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Bu sınıflandırma kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir sınıflandırma tarafından kullanılıyor.','Taxonomy synchronized.'=>'Taksonomi senkronize edildi.' . "\0" . '%s taksonomi senkronize edildi.','Taxonomy duplicated.'=>'Taksonomi çoğaltıldı.' . "\0" . '%s taksonomi çoğaltıldı.','Taxonomy deactivated.'=>'Sınıflandırma devre dışı bırakıldı.' . "\0" . '%s sınıflandırma devre dışı bırakıldı.','Taxonomy activated.'=>'Taksonomi etkinleştirildi.' . "\0" . '%s aksonomi etkinleştirildi.','Terms'=>'Terimler','Post type synchronized.'=>'Yazı türü senkronize edildi.' . "\0" . '%s yazı türü senkronize edildi.','Post type duplicated.'=>'Yazı türü çoğaltıldı.' . "\0" . '%s yazı türü çoğaltıldı.','Post type deactivated.'=>'Yazı türü etkisizleştirildi.' . "\0" . '%s yazı türü etkisizleştirildi.','Post type activated.'=>'Yazı türü etkinleştirildi.' . "\0" . '%s yazı türü etkinleştirildi.','Post Types'=>'Yazı tipleri','Advanced Settings'=>'Gelişmiş ayarlar','Basic Settings'=>'Temel ayarlar','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Bu yazı türü kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir yazı türü tarafından kullanılıyor.','Pages'=>'Sayfalar','Link Existing Field Groups'=>'Mevcut alan gruplarını bağlayın','%s post type created'=>'%s yazı tipi oluşturuldu','Add fields to %s'=>'%s taksonomisine alan ekle','%s post type updated'=>'%s yazı tipi güncellendi','Post type draft updated.'=>'Yazı türü taslağı güncellendi.','Post type scheduled for.'=>'Yazı türü zamanlandı.','Post type submitted.'=>'Yazı türü gönderildi.','Post type saved.'=>'Yazı türü kaydedildi','Post type updated.'=>'Yazı türü güncellendi.','Post type deleted.'=>'Yazı türü silindi','Type to search...'=>'Aramak için yazın...','PRO Only'=>'Sadece PRO\'da','Field groups linked successfully.'=>'Alan grubu başarıyla bağlandı.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Custom Post Type UI ile kaydedilen yazı türleri ve sınıflandırmaları içeri aktarın ve ACF ile yönetin. Başlayın.','ACF'=>'ACF','taxonomy'=>'taksonomi','post type'=>'yazı tipi','Done'=>'Tamamlandı','Field Group(s)'=>'Alan grup(lar)ı','Select one or many field groups...'=>'Bir veya daha fazla alan grubu seçin...','Please select the field groups to link.'=>'Lütfen bağlanacak alan gruplarını seçin.','Field group linked successfully.'=>'Alan grubu başarıyla bağlandı.' . "\0" . 'Alan grubu başarıyla bağlandı.','post statusRegistration Failed'=>'Kayıt başarısız','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Bu öğe kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir öğe tarafından kullanılıyor.','REST API'=>'REST API','Permissions'=>'İzinler','URLs'=>'URL\'ler','Visibility'=>'Görünürlük','Labels'=>'Etiketler','Field Settings Tabs'=>'Alan ayarı sekmeleri','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF kısa kod değeri ön izleme için devre dışı bırakıldı]','Close Modal'=>'Pencereyi kapat','Field moved to other group'=>'Alan başka bir gruba taşındı.','Close modal'=>'Modalı kapat','Start a new group of tabs at this tab.'=>'Bu sekmede yeni bir sekme grubu başlatın.','New Tab Group'=>'Yeni sekme grubu','Use a stylized checkbox using select2'=>'Select2 kullanarak biçimlendirilmiş bir seçim kutusu kullan','Save Other Choice'=>'Diğer seçeneğini kaydet','Allow Other Choice'=>'Diğer seçeneğine izin ver','Add Toggle All'=>'Tümünü aç/kapat ekle','Save Custom Values'=>'Özel değerleri kaydet','Allow Custom Values'=>'Özel değerlere izin ver','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Onay kutusu özel değerleri boş olamaz. Boş değerlerin seçimini kaldırın.','Updates'=>'Güncellemeler','Advanced Custom Fields logo'=>'Advanced Custom Fields logosu','Save Changes'=>'Değişiklikleri kaydet','Field Group Title'=>'Alan grubu başlığı','Add title'=>'Başlık ekle','New to ACF? Take a look at our getting started guide.'=>'ACF\'de yeni misiniz? başlangıç kılavuzumuza göz atın.','Add Field Group'=>'Alan grubu ekle','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF, özel alanları bir araya toplamak için alan gruplarını kullanır ve akabinde bu alanları düzenleme ekranlarına ekler.','Add Your First Field Group'=>'İlk alan grubunuzu ekleyin','Options Pages'=>'Seçenekler sayfası','ACF Blocks'=>'ACF blokları','Gallery Field'=>'Galeri alanı','Flexible Content Field'=>'Esnek içerik alanı','Repeater Field'=>'Tekrarlayıcı alanı','Unlock Extra Features with ACF PRO'=>'ACF PRO ile ek özelikler açın','Delete Field Group'=>'Alan grubunu sil','Created on %1$s at %2$s'=>'%1$s tarihinde %2$s saatinde oluşturuldu','Group Settings'=>'Grup ayarları','Location Rules'=>'Konum kuralları','Choose from over 30 field types. Learn more.'=>'30\'dan fazla alan türünden seçim yapın. Daha fazla bilgi edinin.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Yazılarınız, sayfalarınız, özel yazı tipleriniz ve diğer WordPress içerikleriniz için yeni özel alanlar oluşturmaya başlayın.','Add Your First Field'=>'İlk alanınızı ekleyin','#'=>'#','Add Field'=>'Alan ekle','Presentation'=>'Sunum','Validation'=>'Doğrulama','General'=>'Genel','Import JSON'=>'JSON\'u içe aktar','Export As JSON'=>'JSON olarak dışa aktar','Field group deactivated.'=>'Alan grubu silindi.' . "\0" . '%s alan grubu silindi.','Field group activated.'=>'Alan grubu kaydedildi.' . "\0" . '%s alan grubu kaydedildi.','Deactivate'=>'Devre dışı bırak','Deactivate this item'=>'Bu öğeyi devre dışı bırak','Activate'=>'Etkinleştir','Activate this item'=>'Bu öğeyi etkinleştir','Move field group to trash?'=>'Alan grubu çöp kutusuna taşınsın mı?','post statusInactive'=>'Devre dışı','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields ve Advanced Custom Fields PRO aynı anda etkin olmamalıdır. Advanced Custom Fields PRO eklentisini otomatik olarak devre dışı bıraktık.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields ve Advanced Custom Fields PRO aynı anda etkin olmamalıdır. Advanced Custom Fields eklentisini otomatik olarak devre dışı bıraktık.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF başlatılmadan önce ACF alan değerlerini almak için bir veya daha fazla çağrı algıladık. Bu desteklenmez ve hatalı biçimlendirilmiş veya eksik verilere neden olabilir. Bunu nasıl düzelteceğinizi öğrenin.','%1$s must have a user with the %2$s role.'=>'%1$s %2$s rolüne sahip bir kullanıcıya sahip olmalıdır.' . "\0" . '%1$s şu rollerden birine ait bir kullanıcıya sahip olmalıdır: %2$s','%1$s must have a valid user ID.'=>'%1$s geçerli bir kullanıcı kimliğine sahip olmalıdır.','Invalid request.'=>'Geçersiz istek.','%1$s is not one of %2$s'=>'%1$s bir %2$s değil','%1$s must have term %2$s.'=>'%1$s %2$s terimine sahip olmalı.' . "\0" . '%1$s şu terimlerden biri olmalı: %2$s','%1$s must be of post type %2$s.'=>'%1$s %2$s yazı tipinde olmalıdır.' . "\0" . '%1$s şu yazı tiplerinden birinde olmalıdır: %2$s','%1$s must have a valid post ID.'=>'%1$s geçerli bir yazı kimliği olmalıdır.','%s requires a valid attachment ID.'=>'%s geçerli bir ek kimliği gerektirir.','Show in REST API'=>'REST API\'da göster','Enable Transparency'=>'Saydamlığı etkinleştir','RGBA Array'=>'RGBA dizisi','RGBA String'=>'RGBA metni','Hex String'=>'Hex metin','Upgrade to PRO'=>'Pro sürüme yükselt','post statusActive'=>'Etkin','\'%s\' is not a valid email address'=>'\'%s\' geçerli bir e-posta adresi değil','Color value'=>'Renk değeri','Select default color'=>'Varsayılan rengi seç','Clear color'=>'Rengi temizle','Blocks'=>'Bloklar','Options'=>'Ayarlar','Users'=>'Kullanıcılar','Menu items'=>'Menü ögeleri','Widgets'=>'Bileşenler','Attachments'=>'Dosya ekleri','Taxonomies'=>'Taksonomiler','Posts'=>'İletiler','Last updated: %s'=>'Son güncellenme: %s','Sorry, this post is unavailable for diff comparison.'=>'Üzgünüz, bu alan grubu fark karşılaştırma için uygun değil.','Invalid field group parameter(s).'=>'Geçersiz alan grubu parametresi/leri.','Awaiting save'=>'Kayıt edilmeyi bekliyor','Saved'=>'Kaydedildi','Import'=>'İçe aktar','Review changes'=>'Değişiklikleri incele','Located in: %s'=>'Konumu: %s','Located in plugin: %s'=>'Eklenti içinde konumlu: %s','Located in theme: %s'=>'Tema içinde konumlu: %s','Various'=>'Çeşitli','Sync changes'=>'Değişiklikleri eşitle','Loading diff'=>'Fark yükleniyor','Review local JSON changes'=>'Yerel JSON değişikliklerini incele','Visit website'=>'Web sitesini ziyaret et','View details'=>'Ayrıntıları görüntüle','Version %s'=>'Sürüm %s','Information'=>'Bilgi','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Yardım masası. Yardım masamızdaki profesyonel destek çalışanlarımızı daha derin, teknik sorunların üstesinden gelmenize yardımcı olabilirler.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Tartışmalar. Topluluk forumlarımızda etkin ve dost canlısı bir topluluğumuz var, sizi ACF dünyasının \'nasıl yaparım\'ları ile ilgili yardımcı olabilirler.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Belgeler. Karşınıza çıkabilecek bir çok konu hakkında geniş içerikli belgelerimize baş vurabilirsiniz.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Destek konusunu çok ciddiye alıyoruz ve size ACF ile sitenizde en iyi çözümlere ulaşmanızı istiyoruz. Eğer bir sorunla karşılaşırsanız yardım alabileceğiniz bir kaç yer var:','Help & Support'=>'Yardım ve destek','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'İşin içinden çıkamadığınızda lütfen Yardım ve destek sekmesinden irtibata geçin.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'İlk alan grubunuzu oluşturmadan önce Başlarken rehberimize okumanızı öneririz, bu sayede eklentinin filozofisini daha iyi anlayabilir ve en iyi çözümleri öğrenebilirsiniz.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields eklentisi bir görsel form oluşturucu ile WordPress düzenleme ekranlarını ek alanlarla özelleştirme imkanı sağlıyor, ve sezgisel API ile her türlü tema şablon dosyasında bu özel alanlar gösterilebiliyor.','Overview'=>'Genel görünüm','Location type "%s" is already registered.'=>'Konum türü "%s" zaten kayıtlı.','Class "%s" does not exist.'=>'"%s" sınıfı mevcut değil.','Invalid nonce.'=>'Geçersiz nonce.','Error loading field.'=>'Alan yükleme sırasında hata.','Error: %s'=>'Hata: %s','Widget'=>'Bileşen','User Role'=>'Kullanıcı rolü','Comment'=>'Yorum','Post Format'=>'Yazı biçimi','Menu Item'=>'Menü ögesi','Post Status'=>'Yazı durumu','Menus'=>'Menüler','Menu Locations'=>'Menü konumları','Menu'=>'Menü','Post Taxonomy'=>'Yazı taksonomisi','Child Page (has parent)'=>'Alt sayfa (ebeveyni olan)','Parent Page (has children)'=>'Üst sayfa (alt sayfası olan)','Top Level Page (no parent)'=>'Üst düzey sayfa (ebeveynsiz)','Posts Page'=>'Yazılar sayfası','Front Page'=>'Ön Sayfa','Page Type'=>'Sayfa tipi','Viewing back end'=>'Arka yüz görüntüleniyor','Viewing front end'=>'Ön yüz görüntüleniyor','Logged in'=>'Giriş yapıldı','Current User'=>'Şu anki kullanıcı','Page Template'=>'Sayfa şablonu','Register'=>'Kayıt ol','Add / Edit'=>'Ekle / düzenle','User Form'=>'Kullanıcı formu','Page Parent'=>'Sayfa ebeveyni','Super Admin'=>'Süper yönetici','Current User Role'=>'Şu anki kullanıcı rolü','Default Template'=>'Varsayılan şablon','Post Template'=>'Yazı şablonu','Post Category'=>'Yazı kategorisi','All %s formats'=>'Tüm %s biçimleri','Attachment'=>'Eklenti','%s value is required'=>'%s değeri gerekli','Show this field if'=>'Alanı bu şart gerçekleşirse göster','Conditional Logic'=>'Koşullu mantık','and'=>'ve','Local JSON'=>'Yerel JSON','Clone Field'=>'Çoğaltma alanı','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Lütfen ayrıca premium eklentilerin de (%s) en üst sürüme güncellendiğinden emin olun.','This version contains improvements to your database and requires an upgrade.'=>'Bu sürüm veritabanınız için iyileştirmeler içeriyor ve yükseltme gerektiriyor.','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$s sürümüne güncellediğiniz için teşekkür ederiz!','Database Upgrade Required'=>'Veritabanı yükseltmesi gerekiyor','Options Page'=>'Seçenekler sayfası','Gallery'=>'Galeri','Flexible Content'=>'Esnek içerik','Repeater'=>'Tekrarlayıcı','Back to all tools'=>'Tüm araçlara geri dön','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)'=>'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)','Select items to hide them from the edit screen.'=>'Düzenleme ekranından gizlemek istediğiniz ögeleri seçin.','Hide on screen'=>'Ekranda gizle','Send Trackbacks'=>'Geri izlemeleri gönder','Tags'=>'Etiketler','Categories'=>'Kategoriler','Page Attributes'=>'Sayfa özellikleri','Format'=>'Biçim','Author'=>'Yazar','Slug'=>'Kısa isim','Revisions'=>'Sürümler','Comments'=>'Yorumlar','Discussion'=>'Tartışma','Excerpt'=>'Özet','Content Editor'=>'İçerik düzenleyici','Permalink'=>'Kalıcı bağlantı','Shown in field group list'=>'Alan grubu listesinde görüntülenir','Field groups with a lower order will appear first'=>'Daha düşük sıralamaya sahip alan grupları daha önce görünür','Order No.'=>'Sipariş No.','Below fields'=>'Alanlarının altında','Below labels'=>'Etiketlerin altında','Instruction Placement'=>'Yönerge yerleştirme','Label Placement'=>'Etiket yerleştirme','Side'=>'Yan','Normal (after content)'=>'Normal (içerikten sonra)','High (after title)'=>'Yüksek (başlıktan sonra)','Position'=>'Konum','Seamless (no metabox)'=>'Pürüzsüz (metabox yok)','Standard (WP metabox)'=>'Standart (WP metabox)','Style'=>'Stil','Type'=>'Tür','Key'=>'Anahtar','Order'=>'Düzen','Close Field'=>'Alanı kapat','id'=>'id','class'=>'sınıf','width'=>'genişlik','Wrapper Attributes'=>'Kapsayıcı öznitelikleri','Required'=>'Gerekli','Instructions'=>'Yönergeler','Field Type'=>'Alan tipi','Single word, no spaces. Underscores and dashes allowed'=>'Tek kelime, boşluksuz. Alt çizgi ve tireye izin var','Field Name'=>'Alan adı','This is the name which will appear on the EDIT page'=>'Bu isim DÜZENLEME sayfasında görüntülenecek isimdir','Field Label'=>'Alan etiketi','Delete'=>'Sil','Delete field'=>'Sil alanı','Move'=>'Taşı','Move field to another group'=>'Alanı başka gruba taşı','Duplicate field'=>'Alanı çoğalt','Edit field'=>'Alanı düzenle','Drag to reorder'=>'Yeniden düzenlemek için sürükleyin','Show this field group if'=>'Bu alan grubunu şu koşulda göster','No updates available.'=>'Güncelleme yok.','Database upgrade complete. See what\'s new'=>'Veritabanı yükseltme tamamlandı. Yenilikler ','Reading upgrade tasks...'=>'Yükseltme görevlerini okuyor...','Upgrade failed.'=>'Yükseltme başarısız oldu.','Upgrade complete.'=>'Yükseltme başarılı.','Upgrading data to version %s'=>'Veri %s sürümüne yükseltiliyor','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Devam etmeden önce veritabanınızı yedeklemeniz önemle önerilir. Güncelleştiriciyi şimdi çalıştırmak istediğinizden emin misiniz?','Please select at least one site to upgrade.'=>'Lütfen yükseltmek için en az site seçin.','Database Upgrade complete. Return to network dashboard'=>'Veritabanı güncellemesi tamamlandı. Ağ panosuna geri dön','Site is up to date'=>'Site güncel','Site requires database upgrade from %1$s to %2$s'=>'Site %1$s sürümünden %2$s sürümüne veritabanı yükseltmesi gerektiriyor','Site'=>'Site','Upgrade Sites'=>'Siteleri yükselt','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Şu siteler için VT güncellemesi gerekiyor. Güncellemek istediklerinizi işaretleyin ve %s tuşuna basın.','Add rule group'=>'Kural grubu ekle','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Bu gelişmiş özel alanları hangi düzenleme ekranlarının kullanacağını belirlemek için bir kural seti oluşturun','Rules'=>'Kurallar','Copied'=>'Kopyalandı','Copy to clipboard'=>'Panoya kopyala','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Alan gruplarını seç','No field groups selected'=>'Hiç alan grubu seçilmemiş','Generate PHP'=>'PHP oluştur','Export Field Groups'=>'Alan gruplarını dışarı aktar','Import file empty'=>'İçe aktarılan dosya boş','Incorrect file type'=>'Geçersiz dosya tipi','Error uploading file. Please try again'=>'Dosya yüklenirken hata oluştu. Lütfen tekrar deneyin','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'İç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.','Import Field Groups'=>'Alan gruplarını içeri aktar','Sync'=>'Eşitle','Select %s'=>'Seç %s','Duplicate'=>'Çoğalt','Duplicate this item'=>'Bu ögeyi çoğalt','Supports'=>'Destek','Documentation'=>'Belgeler','Description'=>'Açıklama','Sync available'=>'Eşitleme mevcut','Field group synchronized.'=>'Alan grubu eşitlendi.' . "\0" . '%s alan grubu eşitlendi.','Field group duplicated.'=>'Alan grubu çoğaltıldı.' . "\0" . '%s alan grubu çoğaltıldı.','Active (%s)'=>'Etkin (%s)' . "\0" . 'Etkin (%s)','Review sites & upgrade'=>'Siteleri incele ve güncelle','Upgrade Database'=>'Veritabanını güncelle','Custom Fields'=>'Ek alanlar','Move Field'=>'Alanı taşı','Please select the destination for this field'=>'Lütfen bu alan için bir hedef seçin','The %1$s field can now be found in the %2$s field group'=>'%1$s alanı artık %2$s alan grubunda bulunabilir','Move Complete.'=>'Taşıma tamamlandı.','Active'=>'Etkin','Field Keys'=>'Alan anahtarları','Settings'=>'Ayarlar','Location'=>'Konum','Null'=>'Boş','copy'=>'kopyala','(this field)'=>'(bu alan)','Checked'=>'İşaretlendi','Move Custom Field'=>'Özel alanı taşı','No toggle fields available'=>'Kullanılabilir aç-kapa alan yok','Field group title is required'=>'Alan grubu başlığı gerekli','This field cannot be moved until its changes have been saved'=>'Bu alan, üzerinde yapılan değişiklikler kaydedilene kadar taşınamaz','The string "field_" may not be used at the start of a field name'=>'Artık alan isimlerinin başlangıcında “field_” kullanılmayacak','Field group draft updated.'=>'Alan grubu taslağı güncellendi.','Field group scheduled for.'=>'Alan grubu zamanlandı.','Field group submitted.'=>'Alan grubu gönderildi.','Field group saved.'=>'Alan grubu kaydedildi.','Field group published.'=>'Alan grubu yayımlandı.','Field group deleted.'=>'Alan grubu silindi.','Field group updated.'=>'Alan grubu güncellendi.','Tools'=>'Araçlar','is not equal to'=>'eşit değilse','is equal to'=>'eşitse','Forms'=>'Formlar','Page'=>'Sayfa','Post'=>'Yazı','Relational'=>'İlişkisel','Choice'=>'Seçim','Basic'=>'Basit','Unknown'=>'Bilinmeyen','Field type does not exist'=>'Var olmayan alan tipi','Spam Detected'=>'İstenmeyen tespit edildi','Post updated'=>'Yazı güncellendi','Update'=>'Güncelleme','Validate Email'=>'E-postayı doğrula','Content'=>'İçerik','Title'=>'Başlık','Edit field group'=>'Alan grubunu düzenle','Selection is less than'=>'Seçim daha az','Selection is greater than'=>'Seçin daha büyük','Value is less than'=>'Değer daha az','Value is greater than'=>'Değer daha büyük','Value contains'=>'Değer içeriyor','Value matches pattern'=>'Değer bir desenle eşleşir','Value is not equal to'=>'Değer eşit değilse','Value is equal to'=>'Değer eşitse','Has no value'=>'Hiçbir değer','Has any value'=>'Herhangi bir değer','Cancel'=>'Vazgeç','Are you sure?'=>'Emin misiniz?','%d fields require attention'=>'%d alan dikkatinizi gerektiriyor','1 field requires attention'=>'1 alan dikkatinizi gerektiriyor','Validation failed'=>'Doğrulama başarısız','Validation successful'=>'Doğrulama başarılı','Restricted'=>'Kısıtlı','Collapse Details'=>'Detayları daralt','Expand Details'=>'Ayrıntıları genişlet','Uploaded to this post'=>'Bu yazıya yüklenmiş','verbUpdate'=>'Güncelleme','verbEdit'=>'Düzenle','The changes you made will be lost if you navigate away from this page'=>'Bu sayfadan başka bir sayfaya geçerseniz yaptığınız değişiklikler kaybolacak','File type must be %s.'=>'Dosya tipi %s olmalı.','or'=>'veya','File size must not exceed %s.'=>'Dosya boyutu %s boyutunu geçmemeli.','File size must be at least %s.'=>'Dosya boyutu en az %s olmalı.','Image height must not exceed %dpx.'=>'Görsel yüksekliği %dpx değerini geçmemeli.','Image height must be at least %dpx.'=>'Görsel yüksekliği en az %dpx olmalı.','Image width must not exceed %dpx.'=>'Görsel genişliği %dpx değerini geçmemeli.','Image width must be at least %dpx.'=>'Görsel genişliği en az %dpx olmalı.','(no title)'=>'(başlık yok)','Full Size'=>'Tam boyut','Large'=>'Büyük','Medium'=>'Orta','Thumbnail'=>'Küçük resim','(no label)'=>'(etiket yok)','Sets the textarea height'=>'Metin alanı yüksekliğini ayarla','Rows'=>'Satırlar','Text Area'=>'Metin alanı','Prepend an extra checkbox to toggle all choices'=>'En başa tüm seçimleri tersine çevirmek için ekstra bir seçim kutusu ekle','Save \'custom\' values to the field\'s choices'=>'‘Özel’ değerleri alanın seçenekleri arasına kaydet','Allow \'custom\' values to be added'=>'‘Özel’ alanların eklenebilmesine izin ver','Add new choice'=>'Yeni seçenek ekle','Toggle All'=>'Tümünü aç/kapat','Allow Archives URLs'=>'Arşivler adresine izin ver','Archives'=>'Arşivler','Page Link'=>'Sayfa bağlantısı','Add'=>'Ekle','Name'=>'Bağlantı ismi','%s added'=>'%s eklendi','%s already exists'=>'%s zaten mevcut','User unable to add new %s'=>'Kullanıcı yeni %s ekleyemiyor','Term ID'=>'Terim no','Term Object'=>'Terim nesnesi','Load value from posts terms'=>'Yazının terimlerinden değerleri yükle','Load Terms'=>'Terimleri yükle','Connect selected terms to the post'=>'Seçilmiş terimleri yazıya bağla','Save Terms'=>'Terimleri kaydet','Allow new terms to be created whilst editing'=>'Düzenlenirken yeni terimlerin oluşabilmesine izin ver','Create Terms'=>'Terimleri oluştur','Radio Buttons'=>'Tekli seçim','Single Value'=>'Tek değer','Multi Select'=>'Çoklu seçim','Checkbox'=>'İşaret kutusu','Multiple Values'=>'Çoklu değer','Select the appearance of this field'=>'Bu alanın görünümünü seçin','Appearance'=>'Görünüm','Select the taxonomy to be displayed'=>'Görüntülenecek taksonomiyi seçin','No TermsNo %s'=>'%s yok','Value must be equal to or lower than %d'=>'Değer %d değerine eşit ya da daha küçük olmalı','Value must be equal to or higher than %d'=>'Değer %d değerine eşit ya da daha büyük olmalı','Value must be a number'=>'Değer bir sayı olmalı','Number'=>'Numara','Save \'other\' values to the field\'s choices'=>'‘Diğer’ değerlerini alanın seçenekleri arasına kaydet','Add \'other\' choice to allow for custom values'=>'Özel değerlere izin vermek için \'diğer\' seçeneği ekle','Other'=>'Diğer','Radio Button'=>'Radyo düğmesi','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Önceki akordeonun durması için bir son nokta tanımlayın. Bu akordeon görüntülenmeyecek.','Allow this accordion to open without closing others.'=>'Bu akordeonun diğerlerini kapatmadan açılmasını sağla.','Multi-Expand'=>'Çoklu genişletme','Display this accordion as open on page load.'=>'Sayfa yüklemesi sırasında bu akordeonu açık olarak görüntüle.','Open'=>'Açık','Accordion'=>'Akordiyon','Restrict which files can be uploaded'=>'Yüklenebilecek dosyaları sınırlandırın','File ID'=>'Dosya no','File URL'=>'Dosya adresi','File Array'=>'Dosya dizisi','Add File'=>'Dosya Ekle','No file selected'=>'Dosya seçilmedi','File name'=>'Dosya adı','Update File'=>'Dosyayı güncelle','Edit File'=>'Dosya düzenle','Select File'=>'Dosya seç','File'=>'Dosya','Password'=>'Parola','Specify the value returned'=>'Dönecek değeri belirt','Use AJAX to lazy load choices?'=>'Seçimlerin tembel yüklenmesi için AJAX kullanılsın mı?','Enter each default value on a new line'=>'Her satıra bir değer girin','verbSelect'=>'Seçim','Select2 JS load_failLoading failed'=>'Yükleme başarısız oldu','Select2 JS searchingSearching…'=>'Aranıyor…','Select2 JS load_moreLoading more results…'=>'Daha fazla sonuç yükleniyor…','Select2 JS selection_too_long_nYou can only select %d items'=>'Sadece %d öge seçebilirsiniz','Select2 JS selection_too_long_1You can only select 1 item'=>'Sadece 1 öge seçebilirsiniz','Select2 JS input_too_long_nPlease delete %d characters'=>'Lütfen %d karakter silin','Select2 JS input_too_long_1Please delete 1 character'=>'Lütfen 1 karakter silin','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Lütfen %d veya daha fazla karakter girin','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Lütfen 1 veya daha fazla karakter girin','Select2 JS matches_0No matches found'=>'Eşleşme yok','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d sonuç bulundu. Dolaşmak için yukarı ve aşağı okları kullanın.','Select2 JS matches_1One result is available, press enter to select it.'=>'Bir sonuç bulundu, seçmek için enter tuşuna basın.','nounSelect'=>'Seçim','User ID'=>'Kullanıcı No','User Object'=>'Kullanıcı nesnesi','User Array'=>'Kullanıcı dizisi','All user roles'=>'Bütün kullanıcı rolleri','Filter by Role'=>'Role göre filtrele','User'=>'Kullanıcı','Separator'=>'Ayırıcı','Select Color'=>'Renk seç','Default'=>'Varsayılan','Clear'=>'Temizle','Color Picker'=>'Renk seçici','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seçim','Date Time Picker JS closeTextDone'=>'Bitti','Date Time Picker JS currentTextNow'=>'Şimdi','Date Time Picker JS timezoneTextTime Zone'=>'Zaman dilimi','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosaniye','Date Time Picker JS millisecTextMillisecond'=>'Milisaniye','Date Time Picker JS secondTextSecond'=>'İkinci','Date Time Picker JS minuteTextMinute'=>'Dakika','Date Time Picker JS hourTextHour'=>'Saat','Date Time Picker JS timeTextTime'=>'Zaman','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zamanı se','Date Time Picker'=>'Tarih zaman seçici','Endpoint'=>'Uç nokta','Left aligned'=>'Sola hizalı','Top aligned'=>'Üste hizalı','Placement'=>'Konumlandırma','Tab'=>'Sekme','Value must be a valid URL'=>'Değer geçerli bir web adresi olmalı','Link URL'=>'Bağlantı adresi','Link Array'=>'Bağlantı dizisi','Opens in a new window/tab'=>'Yeni pencerede/sekmede açılır','Select Link'=>'Bağlantı seç','Link'=>'Link','Email'=>'EPosta','Step Size'=>'Adım boyutu','Maximum Value'=>'En fazla değer','Minimum Value'=>'En az değer','Range'=>'Aralık','Both (Array)'=>'İkisi de (Dizi)','Label'=>'Etiket','Value'=>'Değer','Vertical'=>'Dikey','Horizontal'=>'Yatay','red : Red'=>'kirmizi : Kırmızı','For more control, you may specify both a value and label like this:'=>'Daha fazla kontrol için, hem bir değeri hem de bir etiketi şu şekilde belirtebilirsiniz:','Enter each choice on a new line.'=>'Her seçeneği yeni bir satıra girin.','Choices'=>'Seçimler','Button Group'=>'Tuş grubu','Allow Null'=>'Null değere izin ver','Parent'=>'Ana','TinyMCE will not be initialized until field is clicked'=>'Alan tıklanana kadar TinyMCE hazırlanmayacaktır','Delay Initialization'=>'Hazırlık geciktirme','Show Media Upload Buttons'=>'Ortam yükleme tuşları gösterilsin','Toolbar'=>'Araç çubuğu','Text Only'=>'Sadece Metin','Visual Only'=>'Sadece görsel','Visual & Text'=>'Görsel ve metin','Tabs'=>'Seklemeler','Click to initialize TinyMCE'=>'TinyMCE hazırlamak için tıklayın','Name for the Text editor tab (formerly HTML)Text'=>'Metin','Visual'=>'Görsel','Value must not exceed %d characters'=>'Değer %d karakteri geçmemelidir','Leave blank for no limit'=>'Limit olmaması için boş bırakın','Character Limit'=>'Karakter limiti','Appears after the input'=>'Girdi alanından sonra görünür','Append'=>'Sonuna ekle','Appears before the input'=>'Girdi alanından önce görünür','Prepend'=>'Önüne ekle','Appears within the input'=>'Girdi alanının içinde görünür','Placeholder Text'=>'Yer tutucu metin','Appears when creating a new post'=>'Yeni bir yazı oluştururken görünür','Text'=>'Metin','%1$s requires at least %2$s selection'=>'%1$s en az %2$s seçim gerektirir' . "\0" . '%1$s en az %2$s seçim gerektirir','Post ID'=>'Yazı ID','Post Object'=>'Yazı nesnesi','Maximum Posts'=>'En fazla yazı','Minimum Posts'=>'En az gönderi','Featured Image'=>'Öne çıkan görsel','Selected elements will be displayed in each result'=>'Her sonuç içinde seçilmiş elemanlar görüntülenir','Elements'=>'Elemanlar','Taxonomy'=>'Etiketleme','Post Type'=>'Yazı tipi','Filters'=>'Filtreler','All taxonomies'=>'Tüm taksonomiler','Filter by Taxonomy'=>'Taksonomiye göre filtre','All post types'=>'Tüm yazı tipleri','Filter by Post Type'=>'Yazı tipine göre filtre','Search...'=>'Ara...','Select taxonomy'=>'Taksonomi seç','Select post type'=>'Yazı tipi seç','No matches found'=>'Eşleşme yok','Loading'=>'Yükleniyor','Maximum values reached ( {max} values )'=>'En yüksek değerlere ulaşıldı ({max} değerleri)','Relationship'=>'İlişkili','Comma separated list. Leave blank for all types'=>'Virgül ile ayrılmış liste. Tüm tipler için boş bırakın','Allowed File Types'=>'İzin verilen dosya tipleri','Maximum'=>'En fazla','File size'=>'Dosya boyutu','Restrict which images can be uploaded'=>'Hangi görsellerin yüklenebileceğini sınırlandırın','Minimum'=>'En az','Uploaded to post'=>'Yazıya yüklendi','All'=>'Tümü','Limit the media library choice'=>'Ortam kitaplığı seçimini sınırlayın','Library'=>'Kitaplık','Preview Size'=>'Önizleme boyutu','Image ID'=>'Görsel no','Image URL'=>'Resim Adresi','Image Array'=>'Görsel dizisi','Specify the returned value on front end'=>'Ön yüzden dönecek değeri belirleyin','Return Value'=>'Dönüş değeri','Add Image'=>'Görsel ekle','No image selected'=>'Resim seçilmedi','Remove'=>'Kaldır','Edit'=>'Düzenle','All images'=>'Tüm görseller','Update Image'=>'Görseli güncelle','Edit Image'=>'Resmi düzenle','Select Image'=>'Resim Seç','Image'=>'Görsel','Allow HTML markup to display as visible text instead of rendering'=>'Görünür metin olarak HTML kodlamasının görüntülenmesine izin ver','Escape HTML'=>'HTML’i güvenli hale getir','No Formatting'=>'Biçimlendirme yok','Automatically add <br>'=>'Otomatik ekle <br>','Automatically add paragraphs'=>'Otomatik paragraf ekle','Controls how new lines are rendered'=>'Yeni satırların nasıl görüntüleneceğini denetler','New Lines'=>'Yeni satırlar','Week Starts On'=>'Hafta başlangıcı','The format used when saving a value'=>'Bir değer kaydedilirken kullanılacak biçim','Save Format'=>'Biçimi kaydet','Date Picker JS weekHeaderWk'=>'Hf','Date Picker JS prevTextPrev'=>'Önceki','Date Picker JS nextTextNext'=>'Sonraki','Date Picker JS currentTextToday'=>'Bugün','Date Picker JS closeTextDone'=>'Bitti','Date Picker'=>'Tarih seçici','Width'=>'Genişlik','Embed Size'=>'Gömme boyutu','Enter URL'=>'Adres girin','oEmbed'=>'oEmbed','Text shown when inactive'=>'Etkin değilken görüntülenen metin','Off Text'=>'Kapalı metni','Text shown when active'=>'Etkinken görüntülenen metin','On Text'=>'Açık metni','Stylized UI'=>'Stilize edilmiş kullanıcı arabirimi','Default Value'=>'Varsayılan değer','Displays text alongside the checkbox'=>'İşaret kutusunun yanında görüntülenen metin','Message'=>'Mesaj','No'=>'Hayır','Yes'=>'Evet','True / False'=>'Doğru / yanlış','Row'=>'Satır','Table'=>'Tablo','Block'=>'Blok','Specify the style used to render the selected fields'=>'Seçili alanları görüntülemek için kullanılacak stili belirtin','Layout'=>'Yerleşim','Sub Fields'=>'Alt alanlar','Group'=>'Grup','Customize the map height'=>'Harita yüksekliğini özelleştir','Height'=>'Ağırlık','Set the initial zoom level'=>'Temel yaklaşma seviyesini belirle','Zoom'=>'Yakınlaşma','Center the initial map'=>'Haritayı ortala','Center'=>'Merkez','Search for address...'=>'Adres arayın…','Find current location'=>'Şu anki konumu bul','Clear location'=>'Konumu temizle','Search'=>'Ara','Sorry, this browser does not support geolocation'=>'Üzgünüz, bu tarayıcı konumlandırma desteklemiyor','Google Map'=>'Google haritası','The format returned via template functions'=>'Tema işlevlerinden dönen biçim','Return Format'=>'Dönüş biçimi','Custom:'=>'Özel:','The format displayed when editing a post'=>'Bir yazı düzenlenirken görüntülenecek biçim','Display Format'=>'Gösterim biçimi','Time Picker'=>'Zaman seçici','Inactive (%s)'=>'Devre dışı (%s)' . "\0" . 'Devre dışı (%s)','No Fields found in Trash'=>'Çöpte alan bulunamadı','No Fields found'=>'Hiç alan bulunamadı','Search Fields'=>'Alanlarda ara','View Field'=>'Alanı görüntüle','New Field'=>'Yeni alan','Edit Field'=>'Alanı düzenle','Add New Field'=>'Yeni elan ekle','Field'=>'Alan','Fields'=>'Alanlar','No Field Groups found in Trash'=>'Çöpte alan grubu bulunamadı','No Field Groups found'=>'Hiç alan grubu bulunamadı','Search Field Groups'=>'Alan gruplarında ara','View Field Group'=>'Alan grubunu görüntüle','New Field Group'=>'Yeni alan grubu','Edit Field Group'=>'Alan grubunu düzenle','Add New Field Group'=>'Yeni alan grubu ekle','Add New'=>'Yeni ekle','Field Group'=>'Alan grubu','Field Groups'=>'Alan grupları','Customize WordPress with powerful, professional and intuitive fields.'=>'Güçlü, profesyonel ve sezgisel alanlar ile WordPress\'i özelleştirin.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blok türü adı gereklidir.','Block type "%s" is already registered.'=>'Blok türü "%s" zaten kayıtlı.','Switch to Edit'=>'Düzenlemeye geç','Switch to Preview'=>'Önizlemeye geç','Change content alignment'=>'İçerik hizalamasını değiştir','%s settings'=>'%s ayarları','Options Updated'=>'Seçenekler güncellendi','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Güncellemeleri etkinleştirmek için lütfen Güncellemeler sayfasında lisans anahtarınızı girin. Eğer bir lisans anahtarınız yoksa lütfen detaylar ve fiyatlama sayfasına bakın.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF etkinleştirme hatası. Tanımlı lisans anahtarınız değişti, ancak eski lisansınızı devre dışı bırakırken bir hata oluştu','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF etkinleştirme hatası. Tanımlı lisans anahtarınız değişti, ancak etkinleştirme sunucusuna bağlanırken bir hata oluştu','ACF Activation Error'=>'ACF etkinleştirme hatası','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF etkinleştirme hatası. Etkinleştirme sunucusuna bağlanırken bir hata oluştu','Check Again'=>'Tekrar kontrol et','ACF Activation Error. Could not connect to activation server'=>'ACF etkinleştirme hatası. Etkinleştirme sunucusu ile bağlantı kurulamadı','Publish'=>'Yayımla','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Bu seçenekler sayfası için hiç özel alan grubu bulunamadı. Bir özel alan grubu oluştur','Error. Could not connect to update server'=>' Hata. Güncelleme sunucusu ile bağlantı kurulamadı','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Hata. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Hata. Bu sitenin lisansının süresi dolmuş veya devre dışı bırakılmış. Lütfen ACF PRO lisansınızı yeniden etkinleştirin.','Select one or more fields you wish to clone'=>'Çoğaltmak için bir ya da daha fazla alan seçin','Display'=>'Görüntüle','Specify the style used to render the clone field'=>'Çoğaltılacak alanın görünümü için stili belirleyin','Group (displays selected fields in a group within this field)'=>'Grup (bu alanın içinde seçili alanları grup olarak gösterir)','Seamless (replaces this field with selected fields)'=>'Pürüzsüz (bu alanı seçişmiş olan alanlarla değiştirir)','Labels will be displayed as %s'=>'Etiketler %s olarak görüntülenir','Prefix Field Labels'=>'Alan etiketlerine ön ek ekle','Values will be saved as %s'=>'Değerler %s olarak kaydedilecek','Prefix Field Names'=>'Alan isimlerine ön ek ekle','Unknown field'=>'Bilinmeyen alan','Unknown field group'=>'Bilinmeyen alan grubu','All fields from %s field group'=>'%s alan grubundaki tüm alanlar','Add Row'=>'Satır ekle','layout'=>'yerleşim' . "\0" . 'yerleşimler','layouts'=>'yerleşimler','This field requires at least {min} {label} {identifier}'=>'Bu alan için en az gereken {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Bu alan için sınır {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} kullanılabilir (en fazla {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} gerekli (min {min})','Flexible Content requires at least 1 layout'=>'Esnek içerik, en az 1 yerleşim gerektirir','Click the "%s" button below to start creating your layout'=>'Kendi yerleşiminizi oluşturmaya başlamak için aşağıdaki "%s " tuşuna tıklayın','Add layout'=>'Yerleşim ekle','Duplicate layout'=>'Düzeni çoğalt','Remove layout'=>'Yerleşimi çıkar','Click to toggle'=>'Geçiş yapmak için tıklayın','Delete Layout'=>'Yerleşimi sil','Duplicate Layout'=>'Yerleşimi çoğalt','Add New Layout'=>'Yeni yerleşim ekle','Add Layout'=>'Yerleşim ekle','Min'=>'En düşük','Max'=>'En yüksek','Minimum Layouts'=>'En az yerleşim','Maximum Layouts'=>'En fazla yerleşim','Button Label'=>'Tuş etiketi','%s must be of type array or null.'=>'%s dizi veya null türünde olmalıdır.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s en az %2$s %3$s düzen içermelidir.' . "\0" . '%1$s en az %2$s %3$s düzen içermelidir.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s en fazla %2$s %3$s düzeni içermelidir.' . "\0" . '%1$s en fazla %2$s %3$s düzeni içermelidir.','Add Image to Gallery'=>'Galeriye görsel ekle','Maximum selection reached'=>'En fazla seçim aşıldı','Length'=>'Uzunluk','Caption'=>'Başlık','Alt Text'=>'Alternatif metin','Add to gallery'=>'Galeriye ekle','Bulk actions'=>'Toplu eylemler','Sort by date uploaded'=>'Yüklenme tarihine göre sırala','Sort by date modified'=>'Değiştirme tarihine göre sırala','Sort by title'=>'Başlığa göre sırala','Reverse current order'=>'Sıralamayı ters çevir','Close'=>'Kapat','Minimum Selection'=>'En az seçim','Maximum Selection'=>'En fazla seçim','Allowed file types'=>'İzin verilen dosya tipleri','Insert'=>'Ekle','Specify where new attachments are added'=>'Yeni eklerin nereye ekleneceğini belirtin','Append to the end'=>'Sona ekle','Prepend to the beginning'=>'En başa ekleyin','Minimum rows not reached ({min} rows)'=>'En az satır sayısına ulaşıldı ({min} satır)','Maximum rows reached ({max} rows)'=>'En fazla satır değerine ulaşıldı ({max} satır)','Minimum Rows'=>'En az satır','Maximum Rows'=>'En fazla satır','Collapsed'=>'Daraltılmış','Select a sub field to show when row is collapsed'=>'Satır toparlandığında görüntülenecek alt alanı seçin','Invalid field key or name.'=>'Geçersiz alan grup no.','Click to reorder'=>'Yeniden düzenlemek için sürükleyin','Add row'=>'Satır ekle','Duplicate row'=>'Satırı çoğalt','Remove row'=>'Satır çıkar','First Page'=>'Ön sayfa','Previous Page'=>'Yazılar sayfası','Next Page'=>'Ön sayfa','Last Page'=>'Yazılar sayfası','No block types exist'=>'Hiç blok tipi yok','No options pages exist'=>'Seçenekler sayfayı mevcut değil','Deactivate License'=>'Lisansı devre dışı bırak','Activate License'=>'Lisansı etkinleştir','License Information'=>'Lisans bilgisi','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Güncellemeleri açmak için lisans anahtarınızı aşağıya girin. Eğer bir lisans anahtarınız yoksa lütfen detaylar ve fiyatlama sayfasına bakın.','License Key'=>'Lisans anahtarı','Your license key is defined in wp-config.php.'=>'Lisans anahtarınız wp-config.php içinde tanımlanmış.','Retry Activation'=>'Etkinleştirmeyi yeniden dene','Update Information'=>'Güncelleme bilgisi','Current Version'=>'Mevcut sürüm','Latest Version'=>'En son sürüm','Update Available'=>'Güncelleme mevcut','Upgrade Notice'=>'Yükseltme bildirimi','Enter your license key to unlock updates'=>'Güncelleştirmelerin kilidini açmak için yukardaki alana lisans anahtarını girin','Update Plugin'=>'Eklentiyi güncelle','Please reactivate your license to unlock updates'=>'Güncellemelerin kilidini açmak için lütfen lisansınızı yeniden etkinleştirin']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'','Allow Access to Value in Editor UI'=>'','Learn more.'=>'','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF kısa kodu herkese açık olmayan gönderilerdeki alanları görüntüleyemez]','[The ACF shortcode is disabled on this site]'=>'[ACF kısa kodu bu sitede devre dışı bırakılmıştır]','Businessman Icon'=>'İş insanı simgesi','Forums Icon'=>'Forumlar simgesi','YouTube Icon'=>'YouTube simgesi','Yes (alt) Icon'=>'Evet (alt) simgesi','Xing Icon'=>'Xing simgesi','WordPress (alt) Icon'=>'WordPress (alt) simgesi','WhatsApp Icon'=>'WhatsApp simgesi','Write Blog Icon'=>'Blog yaz simgesi','Widgets Menus Icon'=>'Widget menüleri simgesi','View Site Icon'=>'Siteyi görüntüle simgesi','Learn More Icon'=>'Daha fazla öğren simgesi','Add Page Icon'=>'Sayfa ekle simgesi','Video (alt3) Icon'=>'Video (alt3) simgesi','Video (alt2) Icon'=>'Video (alt2) simgesi','Video (alt) Icon'=>'Video (alt) simgesi','Update (alt) Icon'=>'Güncelle (alt) simgesi','Universal Access (alt) Icon'=>'Evrensel erişim (alt) simgesi','Twitter (alt) Icon'=>'Twitter (alt) simgesi','Twitch Icon'=>'Twitch simgesi','Tide Icon'=>'Tide simgesi','Tickets (alt) Icon'=>'Biletler (alt) simgesi','Text Page Icon'=>'Metin sayfası simgesi','Table Row Delete Icon'=>'Tablo satırı silme simgesi','Table Row Before Icon'=>'Tablo satırı önceki simgesi','Table Row After Icon'=>'Tablo satırı sonraki simgesi','Table Col Delete Icon'=>'Tablo sütunu silme simgesi','Table Col Before Icon'=>'Tablo sütunu önceki simgesi','Table Col After Icon'=>'Tablo sütunu sonraki simgesi','Superhero (alt) Icon'=>'Süper kahraman (alt) simgesi','Superhero Icon'=>'Süper kahraman simgesi','Spotify Icon'=>'Spotify simgesi','Shortcode Icon'=>'Kısa kod simgesi','Shield (alt) Icon'=>'Kalkan (alt) simgesi','Share (alt2) Icon'=>'Paylaş (alt2) simgesi','Share (alt) Icon'=>'Paylaş (alt) simgesi','Saved Icon'=>'Kaydedildi simgesi','RSS Icon'=>'RSS simgesi','REST API Icon'=>'REST API simgesi','Remove Icon'=>'Kaldır simgesi','Reddit Icon'=>'Reddit simgesi','Privacy Icon'=>'Gizlilik simgesi','Printer Icon'=>'Yazıcı simgesi','Podio Icon'=>'Podio simgesi','Plus (alt2) Icon'=>'Artı (alt2) simgesi','Plus (alt) Icon'=>'Artı (alt) simgesi','Plugins Checked Icon'=>'Eklentiler kontrol edildi simgesi','Pinterest Icon'=>'Pinterest simgesi','Pets Icon'=>'Evcil hayvanlar simgesi','PDF Icon'=>'PDF simgesi','Palm Tree Icon'=>'Palmiye ağacı simgesi','Open Folder Icon'=>'Açık klasör simgesi','No (alt) Icon'=>'Hayır (alt) simgesi','Money (alt) Icon'=>'Para (alt) simgesi','Menu (alt3) Icon'=>'Menü (alt3) simgesi','Menu (alt2) Icon'=>'Menü (alt2) simgesi','Menu (alt) Icon'=>'Menü (alt) simgesi','Spreadsheet Icon'=>'Elektronik tablo simgesi','Interactive Icon'=>'İnteraktif simgesi','Document Icon'=>'Belge simgesi','Default Icon'=>'Varsayılan simgesi','Location (alt) Icon'=>'Konum (alt) simgesi','LinkedIn Icon'=>'LinkedIn simgesi','Instagram Icon'=>'Instagram simgesi','Insert Before Icon'=>'Öncesine ekle simgesi','Insert After Icon'=>'Sonrasına ekle simgesi','Insert Icon'=>'Ekle simgesi','Info Outline Icon'=>'Bilgi anahat simgesi','Images (alt2) Icon'=>'Görseller (alt2) simgesi','Images (alt) Icon'=>'Görseller (alt) simgesi','Rotate Right Icon'=>'Sağa döndür simgesi','Rotate Left Icon'=>'Sola döndür simgesi','Rotate Icon'=>'Döndürme simgesi','Flip Vertical Icon'=>'Dikey çevirme simgesi','Flip Horizontal Icon'=>'Yatay çevirme simgesi','Crop Icon'=>'Kırpma simgesi','ID (alt) Icon'=>'','HTML Icon'=>'HTML simgesi','Hourglass Icon'=>'Kum saati simgesi','Heading Icon'=>'Başlık simgesi','Google Icon'=>'Google simgesi','Games Icon'=>'Oyunlar simgesi','Fullscreen Exit (alt) Icon'=>'Tam ekran çıkış (alt) simgesi','Fullscreen (alt) Icon'=>'Tam ekran (alt) simgesi','Status Icon'=>'Durum simgesi','Image Icon'=>'Görsel simgesi','Gallery Icon'=>'Galeri simgesi','Chat Icon'=>'Sohbet simgesi','Audio Icon'=>'Ses simgesi','Aside Icon'=>'Kenar simgesi','Food Icon'=>'Yemek simgesi','Exit Icon'=>'Çıkış simgesi','Excerpt View Icon'=>'Özet görünümü simgesi','Embed Video Icon'=>'Video gömme simgesi','Embed Post Icon'=>'Yazı gömme simgesi','Embed Photo Icon'=>'Fotoğraf gömme simgesi','Embed Generic Icon'=>'Jenerik gömme simgesi','Embed Audio Icon'=>'Ses gömme simgesi','Email (alt2) Icon'=>'E-posta (alt2) simgesi','Ellipsis Icon'=>'Elips simgesi','Unordered List Icon'=>'Sırasız liste simgesi','RTL Icon'=>'RTL simgesi','Ordered List RTL Icon'=>'Sıralı liste RTL simgesi','Ordered List Icon'=>'Sıralı liste simgesi','LTR Icon'=>'LTR simgesi','Custom Character Icon'=>'Özel karakter simgesi','Edit Page Icon'=>'Sayfayı düzenle simgesi','Edit Large Icon'=>'Büyük düzenle simgesi','Drumstick Icon'=>'Baget simgesi','Database View Icon'=>'Veritabanı görünümü simgesi','Database Remove Icon'=>'Veritabanı kaldırma simgesi','Database Import Icon'=>'Veritabanı içe aktarma simgesi','Database Export Icon'=>'Veritabanı dışa aktarma simgesi','Database Add Icon'=>'Veritabanı ekleme simgesi','Database Icon'=>'Veritabanı simgesi','Cover Image Icon'=>'Kapak görseli simgesi','Volume On Icon'=>'Ses açık simgesi','Volume Off Icon'=>'Ses kapalı simgesi','Skip Forward Icon'=>'İleri atla simgesi','Skip Back Icon'=>'Geri atla simgesi','Repeat Icon'=>'Tekrarla simgesi','Play Icon'=>'Oynat simgesi','Pause Icon'=>'Duraklat simgesi','Forward Icon'=>'İleri simgesi','Back Icon'=>'Geri simgesi','Columns Icon'=>'Sütunlar simgesi','Color Picker Icon'=>'Renk seçici simgesi','Coffee Icon'=>'Kahve simgesi','Code Standards Icon'=>'Kod standartları simgesi','Cloud Upload Icon'=>'Bulut yükleme simgesi','Cloud Saved Icon'=>'Bulut kaydedildi simgesi','Car Icon'=>'Araba simgesi','Camera (alt) Icon'=>'Kamera (alt) simgesi','Calculator Icon'=>'Hesap makinesi simgesi','Button Icon'=>'Düğme simgesi','Businessperson Icon'=>'İş i̇nsanı i̇konu','Tracking Icon'=>'İzleme simgesi','Topics Icon'=>'Konular simge','Replies Icon'=>'Yanıtlar simgesi','PM Icon'=>'','Friends Icon'=>'Arkadaşlar simgesi','Community Icon'=>'Topluluk simgesi','BuddyPress Icon'=>'BuddyPress simgesi','bbPress Icon'=>'','Activity Icon'=>'Etkinlik simgesi','Book (alt) Icon'=>'Kitap (alt) simgesi','Block Default Icon'=>'Blok varsayılan simgesi','Bell Icon'=>'Çan simgesi','Beer Icon'=>'Bira simgesi','Bank Icon'=>'Banka simgesi','Arrow Up (alt2) Icon'=>'Yukarı ok (alt2) simgesi','Arrow Up (alt) Icon'=>'Yukarı ok (alt) simgesi','Arrow Right (alt2) Icon'=>'Sağ ok (alt2) simgesi','Arrow Right (alt) Icon'=>'Sağ ok (alt) simgesi','Arrow Left (alt2) Icon'=>'Sol ok (alt2) simgesi','Arrow Left (alt) Icon'=>'Sol ok (alt) simgesi','Arrow Down (alt2) Icon'=>'Aşağı ok (alt2) simgesi','Arrow Down (alt) Icon'=>'Aşağı ok (alt) simgesi','Amazon Icon'=>'Amazon simgesi','Align Wide Icon'=>'Geniş hizala simgesi','Align Pull Right Icon'=>'Sağa çek hizala simgesi','Align Pull Left Icon'=>'Sola çek hizala simgesi','Align Full Width Icon'=>'Tam genişlikte hizala simgesi','Airplane Icon'=>'Uçak simgesi','Site (alt3) Icon'=>'Site (alt3) simgesi','Site (alt2) Icon'=>'Site (alt2) simgesi','Site (alt) Icon'=>'Site (alt) simgesi','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Sadece birkaç tıklamayla seçenek sayfaları oluşturmak için ACF PRO\'ya yükseltin','Invalid request args.'=>'Geçersiz istek argümanları.','Sorry, you do not have permission to do that.'=>'Üzgünüm, bunu yapmak için izniniz yok.','Blocks Using Post Meta'=>'Yazı metası kullanan bloklar','ACF PRO logo'=>'ACF PRO logosu','ACF PRO Logo'=>'ACF PRO Logosu','%s requires a valid attachment ID when type is set to media_library.'=>'Tip media_library olarak ayarlandığında %s geçerli bir ek kimliği gerektirir.','%s is a required property of acf.'=>'%s acf\'nin gerekli bir özelliğidir.','The value of icon to save.'=>'Kaydedilecek simgenin değeri.','The type of icon to save.'=>'Kaydedilecek simgenin türü.','Yes Icon'=>'Evet simgesi','WordPress Icon'=>'WordPress simgesi','Warning Icon'=>'Uyarı simgesi','Visibility Icon'=>'Görünürlük simgesi','Vault Icon'=>'Kasa simgesi','Upload Icon'=>'Yükleme simgesi','Update Icon'=>'Güncelleme simgesi','Unlock Icon'=>'Kilit açma simgesi','Universal Access Icon'=>'Evrensel erişim simgesi','Undo Icon'=>'Geri al simgesi','Twitter Icon'=>'Twitter simgesi','Trash Icon'=>'Çöp kutusu simgesi','Translation Icon'=>'Çeviri simgesi','Tickets Icon'=>'Bilet simgesi','Thumbs Up Icon'=>'Başparmak yukarı simgesi','Thumbs Down Icon'=>'Başparmak aşağı simgesi','Text Icon'=>'Metin simgesi','Testimonial Icon'=>'Referans simgesi','Tagcloud Icon'=>'Etiket bulutu simgesi','Tag Icon'=>'Etiket simgesi','Tablet Icon'=>'Tablet simgesi','Store Icon'=>'Mağaza simgesi','Sticky Icon'=>'Yapışkan simge','Star Half Icon'=>'Yıldız-yarım simgesi','Star Filled Icon'=>'Yıldız dolu simge','Star Empty Icon'=>'Yıldız-boş simgesi','Sos Icon'=>'Sos simgesi','Sort Icon'=>'Sıralama simgesi','Smiley Icon'=>'Gülen yüz simgesi','Smartphone Icon'=>'Akıllı telefon simgesi','Slides Icon'=>'Slaytlar simgesi','Shield Icon'=>'Kalkan Simgesi','Share Icon'=>'Paylaş simgesi','Search Icon'=>'Arama simgesi','Screen Options Icon'=>'Ekran ayarları simgesi','Schedule Icon'=>'Zamanlama simgesi','Redo Icon'=>'İleri al simgesi','Randomize Icon'=>'Rastgele simgesi','Products Icon'=>'Ürünler simgesi','Pressthis Icon'=>'Pressthis simgesi','Post Status Icon'=>'Yazı-durumu simgesi','Portfolio Icon'=>'Portföy simgesi','Plus Icon'=>'Artı simgesi','Playlist Video Icon'=>'Oynatma listesi-video simgesi','Playlist Audio Icon'=>'Oynatma listesi-ses simgesi','Phone Icon'=>'Telefon simgesi','Performance Icon'=>'Performans simgesi','Paperclip Icon'=>'Ataç simgesi','No Icon'=>'Hayır simgesi','Networking Icon'=>'Ağ simgesi','Nametag Icon'=>'İsim etiketi simgesi','Move Icon'=>'Taşıma simgesi','Money Icon'=>'Para simgesi','Minus Icon'=>'Eksi simgesi','Migrate Icon'=>'Aktarma simgesi','Microphone Icon'=>'Mikrofon simgesi','Megaphone Icon'=>'Megafon simgesi','Marker Icon'=>'İşaret simgesi','Lock Icon'=>'Kilit simgesi','Location Icon'=>'Konum simgesi','List View Icon'=>'Liste-görünümü simgesi','Lightbulb Icon'=>'Ampul simgesi','Left Right Icon'=>'Sol-sağ simgesi','Layout Icon'=>'Düzen simgesi','Laptop Icon'=>'Dizüstü bilgisayar simgesi','Info Icon'=>'Bilgi simgesi','Index Card Icon'=>'Dizin-kartı simgesi','ID Icon'=>'','Hidden Icon'=>'Gizli simgesi','Heart Icon'=>'Kalp Simgesi','Hammer Icon'=>'Çekiç simgesi','Groups Icon'=>'Gruplar simgesi','Grid View Icon'=>'Izgara-görünümü simgesi','Forms Icon'=>'Formlar simgesi','Flag Icon'=>'Bayrak simgesi','Filter Icon'=>'Filtre simgesi','Feedback Icon'=>'Geri bildirim simgesi','Facebook (alt) Icon'=>'Facebook alt simgesi','Facebook Icon'=>'Facebook simgesi','External Icon'=>'Harici simgesi','Email (alt) Icon'=>'E-posta alt simgesi','Email Icon'=>'E-posta simgesi','Video Icon'=>'Video simgesi','Unlink Icon'=>'Bağlantıyı kaldır simgesi','Underline Icon'=>'Altı çizili simgesi','Text Color Icon'=>'Metin rengi simgesi','Table Icon'=>'Tablo simgesi','Strikethrough Icon'=>'Üstü çizili simgesi','Spellcheck Icon'=>'Yazım denetimi simgesi','Remove Formatting Icon'=>'Biçimlendirme kaldır simgesi','Quote Icon'=>'Alıntı simgesi','Paste Word Icon'=>'Kelime yapıştır simgesi','Paste Text Icon'=>'Metin yapıştır simgesi','Paragraph Icon'=>'Paragraf simgesi','Outdent Icon'=>'Dışarı it simgesi','Kitchen Sink Icon'=>'Mutfak lavabosu simgesi','Justify Icon'=>'İki yana yasla simgesi','Italic Icon'=>'Eğik simgesi','Insert More Icon'=>'Daha fazla ekle simgesi','Indent Icon'=>'Girinti simgesi','Help Icon'=>'Yardım simgesi','Expand Icon'=>'Genişletme simgesi','Contract Icon'=>'Sözleşme simgesi','Code Icon'=>'Kod simgesi','Break Icon'=>'Mola simgesi','Bold Icon'=>'Kalın simgesi','Edit Icon'=>'Düzenle simgesi','Download Icon'=>'İndirme simgesi','Dismiss Icon'=>'Kapat simgesi','Desktop Icon'=>'Masaüstü simgesi','Dashboard Icon'=>'Pano simgesi','Cloud Icon'=>'Bulut simgesi','Clock Icon'=>'Saat simgesi','Clipboard Icon'=>'Pano simgesi','Chart Pie Icon'=>'Pasta grafiği simgesi','Chart Line Icon'=>'Grafik çizgisi simgesi','Chart Bar Icon'=>'Grafik çubuğu simgesi','Chart Area Icon'=>'Grafik alanı simgesi','Category Icon'=>'Kategori simgesi','Cart Icon'=>'Sepet simgesi','Carrot Icon'=>'Havuç simgesi','Camera Icon'=>'Kamera simgesi','Calendar (alt) Icon'=>'Takvim alt simgesi','Calendar Icon'=>'Takvim simgesi','Businesswoman Icon'=>'İş adamı simgesi','Building Icon'=>'Bina simgesi','Book Icon'=>'Kitap simgesi','Backup Icon'=>'Yedekleme simgesi','Awards Icon'=>'Ödül simgesi','Art Icon'=>'Sanat simgesi','Arrow Up Icon'=>'Yukarı ok simgesi','Arrow Right Icon'=>'Sağ ok simgesi','Arrow Left Icon'=>'Sol ok simgesi','Arrow Down Icon'=>'Aşağı ok simgesi','Archive Icon'=>'Arşiv simgesi','Analytics Icon'=>'Analitik simgesi','Align Right Icon'=>'Hizalama-sağ simgesi','Align None Icon'=>'Hizalama-yok simgesi','Align Left Icon'=>'Hizalama-sol simgesi','Align Center Icon'=>'Hizalama-ortala simgesi','Album Icon'=>'Albüm simgesi','Users Icon'=>'Kullanıcı simgesi','Tools Icon'=>'Araçlar simgesi','Site Icon'=>'Site simgesi','Settings Icon'=>'Ayarlar simgesi','Post Icon'=>'Yazı simgesi','Plugins Icon'=>'Eklentiler simgesi','Page Icon'=>'Sayfa simgesi','Network Icon'=>'Ağ simgesi','Multisite Icon'=>'Çoklu site simgesi','Media Icon'=>'Ortam simgesi','Links Icon'=>'Bağlantılar simgesi','Home Icon'=>'Ana sayfa simgesi','Customizer Icon'=>'Özelleştirici simgesi','Comments Icon'=>'Yorumlar simgesi','Collapse Icon'=>'Daraltma simgesi','Appearance Icon'=>'Görünüm simgesi','Generic Icon'=>'Jenerik simgesi','Icon picker requires a value.'=>'Simge seçici bir değer gerektirir.','Icon picker requires an icon type.'=>'Simge seçici bir simge türü gerektirir.','The available icons matching your search query have been updated in the icon picker below.'=>'Arama sorgunuzla eşleşen mevcut simgeler aşağıdaki simge seçicide güncellenmiştir.','No results found for that search term'=>'Bu arama terimi için sonuç bulunamadı','Array'=>'Dizi','String'=>'Dize','Specify the return format for the icon. %s'=>'Simge için dönüş biçimini belirtin. %s','Select where content editors can choose the icon from.'=>'İçerik editörlerinin simgeyi nereden seçebileceğini seçin.','The URL to the icon you\'d like to use, or svg as Data URI'=>'Kullanmak istediğiniz simgenin web adresi veya Veri adresi olarak svg','Browse Media Library'=>'Ortam kütüphanesine göz at','The currently selected image preview'=>'Seçili görselin önizlemesi','Click to change the icon in the Media Library'=>'Ortam kütüphanesinnde simgeyi değiştirmek için tıklayın','Search icons...'=>'Arama simgeleri...','Media Library'=>'Ortam kütüphanesi','Dashicons'=>'Panel simgeleri','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Bir simge seçmek için etkileşimli bir kullanıcı arayüzü. Dashicons, ortam kütüphanesi veya bağımsız bir adres girişi arasından seçim yapın.','Icon Picker'=>'Simge seçici','JSON Load Paths'=>'JSON yükleme yolları','JSON Save Paths'=>'JSON kaydetme yolları','Registered ACF Forms'=>'Kayıtlı ACF formları','Shortcode Enabled'=>'Kısa kod etkin','Field Settings Tabs Enabled'=>'Saha ayarları sekmeleri etkin','Field Type Modal Enabled'=>'Alan türü modali etkin','Admin UI Enabled'=>'Yönetici kullanıcı arayüzü etkin','Block Preloading Enabled'=>'Blok ön yükleme etkin','Blocks Per ACF Block Version'=>'Her bir ACF blok sürümü için bloklar','Blocks Per API Version'=>'Her bir API sürümü için bloklar','Registered ACF Blocks'=>'Kayıtlı ACF blokları','Light'=>'Açık','Standard'=>'Standart','REST API Format'=>'REST API biçimi','Registered Options Pages (PHP)'=>'Kayıtlı seçenekler sayfaları (PHP)','Registered Options Pages (JSON)'=>'Kayıtlı seçenekler sayfaları (JSON)','Registered Options Pages (UI)'=>'Kayıtlı seçenekler sayfaları (UI)','Options Pages UI Enabled'=>'Seçenekler sayfaları UI etkin','Registered Taxonomies (JSON)'=>'Kayıtlı taksonomiler (JSON)','Registered Taxonomies (UI)'=>'Kayıtlı taksonomiler (UI)','Registered Post Types (JSON)'=>'Kayıtlı yazı tipleri (JSON)','Registered Post Types (UI)'=>'Kayıtlı yazı tipleri (UI)','Post Types and Taxonomies Enabled'=>'Yazı tipleri ve taksonomiler etkinleştirildi','Number of Third Party Fields by Field Type'=>'Alan türüne göre üçüncü taraf alanlarının sayısı','Number of Fields by Field Type'=>'Alan türüne göre alan sayısı','Field Groups Enabled for GraphQL'=>'GraphQL için alan grupları etkinleştirildi','Field Groups Enabled for REST API'=>'REST API için alan grupları etkinleştirildi','Registered Field Groups (JSON)'=>'Kayıtlı alan grupları (JSON)','Registered Field Groups (PHP)'=>'Kayıtlı alan grupları (PHP)','Registered Field Groups (UI)'=>'Kayıtlı alan grupları (UI)','Active Plugins'=>'Etkin eklentiler','Parent Theme'=>'Ebeveyn tema','Active Theme'=>'Etkin tema','Is Multisite'=>'Çoklu site mi','MySQL Version'=>'MySQL sürümü','WordPress Version'=>'WordPress Sürümü','Subscription Expiry Date'=>'Abonelik sona erme tarihi','License Status'=>'Lisans durumu','License Type'=>'Lisans türü','Licensed URL'=>'Lisanslanan web adresi','License Activated'=>'Lisans etkinleştirildi','Free'=>'Ücretsiz','Plugin Type'=>'Eklenti tipi','Plugin Version'=>'Eklenti sürümü','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Bu bölüm, ACF yapılandırmanız hakkında destek ekibine sağlamak için yararlı olabilecek hata ayıklama bilgilerini içerir.','An ACF Block on this page requires attention before you can save.'=>'Kaydetmeden önce bu sayfadaki bir ACF Bloğuna dikkat edilmesi gerekiyor.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Bu veriler, çıktı sırasında değiştirilen değerleri tespit ettiğimizde günlüğe kaydedilir. Kodunuzdaki değerleri temizledikten sonra %1$sgünlüğü temizleyin ve kapatın%2$s. Değişen değerleri tekrar tespit edersek bildirim yeniden görünecektir.','Dismiss permanently'=>'Kalıcı olarak kapat','Instructions for content editors. Shown when submitting data.'=>'İçerik düzenleyicileri için talimatlar. Veri gönderirken gösterilir.','Has no term selected'=>'Seçilmiş bir terim yok','Has any term selected'=>'Seçilmiş herhangi bir terim','Terms do not contain'=>'Terimler şunları içermez','Terms contain'=>'Terimler şunları içerir','Term is not equal to'=>'Terim şuna eşit değildir','Term is equal to'=>'Terim şuna eşittir','Has no user selected'=>'Seçili kullanıcı yok','Has any user selected'=>'Herhangi bir kullanıcı','Users do not contain'=>'Şunları içermeyen kullanıcılar','Users contain'=>'Şunları içeren kullanıcılar','User is not equal to'=>'Şuna eşit olmayan kullanıcı','User is equal to'=>'Şuna eşit olan kullanıcı','Has no page selected'=>'Seçili sayfa yok','Has any page selected'=>'Seçili herhangi bir sayfa','Pages do not contain'=>'Şunu içermeyen sayfalar','Pages contain'=>'Şunu içeren sayfalar','Page is not equal to'=>'Şuna eşit olmayan sayfa','Page is equal to'=>'Şuna eşit olan sayfa','Has no relationship selected'=>'Seçili llişkisi olmayan','Has any relationship selected'=>'Herhangi bir ilişki seçilmiş olan','Has no post selected'=>'Seçili hiç bir yazısı olmayan','Has any post selected'=>'Seçili herhangi bir yazısı olan','Posts do not contain'=>'Şunu içermeyen yazı','Posts contain'=>'Şunu içeren yazı','Post is not equal to'=>'Şuna eşit olmayan yazı','Post is equal to'=>'Şuna eşit olan yazı','Relationships do not contain'=>'Şunu içermeyen ilişliler','Relationships contain'=>'Şunu içeren ilişliler','Relationship is not equal to'=>'Şuna eşit olmayan ilişkiler','Relationship is equal to'=>'Şuna eşit olan ilişkiler','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF alanları','ACF PRO Feature'=>'ACF PRO Özelliği','Renew PRO to Unlock'=>'Kilidi açmak için PRO\'yu yenileyin','Renew PRO License'=>'PRO lisansını yenile','PRO fields cannot be edited without an active license.'=>'PRO alanları etkin bir lisans olmadan düzenlenemez.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Bir ACF bloğuna atanan alan gruplarını düzenlemek için lütfen ACF PRO lisansınızı etkinleştirin.','Please activate your ACF PRO license to edit this options page.'=>'Bu seçenekler sayfasını düzenlemek için lütfen ACF PRO lisansınızı etkinleştirin.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Temizlenmiş HTML değerlerinin döndürülmesi yalnızca format_value da true olduğunda mümkündür. Alan değerleri güvenlik için döndürülmemiştir.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Temizlenmiş bir HTML değerinin döndürülmesi yalnızca format_value da true olduğunda mümkündür. Alan değeri güvenlik için döndürülmemiştir.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF artık the_field veya ACF kısa kodu tarafından işlendiğinde güvenli olmayan HTML’i otomatik olarak temizliyor. Bazı alanlarınızın çıktısının bu değişiklikle değiştirildiğini tespit ettik, ancak bu kritik bir değişiklik olmayabilir. %2$s.','Please contact your site administrator or developer for more details.'=>'Daha fazla ayrıntı için lütfen site yöneticinize veya geliştiricinize başvurun.','Learn more'=>'Daha fazlasını öğren','Hide details'=>'Ayrıntıları gizle','Show details'=>'Detayları göster','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - %3$s aracılığıyla işlenir','Renew ACF PRO License'=>'ACF PRO lisansını yenile','Renew License'=>'Lisansı yenile','Manage License'=>'Lisansı yönet','\'High\' position not supported in the Block Editor'=>'\'Yüksek\' konum blok düzenleyicide desteklenmiyor','Upgrade to ACF PRO'=>'ACF PRO\'ya yükseltin','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF seçenek sayfaları, alanlar aracılığıyla genel ayarları yönetmeye yönelik özel yönetici sayfalarıdır. Birden fazla sayfa ve alt sayfa oluşturabilirsiniz.','Add Options Page'=>'Seçenekler sayfası ekle','In the editor used as the placeholder of the title.'=>'Editörde başlığın yer tutucusu olarak kullanılır.','Title Placeholder'=>'Başlık yer tutucusu','4 Months Free'=>'4 Ay ücretsiz','(Duplicated from %s)'=>'(%s öğesinden çoğaltıldı)','Select Options Pages'=>'Seçenekler sayfalarını seçin','Duplicate taxonomy'=>'Taksonomiyi çoğalt','Create taxonomy'=>'Taksonomi oluştur','Duplicate post type'=>'Yazı tipini çoğalt','Create post type'=>'Yazı tipi oluştur','Link field groups'=>'Alan gruplarını bağla','Add fields'=>'Alan ekle','This Field'=>'Bu alan','ACF PRO'=>'ACF PRO','Feedback'=>'Geri bildirim','Support'=>'Destek','is developed and maintained by'=>'geliştiren ve devam ettiren','Add this %s to the location rules of the selected field groups.'=>'Bu %s öğesini seçilen alan gruplarının konum kurallarına ekleyin.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Çift yönlü ayarın etkinleştirilmesi, güncellenen öğenin Posta Kimliğini, Sınıflandırma Kimliğini veya Kullanıcı Kimliğini ekleyerek veya kaldırarak, bu alan için seçilen her değer için hedef alanlardaki bir değeri güncellemenize olanak tanır. Daha fazla bilgi için lütfen belgeleri okuyun.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Referansı güncellenmekte olan öğeye geri depolamak için alanları seçin. Bu alanı seçebilirsiniz. Hedef alanlar bu alanın görüntülendiği yerle uyumlu olmalıdır. Örneğin, bu alan bir Taksonomide görüntüleniyorsa, hedef alanınız Taksonomi türünde olmalıdır','Target Field'=>'Hedef alan','Update a field on the selected values, referencing back to this ID'=>'Seçilen değerlerdeki bir alanı bu kimliğe referans vererek güncelleyin','Bidirectional'=>'Çift yönlü','%s Field'=>'%s alanı','Select Multiple'=>'Birden çok seçin','WP Engine logo'=>'WP Engine logosu','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Yalnızca küçük harfler, alt çizgiler ve kısa çizgiler, en fazla 32 karakter.','The capability name for assigning terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini atamak için kullanılan yetenek adı.','Assign Terms Capability'=>'Terim yeteneği ata','The capability name for deleting terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini silmeye yönelik yetenek adı.','Delete Terms Capability'=>'Terim yeteneği sil','The capability name for editing terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini düzenlemeye yönelik yetenek adı.','Edit Terms Capability'=>'Terim yeteneği düzenle','The capability name for managing terms of this taxonomy.'=>'Bu sınıflandırmanın terimlerini yönetmeye yönelik yetenek adı.','Manage Terms Capability'=>'Terim yeteneği yönet','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Yazıların arama sonuçlarından ve sınıflandırma arşivi sayfalarından hariç tutulup tutulmayacağını ayarlar.','More Tools from WP Engine'=>'WP Engine\'den daha fazla araç','Built for those that build with WordPress, by the team at %s'=>'WordPress ile geliştirenler için, %s ekibi tarafından oluşturuldu','View Pricing & Upgrade'=>'Fiyatlandırmayı görüntüle ve yükselt','Learn More'=>'Daha fazla bilgi','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'ACF blokları ve seçenek sayfaları gibi özelliklerin yanı sıra tekrarlayıcı, esnek içerik, klonlama ve galeri gibi gelişmiş alan türleriyle iş akışınızı hızlandırın ve daha iyi web siteleri geliştirin.','Unlock Advanced Features and Build Even More with ACF PRO'=>'ACF PRO ile gelişmiş özelliklerin kilidini açın ve daha fazlasını oluşturun','%s fields'=>'%s alanları','No terms'=>'Terim yok','No post types'=>'Yazı tipi yok','No posts'=>'Yazı yok','No taxonomies'=>'Taksonomi yok','No field groups'=>'Alan grubu yok','No fields'=>'Alan yok','No description'=>'Açıklama yok','Any post status'=>'Herhangi bir yazı durumu','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Bu taksonomi anahtarı, ACF dışında kayıtlı başka bir taksonomi tarafından zaten kullanılıyor ve kullanılamaz.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Bu taksonomi anahtarı ACF\'deki başka bir taksonomi tarafından zaten kullanılıyor ve kullanılamaz.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Taksonomi anahtarı yalnızca küçük harf alfasayısal karakterler, alt çizgiler veya kısa çizgiler içermelidir.','The taxonomy key must be under 32 characters.'=>'Taksonomi anahtarı 32 karakterden kısa olmalıdır.','No Taxonomies found in Trash'=>'Çöp kutusunda taksonomi bulunamadı','No Taxonomies found'=>'Taksonomi bulunamadı','Search Taxonomies'=>'Taksonomilerde ara','View Taxonomy'=>'Taksonomi görüntüle','New Taxonomy'=>'Yeni taksonomi','Edit Taxonomy'=>'Taksonomi düzenle','Add New Taxonomy'=>'Yeni taksonomi ekle','No Post Types found in Trash'=>'Çöp kutusunda yazı tipi bulunamadı','No Post Types found'=>'Yazı tipi bulunamadı','Search Post Types'=>'Yazı tiplerinde ara','View Post Type'=>'Yazı tipini görüntüle','New Post Type'=>'Yeni yazı tipi','Edit Post Type'=>'Yazı tipini düzenle','Add New Post Type'=>'Yeni yazı tipi ekle','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Bu yazı tipi anahtarı, ACF dışında kayıtlı başka bir yazı tipi tarafından zaten kullanılıyor ve kullanılamaz.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Bu yazı tipi anahtarı, ACF\'deki başka bir yazı tipi tarafından zaten kullanılıyor ve kullanılamaz.','This field must not be a WordPress reserved term.'=>'Bu alan, WordPress\'e ayrılmış bir terim olmamalıdır.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Yazı tipi anahtarı yalnızca küçük harf alfasayısal karakterler, alt çizgiler veya kısa çizgiler içermelidir.','The post type key must be under 20 characters.'=>'Yazı tipi anahtarı 20 karakterin altında olmalıdır.','We do not recommend using this field in ACF Blocks.'=>'Bu alanın ACF bloklarında kullanılmasını önermiyoruz.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'WordPress WYSIWYG düzenleyicisini yazılar ve sayfalarda görüldüğü gibi görüntüler ve multimedya içeriğine de olanak tanıyan zengin bir metin düzenleme deneyimi sunar.','WYSIWYG Editor'=>'WYSIWYG düzenleyicisi','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Veri nesneleri arasında ilişkiler oluşturmak için kullanılabilecek bir veya daha fazla kullanıcının seçilmesine olanak tanır.','A text input specifically designed for storing web addresses.'=>'Web adreslerini depolamak için özel olarak tasarlanmış bir metin girişi.','URL'=>'Web adresi','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'1 veya 0 değerini seçmenizi sağlayan bir geçiş (açık veya kapalı, doğru veya yanlış vb.). Stilize edilmiş bir anahtar veya onay kutusu olarak sunulabilir.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Zaman seçmek için etkileşimli bir kullanıcı arayüzü. Saat formatı alan ayarları kullanılarak özelleştirilebilir.','A basic textarea input for storing paragraphs of text.'=>'Metin paragraflarını depolamak için temel bir metin alanı girişi.','A basic text input, useful for storing single string values.'=>'Tek dize değerlerini depolamak için kullanışlı olan temel bir metin girişi.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Alan ayarlarında belirtilen kriterlere ve seçeneklere göre bir veya daha fazla sınıflandırma teriminin seçilmesine olanak tanır.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Düzenleme ekranında alanları sekmeli bölümler halinde gruplandırmanıza olanak tanır. Alanları düzenli ve yapılandırılmış tutmak için kullanışlıdır.','A dropdown list with a selection of choices that you specify.'=>'Belirttiğiniz seçeneklerin yer aldığı açılır liste.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Şu anda düzenlemekte olduğunuz öğeyle bir ilişki oluşturmak amacıyla bir veya daha fazla gönderiyi, sayfayı veya özel gönderi türü öğesini seçmek için çift sütunlu bir arayüz. Arama ve filtreleme seçeneklerini içerir.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Bir aralık kaydırıcı öğesi kullanılarak belirli bir aralıktaki sayısal bir değerin seçilmesine yönelik bir giriş.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Kullanıcının belirttiğiniz değerlerden tek bir seçim yapmasına olanak tanıyan bir grup radyo düğmesi girişi.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Bir veya daha fazla yazıyı, sayfayı veya yazı tipi öğesini arama seçeneğiyle birlikte seçmek için etkileşimli ve özelleştirilebilir bir kullanıcı arayüzü. ','An input for providing a password using a masked field.'=>'Maskelenmiş bir alan kullanarak parola sağlamaya yönelik bir giriş.','Filter by Post Status'=>'Yazı durumuna göre filtrele','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Arama seçeneğiyle birlikte bir veya daha fazla yazıyı, sayfayı, özel yazı tipi ögesini veya arşiv adresini seçmek için etkileşimli bir açılır menü.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Yerel WordPress oEmbed işlevselliğini kullanarak video, resim, tweet, ses ve diğer içerikleri gömmek için etkileşimli bir bileşen.','An input limited to numerical values.'=>'Sayısal değerlerle sınırlı bir giriş.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Diğer alanların yanında editörlere bir mesaj görüntülemek için kullanılır. Alanlarınızla ilgili ek bağlam veya talimatlar sağlamak için kullanışlıdır.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'WordPress yerel bağlantı seçiciyi kullanarak bir bağlantıyı ve onun başlık ve hedef gibi özelliklerini belirtmenize olanak tanır.','Uses the native WordPress media picker to upload, or choose images.'=>'Görselleri yüklemek veya seçmek için yerel WordPress ortam seçicisini kullanır.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Verileri ve düzenleme ekranını daha iyi organize etmek için alanları gruplar halinde yapılandırmanın bir yolunu sağlar.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Google Haritalar\'ı kullanarak konum seçmek için etkileşimli bir kullanıcı arayüzü. Doğru şekilde görüntülenmesi için bir Google Haritalar API anahtarı ve ek yapılandırma gerekir.','Uses the native WordPress media picker to upload, or choose files.'=>'Dosyaları yüklemek veya seçmek için yerel WordPress ortam seçicisini kullanır.','A text input specifically designed for storing email addresses.'=>'E-posta adreslerini saklamak için özel olarak tasarlanmış bir metin girişi.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Tarih ve saat seçmek için etkileşimli bir kullanıcı arayüzü. Tarih dönüş biçimi alan ayarları kullanılarak özelleştirilebilir.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Tarih seçmek için etkileşimli bir kullanıcı arayüzü. Tarih dönüş biçimi alan ayarları kullanılarak özelleştirilebilir.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Bir renk seçmek veya Hex değerini belirtmek için etkileşimli bir kullanıcı arayüzü.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Kullanıcının belirttiğiniz bir veya daha fazla değeri seçmesine olanak tanıyan bir grup onay kutusu girişi.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Belirlediğiniz değerlere sahip bir grup düğme, kullanıcılar sağlanan değerlerden bir seçeneği seçebilir.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Özel alanları, içeriği düzenlerken gösterilen daraltılabilir paneller halinde gruplandırmanıza ve düzenlemenize olanak tanır. Büyük veri kümelerini düzenli tutmak için kullanışlıdır.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Bu, tekrar tekrar tekrarlanabilecek bir dizi alt alanın üst öğesi olarak hareket ederek slaytlar, ekip üyeleri ve harekete geçirici mesaj parçaları gibi yinelenen içeriklere yönelik bir çözüm sağlar.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Bu, bir ek koleksiyonunu yönetmek için etkileşimli bir arayüz sağlar. Çoğu ayar görsel alanı türüne benzer. Ek ayarlar, galeride yeni eklerin nereye ekleneceğini ve izin verilen minimum/maksimum ek sayısını belirtmenize olanak tanır.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Bu, basit, yapılandırılmış, yerleşim tabanlı bir düzenleyici sağlar. Esnek içerik alanı, mevcut blokları tasarlamak için yerleşimleri ve alt alanları kullanarak içeriği tam kontrolle tanımlamanıza, oluşturmanıza ve yönetmenize olanak tanır.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Bu, mevcut alanları seçmenize ve görüntülemenize olanak tanır. Veritabanındaki hiçbir alanı çoğaltmaz, ancak seçilen alanları çalışma zamanında yükler ve görüntüler. Klon alanı kendisini seçilen alanlarla değiştirebilir veya seçilen alanları bir alt alan grubu olarak görüntüleyebilir.','nounClone'=>'Çoğalt','PRO'=>'PRO','Advanced'=>'Gelişmiş','JSON (newer)'=>'JSON (daha yeni)','Original'=>'Orijinal','Invalid post ID.'=>'Geçersiz yazı kimliği.','Invalid post type selected for review.'=>'İnceleme için geçersiz yazı tipi seçildi.','More'=>'Daha fazlası','Tutorial'=>'Başlangıç Kılavuzu','Select Field'=>'Alan seç','Try a different search term or browse %s'=>'Farklı bir arama terimi deneyin veya %s göz atın','Popular fields'=>'Popüler alanlar','No search results for \'%s\''=>'\'%s\' sorgusu için arama sonucu yok','Search fields...'=>'Arama alanları...','Select Field Type'=>'Alan tipi seçin','Popular'=>'Popüler','Add Taxonomy'=>'Sınıflandırma ekle','Create custom taxonomies to classify post type content'=>'Yazı tipi içeriğini sınıflandırmak için özel sınıflandırmalar oluşturun','Add Your First Taxonomy'=>'İlk sınıflandırmanızı ekleyin','Hierarchical taxonomies can have descendants (like categories).'=>'Hiyerarşik taksonomilerin alt ögeleri (kategoriler gibi) olabilir.','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Ön uçta ve yönetici kontrol panelinde bir sınıflandırmayı görünür hale getirir.','One or many post types that can be classified with this taxonomy.'=>'Bu sınıflandırmayla sınıflandırılabilecek bir veya daha fazla yazı tipi.','genre'=>'tür','Genre'=>'Tür','Genres'=>'Türler','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'\'WP_REST_Terms_Controller\' yerine kullanılacak isteğe bağlı özel denetleyici.','Expose this post type in the REST API.'=>'Bu yazı tipini REST API\'sinde gösterin.','Customize the query variable name'=>'Sorgu değişkeni adını özelleştirin','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Terimlere, güzel olmayan kalıcı bağlantı kullanılarak erişilebilir, örneğin, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Hiyerarşik sınıflandırmalar için web adreslerindeki üst-alt terimler.','Customize the slug used in the URL'=>'Adreste kullanılan kısa ismi özelleştir','Permalinks for this taxonomy are disabled.'=>'Bu sınıflandırmaya ilişkin kalıcı bağlantılar devre dışı bırakıldı.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Kısa isim olarak sınıflandırma anahtarını kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şöyle olacak','Taxonomy Key'=>'Sınıflandırma anahtarı','Select the type of permalink to use for this taxonomy.'=>'Bu sınıflandırma için kullanılacak kalıcı bağlantı türünü seçin.','Display a column for the taxonomy on post type listing screens.'=>'Yazı tipi listeleme ekranlarında sınıflandırma için bir sütun görüntüleyin.','Show Admin Column'=>'Yönetici sütununu göster','Show the taxonomy in the quick/bulk edit panel.'=>'Hızlı/toplu düzenleme panelinde sınıflandırmayı göster.','Quick Edit'=>'Hızlı düzenle','List the taxonomy in the Tag Cloud Widget controls.'=>'Etiket bulutu gereç kontrollerindeki sınıflandırmayı listele.','Tag Cloud'=>'Etiket bulutu','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Bir meta kutusundan kaydedilen sınıflandırma verilerinin temizlenmesi için çağrılacak bir PHP işlev adı.','Meta Box Sanitization Callback'=>'Meta kutusu temizleme geri çağrısı','Register Meta Box Callback'=>'Meta kutusu geri çağrısını kaydet','No Meta Box'=>'Meta mutusu yok','Custom Meta Box'=>'Özel meta kutusu','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'İçerik düzenleyici ekranındaki meta kutusunu kontrol eder. Varsayılan olarak, hiyerarşik sınıflandırmalar için Kategoriler meta kutusu gösterilir ve hiyerarşik olmayan sınıflandırmalar için Etiketler meta kutusu gösterilir.','Meta Box'=>'Meta kutusu','Categories Meta Box'=>'Kategoriler meta kutusu','Tags Meta Box'=>'Etiketler meta kutusu','A link to a tag'=>'Bir etikete bağlantı','Describes a navigation link block variation used in the block editor.'=>'Blok düzenleyicide kullanılan bir gezinme bağlantısı bloğu varyasyonunu açıklar.','A link to a %s'=>'Bir %s bağlantısı','Tag Link'=>'Etiket bağlantısı','Assigns a title for navigation link block variation used in the block editor.'=>'Blok düzenleyicide kullanılan gezinme bağlantısı blok varyasyonu için bir başlık atar.','← Go to tags'=>'← Etiketlere git','Assigns the text used to link back to the main index after updating a term.'=>'Bir terimi güncelleştirdikten sonra ana dizine geri bağlanmak için kullanılan metni atar.','Back To Items'=>'Öğelere geri dön','← Go to %s'=>'← %s git','Tags list'=>'Etiket listesi','Assigns text to the table hidden heading.'=>'Tablonun gizli başlığına metin atası yapar.','Tags list navigation'=>'Etiket listesi dolaşımı','Assigns text to the table pagination hidden heading.'=>'Tablo sayfalandırma gizli başlığına metin ataması yapar.','Filter by category'=>'Kategoriye göre filtrele','Assigns text to the filter button in the posts lists table.'=>'Yazı listeleri tablosundaki filtre düğmesine metin ataması yapar.','Filter By Item'=>'Ögeye göre filtrele','Filter by %s'=>'%s ile filtrele','The description is not prominent by default; however, some themes may show it.'=>'Tanım bölümü varsayılan olarak ön planda değildir, yine de bazı temalar bu bölümü gösterebilir.','Describes the Description field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki açıklama alanını tanımlar.','Description Field Description'=>'Açıklama alanı tanımı','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Hiyerarşi oluşturmak için bir üst terim atayın. Örneğin Jazz terimi Bebop ve Big Band\'in üst öğesi olacaktır','Describes the Parent field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki ana alanı açıklar.','Parent Field Description'=>'Ana alan açıklaması','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"Kısa isim", adın web adresi dostu sürümüdür. Genellikle tamamı küçük harftir ve yalnızca harf, sayı ve kısa çizgi içerir.','Describes the Slug field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki kısa isim alanını tanımlar.','Slug Field Description'=>'Kısa isim alanı açıklaması','The name is how it appears on your site'=>'Ad, sitenizde nasıl göründüğüdür','Describes the Name field on the Edit Tags screen.'=>'Etiketleri düzenle ekranındaki ad alanını açıklar.','Name Field Description'=>'Ad alan açıklaması','No tags'=>'Etiket yok','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Hiçbir etiket veya kategori bulunmadığında gönderilerde ve ortam listesi tablolarında görüntülenen metni atar.','No Terms'=>'Terim yok','No %s'=>'%s yok','No tags found'=>'Etiket bulunamadı','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Hiçbir etiket mevcut olmadığında sınıflandırma meta kutusundaki \'en çok kullanılanlardan seç\' metnine tıklandığında görüntülenen metnin atamasını yapar ve bir sınıflandırma için hiçbir öge olmadığında terimler listesi tablosunda kullanılan metnin atamasını yapar.','Not Found'=>'Bulunamadı','Assigns text to the Title field of the Most Used tab.'=>'En Çok Kullanılan sekmesinin başlık alanına metin atar.','Most Used'=>'En çok kullanılan','Choose from the most used tags'=>'En çok kullanılan etiketler arasından seç','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'JavaScript devre dışı bırakıldığında meta kutusunda kullanılan \'en çok kullanılandan seç\' metninin atamasını yapar. Yalnızca hiyerarşik olmayan sınıflandırmalarda kullanılır.','Choose From Most Used'=>'En çok kullanılanlardan seç','Choose from the most used %s'=>'En çok kullanılan %s arasından seçim yapın','Add or remove tags'=>'Etiket ekle ya da kaldır','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'JavaScript devre dışı olduğunda meta kutusunda kullanılan öğe ekleme veya kaldırma metninin atamasını yapar. Sadece hiyerarşik olmayan sınıflandırmalarda kullanılır.','Add Or Remove Items'=>'Öğeleri ekle veya kaldır','Add or remove %s'=>'%s ekle veya kaldır','Separate tags with commas'=>'Etiketleri virgül ile ayırın','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Ayrı öğeyi sınıflandırma meta kutusunda kullanılan virgül metniyle atar. Yalnızca hiyerarşik olmayan sınıflandırmalarda kullanılır.','Separate Items With Commas'=>'Ögeleri virgülle ayırın','Separate %s with commas'=>'%s içeriklerini virgülle ayırın','Popular Tags'=>'Popüler etiketler','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Popüler ögeler metninin atamasını yapar. Yalnızca hiyerarşik olmayan sınıflandırmalar için kullanılır.','Popular Items'=>'Popüler ögeler','Popular %s'=>'Popüler %s','Search Tags'=>'Etiketlerde ara','Assigns search items text.'=>'Arama öğeleri metninin atamasını yapar.','Parent Category:'=>'Üst kategori:','Assigns parent item text, but with a colon (:) added to the end.'=>'Üst öğe metninin atamasını yapar ancak sonuna iki nokta üst üste (:) eklenir.','Parent Item With Colon'=>'İki nokta üst üste ile ana öğe','Parent Category'=>'Üst kategori','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Üst öğe metnini belirler. Sadece hiyerarşik sınıflandırmalarda kullanılır.','Parent Item'=>'Ana öge','Parent %s'=>'Ebeveyn %s','New Tag Name'=>'Yeni etiket ismi','Assigns the new item name text.'=>'Yeni öğe adı metninin atamasını yapar.','New Item Name'=>'Yeni öge adı','New %s Name'=>'Yeni %s adı','Add New Tag'=>'Yeni etiket ekle','Assigns the add new item text.'=>'Yeni öğe ekleme metninin atamasını yapar.','Update Tag'=>'Etiketi güncelle','Assigns the update item text.'=>'Güncelleme öğesi metninin atamasını yapar.','Update Item'=>'Öğeyi güncelle','Update %s'=>'%s güncelle','View Tag'=>'Etiketi görüntüle','In the admin bar to view term during editing.'=>'Düzenleme sırasında terimi görüntülemek için yönetici çubuğunda.','Edit Tag'=>'Etiketi düzenle','At the top of the editor screen when editing a term.'=>'Bir terimi düzenlerken editör ekranının üst kısmında.','All Tags'=>'Tüm etiketler','Assigns the all items text.'=>'Tüm öğelerin metninin atamasını yapar.','Assigns the menu name text.'=>'Menü adı metninin atamasını yapar.','Menu Label'=>'Menü etiketi','Active taxonomies are enabled and registered with WordPress.'=>'Aktif sınıflandırmalar WordPress\'te etkinleştirilir ve kaydedilir.','A descriptive summary of the taxonomy.'=>'Sınıflandırmanın açıklayıcı bir özeti.','A descriptive summary of the term.'=>'Terimin açıklayıcı bir özeti.','Term Description'=>'Terim açıklaması','Single word, no spaces. Underscores and dashes allowed.'=>'Tek kelime, boşluksuz. Alt çizgi ve tireye izin var','Term Slug'=>'Terim kısa adı','The name of the default term.'=>'Varsayılan terimin adı.','Term Name'=>'Terim adı','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Sınıflandırma için silinemeyecek bir terim oluşturun. Varsayılan olarak yazılar için seçilmeyecektir.','Default Term'=>'Varsayılan terim','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Bu sınıflandırmadaki terimlerin `wp_set_object_terms()` işlevine sağlandıkları sıraya göre sıralanıp sıralanmayacağı.','Sort Terms'=>'Terimleri sırala','Add Post Type'=>'Yazı tipi ekle','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Özel yazı türleri ile WordPress\'in işlevselliğini standart yazılar ve sayfaların ötesine genişletin.','Add Your First Post Type'=>'İlk yazı türünüzü ekleyin','I know what I\'m doing, show me all the options.'=>'Ne yaptığımı biliyorum, baba tüm seçenekleri göster.','Advanced Configuration'=>'Gelişmiş yapılandırma','Hierarchical post types can have descendants (like pages).'=>'Hiyerarşik yazı türleri, alt öğelere (sayfalar gibi) sahip olabilir.','Hierarchical'=>'Hiyerarşik','Visible on the frontend and in the admin dashboard.'=>'Kulanıcı görünümü ve yönetim panelinde görünür.','Public'=>'Herkese açık','movie'=>'film','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Sadece küçük harfler, alt çizgi ve tireler, En fazla 20 karakter.','Movie'=>'Film','Singular Label'=>'Tekil etiket','Movies'=>'Filmler','Plural Label'=>'Çoğul etiket','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'`WP_REST_Posts_Controller` yerine kullanılacak isteğe bağlı özel denetleyici.','Controller Class'=>'Denetleyici sınıfı','The namespace part of the REST API URL.'=>'REST API adresinin ad alanı bölümü.','Namespace Route'=>'Ad alanı yolu','The base URL for the post type REST API URLs.'=>'Yazı tipi REST API adresleri için temel web adresi.','Base URL'=>'Temel web adresi','Exposes this post type in the REST API. Required to use the block editor.'=>'Bu yazı türünü REST API\'de görünür hale getirir. Blok düzenleyiciyi kullanmak için gereklidir.','Show In REST API'=>'REST API\'de göster','Customize the query variable name.'=>'Sorgu değişken adını özelleştir.','Query Variable'=>'Sorgu değişkeni','No Query Variable Support'=>'Sorgu değişkeni desteği yok','Custom Query Variable'=>'Özel sorgu değişkeni','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Ögelere güzel olmayan kalıcı bağlantı kullanılarak erişilebilir, örn. {post_type}={post_slug}.','Query Variable Support'=>'Sorgu değişken desteği','URLs for an item and items can be accessed with a query string.'=>'Bir öğe ve öğeler için adreslere bir sorgu dizesi ile erişilebilir.','Publicly Queryable'=>'Herkese açık olarak sorgulanabilir','Custom slug for the Archive URL.'=>'Arşiv adresi için özel kısa isim','Archive Slug'=>'Arşiv kısa ismi','Has an item archive that can be customized with an archive template file in your theme.'=>'Temanızdaki bir arşiv şablon dosyası ile özelleştirilebilen bir öğe arşivine sahiptir.','Archive'=>'Arşiv','Pagination support for the items URLs such as the archives.'=>'Arşivler gibi öğe adresleri için sayfalama desteği.','Pagination'=>'Sayfalama','RSS feed URL for the post type items.'=>'Yazı türü öğeleri için RSS akış adresi.','Feed URL'=>'Akış adresi','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Adreslere WP_Rewrite::$front önekini eklemek için kalıcı bağlantı yapısını değiştirir.','Front URL Prefix'=>'Ön adres öneki','Customize the slug used in the URL.'=>'Adreste kullanılan kısa ismi özelleştirin.','URL Slug'=>'Adres kısa adı','Permalinks for this post type are disabled.'=>'Bu yazı türü için kalıcı bağlantılar devre dışı bırakıldı.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Aşağıdaki girişte tanımlanan özel kısa ismi kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şu şekilde olacaktır','No Permalink (prevent URL rewriting)'=>'Kalıcı bağlantı yok (URL biçimlendirmeyi önle)','Custom Permalink'=>'Özel kalıcı bağlantı','Post Type Key'=>'Yazı türü anahtarı','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Yazı türü anahtarını kısa isim olarak kullanarak adresi yeniden yazın. Kalıcı bağlantı yapınız şu şekilde olacaktır','Permalink Rewrite'=>'Kalıcı bağlantı yeniden yazım','Delete items by a user when that user is deleted.'=>'Bir kullanıcı silindiğinde öğelerini sil.','Delete With User'=>'Kullanıcı ile sil.','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Yazı türünün \'Araçlar\' > \'Dışa Aktar\' kısmından dışa aktarılmasına izin verir.','Can Export'=>'Dışarı aktarılabilir','Optionally provide a plural to be used in capabilities.'=>'Yetkinliklerde kullanılacak bir çoğul ad sağlayın (isteğe bağlı).','Plural Capability Name'=>'Çoğul yetkinlik adı','Choose another post type to base the capabilities for this post type.'=>'Bu yazı türü için yeteneklerin temel alınacağı başka bir yazı türü seçin.','Singular Capability Name'=>'Tekil yetkinlik adı','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Varsayılan olarak, yazı türünün yetenekleri \'Yazı\' yetenek isimlerini devralacaktır, örneğin edit_post, delete_posts. Yazı türüne özgü yetenekleri kullanmak için etkinleştirin, örneğin edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Yetkinlikleri yeniden adlandır','Exclude From Search'=>'Aramadan hariç tut','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Öğelerin \'Görünüm\' > \'Menüler\' ekranında menülere eklenmesine izin verin. \'Ekran seçenekleri\'nde etkinleştirilmesi gerekir.','Appearance Menus Support'=>'Görünüm menüleri desteği','Appears as an item in the \'New\' menu in the admin bar.'=>'Yönetim çubuğundaki \'Yeni\' menüsünde bir öğe olarak görünür.','Show In Admin Bar'=>'Yönetici araç çubuğunda göster','Custom Meta Box Callback'=>'Özel meta kutusu geri çağrısı','Menu Icon'=>'Menü Simgesi','The position in the sidebar menu in the admin dashboard.'=>'Yönetim panosundaki kenar çubuğu menüsündeki konum.','Menu Position'=>'Menü pozisyonu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Varsayılan olarak, yazı türü yönetim menüsünde yeni bir üst düzey öğe olarak görünecektir. Buraya mevcut bir üst düzey öğe sağlanırsa, yazı türü onun alt menü öğesi olarak eklenir.','Admin Menu Parent'=>'Admin menüsü üst ögesi','Admin editor navigation in the sidebar menu.'=>'Kenar çubuğu menüsünde yönetici editörü dolaşımı.','Show In Admin Menu'=>'Admin menüsünde göster','Items can be edited and managed in the admin dashboard.'=>'Öğeler yönetim panelinde düzenlenebilir ve yönetilebilir.','Show In UI'=>'Kullanıcı arayüzünde göster','A link to a post.'=>'Yazıya bir bağlantı.','Description for a navigation link block variation.'=>'Bir gezinme bağlantısı blok varyasyonu için açıklama.','Item Link Description'=>'Öğe listesi açıklaması','A link to a %s.'=>'%s yazı türüne bir bağlantı.','Post Link'=>'Yazı bağlantısı','Title for a navigation link block variation.'=>'Bir gezinme bağlantısı blok varyasyonu için başlık.','Item Link'=>'Öğe bağlantısı','%s Link'=>'%s bağlantısı','Post updated.'=>'Yazı güncellendi.','In the editor notice after an item is updated.'=>'Bir öğe güncellendikten sonra düzenleyici bildiriminde.','Item Updated'=>'Öğe güncellendi','%s updated.'=>'%s güncellendi.','Post scheduled.'=>'Yazı zamanlandı.','In the editor notice after scheduling an item.'=>'Bir öğe zamanlandıktan sonra düzenleyici bildiriminde.','Item Scheduled'=>'Öğe zamanlandı','%s scheduled.'=>'%s zamanlandı.','Post reverted to draft.'=>'Yazı taslağa geri dönüştürüldü.','In the editor notice after reverting an item to draft.'=>'Bir öğe taslağa döndürüldükten sonra düzenleyici bildiriminde.','Item Reverted To Draft'=>'Öğe taslağa döndürüldü.','%s reverted to draft.'=>'%s taslağa çevrildi.','Post published privately.'=>'Yazı özel olarak yayımlandı.','In the editor notice after publishing a private item.'=>'Özel bir öğe yayımlandıktan sonra düzenleyici bildiriminde.','Item Published Privately'=>'Öğe özel olarak yayımlandı.','%s published privately.'=>'%s özel olarak yayımlandı.','Post published.'=>'Yazı yayınlandı.','In the editor notice after publishing an item.'=>'Bir öğe yayımlandıktan sonra düzenleyici bildiriminde.','Item Published'=>'Öğe yayımlandı.','%s published.'=>'%s yayımlandı.','Posts list'=>'Yazı listesi','Used by screen readers for the items list on the post type list screen.'=>'Yazı türü liste ekranındaki öğeler listesi için ekran okuyucular tarafından kullanılır.','Items List'=>'Öğe listesi','%s list'=>'%s listesi','Posts list navigation'=>'Yazı listesi dolaşımı','Used by screen readers for the filter list pagination on the post type list screen.'=>'Yazı türü liste ekranındaki süzme listesi sayfalandırması için ekran okuyucular tarafından kullanılır.','Items List Navigation'=>'Öğe listesi gezinmesi','%s list navigation'=>'%s listesi gezinmesi','Filter posts by date'=>'Yazıları tarihe göre süz','Used by screen readers for the filter by date heading on the post type list screen.'=>'Yazı türü liste ekranındaki tarihe göre süzme başlığı için ekran okuyucular tarafından kullanılır.','Filter Items By Date'=>'Öğeleri tarihe göre süz','Filter %s by date'=>'%s öğelerini tarihe göre süz','Filter posts list'=>'Yazı listesini filtrele','Used by screen readers for the filter links heading on the post type list screen.'=>'Yazı türü liste ekranındaki süzme bağlantıları başlığı için ekran okuyucular tarafından kullanılır.','Filter Items List'=>'Öğe listesini süz','Filter %s list'=>'%s listesini süz','In the media modal showing all media uploaded to this item.'=>'Bu öğeye yüklenen tüm ortam dosyalraını gösteren ortam açılır ekranında.','Uploaded To This Item'=>'Bu öğeye yüklendi','Uploaded to this %s'=>'Bu %s öğesine yüklendi','Insert into post'=>'Yazıya ekle','As the button label when adding media to content.'=>'İçeriğie ortam eklerken düğme etiketi olarak.','Insert Into Media Button'=>'Ortam düğmesine ekle','Insert into %s'=>'%s içine ekle','Use as featured image'=>'Öne çıkan görsel olarak kullan','As the button label for selecting to use an image as the featured image.'=>'Bir görseli öne çıkan görsel olarak seçme düğmesi etiketi olarak.','Use Featured Image'=>'Öne çıkan görseli kullan','Remove featured image'=>'Öne çıkan görseli kaldır','As the button label when removing the featured image.'=>'Öne çıkan görseli kaldırma düğmesi etiketi olarak.','Remove Featured Image'=>'Öne çıkarılan görseli kaldır','Set featured image'=>'Öne çıkan görsel seç','As the button label when setting the featured image.'=>'Öne çıkan görseli ayarlarken düğme etiketi olarak.','Set Featured Image'=>'Öne çıkan görsel belirle','Featured image'=>'Öne çıkan görsel','In the editor used for the title of the featured image meta box.'=>'Öne çıkan görsel meta kutusunun başlığı için düzenleyicide kullanılır.','Featured Image Meta Box'=>'Öne çıkan görsel meta kutusu','Post Attributes'=>'Yazı özellikleri','In the editor used for the title of the post attributes meta box.'=>'Yazı öznitelikleri meta kutusunun başlığı için kullanılan düzenleyicide.','Attributes Meta Box'=>'Öznitelikler meta kutusu','%s Attributes'=>'%s öznitelikleri','Post Archives'=>'Yazı arşivleri','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Arşivlerin etkin olduğu bir ÖYT\'nde mevcut bir menüye öge eklerken gösterilen yazılar listesine bu etikete sahip \'Yazı tipi arşivi\' ögelerini ekler. Yalnızca \'Canlı önizleme\' modunda menüler düzenlenirken ve özel bir arşiv kısa adı sağlandığında görünür.','Archives Nav Menu'=>'Arşivler dolaşım menüsü','%s Archives'=>'%s arşivleri','No posts found in Trash'=>'Çöp kutusunda yazı bulunamadı.','At the top of the post type list screen when there are no posts in the trash.'=>'Çöp kutusunda yazı olmadığında yazı türü liste ekranının üstünde.','No Items Found in Trash'=>'Çöp kutusunda öğe bulunamadı.','No %s found in Trash'=>'Çöpte %s bulunamadı','No posts found'=>'Yazı bulunamadı','At the top of the post type list screen when there are no posts to display.'=>'Gösterilecek yazı olmadığında yazı türü liste ekranının üstünde.','No Items Found'=>'Öğe bulunamadı','No %s found'=>'%s bulunamadı','Search Posts'=>'Yazılarda ara','At the top of the items screen when searching for an item.'=>'Bir öğe ararken öğeler ekranının üstünde.','Search Items'=>'Öğeleri ara','Search %s'=>'Ara %s','Parent Page:'=>'Ebeveyn sayfa:','For hierarchical types in the post type list screen.'=>'Hiyerarşik türler için yazı türü liste ekranında.','Parent Item Prefix'=>'Üst öğe ön eki','Parent %s:'=>'Ebeveyn %s:','New Post'=>'Yeni yazı','New Item'=>'Yeni öğe','New %s'=>'Yeni %s','Add New Post'=>'Yeni yazı ekle','At the top of the editor screen when adding a new item.'=>'Yeni bir öğe eklerken düzenleyici ekranının üstünde.','Add New Item'=>'Yeni öğe ekle','Add New %s'=>'Yeni %s ekle','View Posts'=>'Yazıları görüntüle','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Yazı türü arşivleri destekliyorsa ve ana sayfa o yazı türünün bir arşivi değilse yönetim çubuğunda \'Tüm Yazılar\' görünümünde görünür.','View Items'=>'Öğeleri göster','View Post'=>'Yazıyı görüntüle','In the admin bar to view item when editing it.'=>'Öğeyi düzenlerken görüntülemek için yönetim çubuğunda.','View Item'=>'Öğeyi göster','View %s'=>'%s görüntüle','Edit Post'=>'Yazıyı düzenle','At the top of the editor screen when editing an item.'=>'Bir öğeyi düzenlerken düzenleyici ekranının üstünde.','Edit Item'=>'Öğeyi düzenle','Edit %s'=>'%s düzenle','All Posts'=>'Tüm yazılar','In the post type submenu in the admin dashboard.'=>'Başlangıç ekranında yazı türü alt menüsünde.','All Items'=>'Tüm öğeler','All %s'=>'Tüm %s','Admin menu name for the post type.'=>'Yazı türü için yönetici menüsü adı.','Menu Name'=>'Menü ismi','Regenerate all labels using the Singular and Plural labels'=>'Tekil ve Çoğul etiketleri kullanarak tüm etiketleri yeniden oluşturun.','Regenerate'=>'Yeniden oluştur','Active post types are enabled and registered with WordPress.'=>'Aktif yazı türleri etkinleştirilmiş ve WordPress\'e kaydedilmiştir.','A descriptive summary of the post type.'=>'Yazı türünün açıklayıcı bir özeti.','Add Custom'=>'Özel ekle','Enable various features in the content editor.'=>'İçerik düzenleyicide çeşitli özellikleri etkinleştirin.','Post Formats'=>'Yazı biçimleri','Editor'=>'Editör','Trackbacks'=>'Geri izlemeler','Select existing taxonomies to classify items of the post type.'=>'Yazı türü öğelerini sınıflandırmak için mevcut sınıflandırmalardan seçin.','Browse Fields'=>'Alanlara Göz At','Nothing to import'=>'İçeri aktarılacak bir şey yok','. The Custom Post Type UI plugin can be deactivated.'=>'. Custom Post Type UI eklentisi etkisizleştirilebilir.','Imported %d item from Custom Post Type UI -'=>'Custom Post Type UI\'dan %d öğe içe aktarıldı -' . "\0" . 'Custom Post Type UI\'dan %d öğe içe aktarıldı -','Failed to import taxonomies.'=>'Sınıflandırmalar içeri aktarılamadı.','Failed to import post types.'=>'Yazı türleri içeri aktarılamadı.','Nothing from Custom Post Type UI plugin selected for import.'=>'Custom Post Type UI eklentisinden içe aktarmak için hiçbir şey seçilmedi.','Imported 1 item'=>'Bir öğe içeri aktarıldı' . "\0" . '%s öğe içeri aktarıldı','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Aynı anahtara sahip bir yazı türü veya sınıflandırmayı içe aktarmak, içe aktarılanın ayarlarının mevcut yazı türü veya sınıflandırma ayarlarının üzerine yazılmasına neden olacaktır.','Import from Custom Post Type UI'=>'Custom Post Type UI\'dan İçe Aktar','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Aşağıdaki kod, seçilen öğelerin yerel bir sürümünü kaydetmek için kullanılabilir. Alan gruplarını, yazı türlerini veya sınıflandırmaları yerel olarak depolamak, daha hızlı yükleme süreleri, sürüm kontrolü ve dinamik alanlar/ayarlar gibi birçok avantaj sağlayabilir. Aşağıdaki kodu temanızın functions.php dosyasına kopyalayıp yapıştırmanız veya harici bir dosya içinde dahil etmeniz yeterlidir, ardından ACF yönetim panelinden öğeleri devre dışı bırakın veya silin.','Export - Generate PHP'=>'Dışa Aktar - PHP Oluştur','Export'=>'Dışa aktar','Select Taxonomies'=>'Sınıflandırmaları seç','Select Post Types'=>'Yazı türlerini seç','Exported 1 item.'=>'Bir öğe dışa aktarıldı.' . "\0" . '%s öğe dışa aktarıldı.','Category'=>'Kategori','Tag'=>'Etiket','%s taxonomy created'=>'%s taksonomisi oluşturuldu','%s taxonomy updated'=>'%s taksonomisi güncellendi','Taxonomy draft updated.'=>'Taksonomi taslağı güncellendi.','Taxonomy scheduled for.'=>'Taksonomi planlandı.','Taxonomy submitted.'=>'Sınıflandırma gönderildi.','Taxonomy saved.'=>'Sınıflandırma kaydedildi.','Taxonomy deleted.'=>'Sınıflandırma silindi.','Taxonomy updated.'=>'Sınıflandırma güncellendi.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Bu sınıflandırma kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir sınıflandırma tarafından kullanılıyor.','Taxonomy synchronized.'=>'Taksonomi senkronize edildi.' . "\0" . '%s taksonomi senkronize edildi.','Taxonomy duplicated.'=>'Taksonomi çoğaltıldı.' . "\0" . '%s taksonomi çoğaltıldı.','Taxonomy deactivated.'=>'Sınıflandırma devre dışı bırakıldı.' . "\0" . '%s sınıflandırma devre dışı bırakıldı.','Taxonomy activated.'=>'Taksonomi etkinleştirildi.' . "\0" . '%s aksonomi etkinleştirildi.','Terms'=>'Terimler','Post type synchronized.'=>'Yazı türü senkronize edildi.' . "\0" . '%s yazı türü senkronize edildi.','Post type duplicated.'=>'Yazı türü çoğaltıldı.' . "\0" . '%s yazı türü çoğaltıldı.','Post type deactivated.'=>'Yazı türü etkisizleştirildi.' . "\0" . '%s yazı türü etkisizleştirildi.','Post type activated.'=>'Yazı türü etkinleştirildi.' . "\0" . '%s yazı türü etkinleştirildi.','Post Types'=>'Yazı tipleri','Advanced Settings'=>'Gelişmiş ayarlar','Basic Settings'=>'Temel ayarlar','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Bu yazı türü kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir yazı türü tarafından kullanılıyor.','Pages'=>'Sayfalar','Link Existing Field Groups'=>'Mevcut alan gruplarını bağlayın','%s post type created'=>'%s yazı tipi oluşturuldu','Add fields to %s'=>'%s taksonomisine alan ekle','%s post type updated'=>'%s yazı tipi güncellendi','Post type draft updated.'=>'Yazı türü taslağı güncellendi.','Post type scheduled for.'=>'Yazı türü zamanlandı.','Post type submitted.'=>'Yazı türü gönderildi.','Post type saved.'=>'Yazı türü kaydedildi','Post type updated.'=>'Yazı türü güncellendi.','Post type deleted.'=>'Yazı türü silindi','Type to search...'=>'Aramak için yazın...','PRO Only'=>'Sadece PRO\'da','Field groups linked successfully.'=>'Alan grubu başarıyla bağlandı.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Custom Post Type UI ile kaydedilen yazı türleri ve sınıflandırmaları içeri aktarın ve ACF ile yönetin. Başlayın.','ACF'=>'ACF','taxonomy'=>'taksonomi','post type'=>'yazı tipi','Done'=>'Tamamlandı','Field Group(s)'=>'Alan grup(lar)ı','Select one or many field groups...'=>'Bir veya daha fazla alan grubu seçin...','Please select the field groups to link.'=>'Lütfen bağlanacak alan gruplarını seçin.','Field group linked successfully.'=>'Alan grubu başarıyla bağlandı.' . "\0" . 'Alan grubu başarıyla bağlandı.','post statusRegistration Failed'=>'Kayıt başarısız','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Bu öğe kaydedilemedi çünkü anahtarı başka bir eklenti veya tema tarafından kaydedilen başka bir öğe tarafından kullanılıyor.','REST API'=>'REST API','Permissions'=>'İzinler','URLs'=>'URL\'ler','Visibility'=>'Görünürlük','Labels'=>'Etiketler','Field Settings Tabs'=>'Alan ayarı sekmeleri','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[ACF kısa kod değeri ön izleme için devre dışı bırakıldı]','Close Modal'=>'Pencereyi kapat','Field moved to other group'=>'Alan başka bir gruba taşındı.','Close modal'=>'Modalı kapat','Start a new group of tabs at this tab.'=>'Bu sekmede yeni bir sekme grubu başlatın.','New Tab Group'=>'Yeni sekme grubu','Use a stylized checkbox using select2'=>'Select2 kullanarak biçimlendirilmiş bir seçim kutusu kullan','Save Other Choice'=>'Diğer seçeneğini kaydet','Allow Other Choice'=>'Diğer seçeneğine izin ver','Add Toggle All'=>'Tümünü aç/kapat ekle','Save Custom Values'=>'Özel değerleri kaydet','Allow Custom Values'=>'Özel değerlere izin ver','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Onay kutusu özel değerleri boş olamaz. Boş değerlerin seçimini kaldırın.','Updates'=>'Güncellemeler','Advanced Custom Fields logo'=>'Advanced Custom Fields logosu','Save Changes'=>'Değişiklikleri kaydet','Field Group Title'=>'Alan grubu başlığı','Add title'=>'Başlık ekle','New to ACF? Take a look at our getting started guide.'=>'ACF\'de yeni misiniz? başlangıç kılavuzumuza göz atın.','Add Field Group'=>'Alan grubu ekle','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF, özel alanları bir araya toplamak için alan gruplarını kullanır ve akabinde bu alanları düzenleme ekranlarına ekler.','Add Your First Field Group'=>'İlk alan grubunuzu ekleyin','Options Pages'=>'Seçenekler sayfası','ACF Blocks'=>'ACF blokları','Gallery Field'=>'Galeri alanı','Flexible Content Field'=>'Esnek içerik alanı','Repeater Field'=>'Tekrarlayıcı alanı','Unlock Extra Features with ACF PRO'=>'ACF PRO ile ek özelikler açın','Delete Field Group'=>'Alan grubunu sil','Created on %1$s at %2$s'=>'%1$s tarihinde %2$s saatinde oluşturuldu','Group Settings'=>'Grup ayarları','Location Rules'=>'Konum kuralları','Choose from over 30 field types. Learn more.'=>'30\'dan fazla alan türünden seçim yapın. Daha fazla bilgi edinin.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Yazılarınız, sayfalarınız, özel yazı tipleriniz ve diğer WordPress içerikleriniz için yeni özel alanlar oluşturmaya başlayın.','Add Your First Field'=>'İlk alanınızı ekleyin','#'=>'#','Add Field'=>'Alan ekle','Presentation'=>'Sunum','Validation'=>'Doğrulama','General'=>'Genel','Import JSON'=>'JSON\'u içe aktar','Export As JSON'=>'JSON olarak dışa aktar','Field group deactivated.'=>'Alan grubu silindi.' . "\0" . '%s alan grubu silindi.','Field group activated.'=>'Alan grubu kaydedildi.' . "\0" . '%s alan grubu kaydedildi.','Deactivate'=>'Devre dışı bırak','Deactivate this item'=>'Bu öğeyi devre dışı bırak','Activate'=>'Etkinleştir','Activate this item'=>'Bu öğeyi etkinleştir','Move field group to trash?'=>'Alan grubu çöp kutusuna taşınsın mı?','post statusInactive'=>'Devre dışı','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields ve Advanced Custom Fields PRO aynı anda etkin olmamalıdır. Advanced Custom Fields PRO eklentisini otomatik olarak devre dışı bıraktık.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields ve Advanced Custom Fields PRO aynı anda etkin olmamalıdır. Advanced Custom Fields eklentisini otomatik olarak devre dışı bıraktık.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - ACF başlatılmadan önce ACF alan değerlerini almak için bir veya daha fazla çağrı algıladık. Bu desteklenmez ve hatalı biçimlendirilmiş veya eksik verilere neden olabilir. Bunu nasıl düzelteceğinizi öğrenin.','%1$s must have a user with the %2$s role.'=>'%1$s %2$s rolüne sahip bir kullanıcıya sahip olmalıdır.' . "\0" . '%1$s şu rollerden birine ait bir kullanıcıya sahip olmalıdır: %2$s','%1$s must have a valid user ID.'=>'%1$s geçerli bir kullanıcı kimliğine sahip olmalıdır.','Invalid request.'=>'Geçersiz istek.','%1$s is not one of %2$s'=>'%1$s bir %2$s değil','%1$s must have term %2$s.'=>'%1$s %2$s terimine sahip olmalı.' . "\0" . '%1$s şu terimlerden biri olmalı: %2$s','%1$s must be of post type %2$s.'=>'%1$s %2$s yazı tipinde olmalıdır.' . "\0" . '%1$s şu yazı tiplerinden birinde olmalıdır: %2$s','%1$s must have a valid post ID.'=>'%1$s geçerli bir yazı kimliği olmalıdır.','%s requires a valid attachment ID.'=>'%s geçerli bir ek kimliği gerektirir.','Show in REST API'=>'REST API\'da göster','Enable Transparency'=>'Saydamlığı etkinleştir','RGBA Array'=>'RGBA dizisi','RGBA String'=>'RGBA metni','Hex String'=>'Hex metin','Upgrade to PRO'=>'Pro sürüme yükselt','post statusActive'=>'Etkin','\'%s\' is not a valid email address'=>'\'%s\' geçerli bir e-posta adresi değil','Color value'=>'Renk değeri','Select default color'=>'Varsayılan rengi seç','Clear color'=>'Rengi temizle','Blocks'=>'Bloklar','Options'=>'Ayarlar','Users'=>'Kullanıcılar','Menu items'=>'Menü ögeleri','Widgets'=>'Bileşenler','Attachments'=>'Dosya ekleri','Taxonomies'=>'Taksonomiler','Posts'=>'İletiler','Last updated: %s'=>'Son güncellenme: %s','Sorry, this post is unavailable for diff comparison.'=>'Üzgünüz, bu alan grubu fark karşılaştırma için uygun değil.','Invalid field group parameter(s).'=>'Geçersiz alan grubu parametresi/leri.','Awaiting save'=>'Kayıt edilmeyi bekliyor','Saved'=>'Kaydedildi','Import'=>'İçe aktar','Review changes'=>'Değişiklikleri incele','Located in: %s'=>'Konumu: %s','Located in plugin: %s'=>'Eklenti içinde konumlu: %s','Located in theme: %s'=>'Tema içinde konumlu: %s','Various'=>'Çeşitli','Sync changes'=>'Değişiklikleri eşitle','Loading diff'=>'Fark yükleniyor','Review local JSON changes'=>'Yerel JSON değişikliklerini incele','Visit website'=>'Web sitesini ziyaret et','View details'=>'Ayrıntıları görüntüle','Version %s'=>'Sürüm %s','Information'=>'Bilgi','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Yardım masası. Yardım masamızdaki profesyonel destek çalışanlarımızı daha derin, teknik sorunların üstesinden gelmenize yardımcı olabilirler.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Tartışmalar. Topluluk forumlarımızda etkin ve dost canlısı bir topluluğumuz var, sizi ACF dünyasının \'nasıl yaparım\'ları ile ilgili yardımcı olabilirler.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Belgeler. Karşınıza çıkabilecek bir çok konu hakkında geniş içerikli belgelerimize baş vurabilirsiniz.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Destek konusunu çok ciddiye alıyoruz ve size ACF ile sitenizde en iyi çözümlere ulaşmanızı istiyoruz. Eğer bir sorunla karşılaşırsanız yardım alabileceğiniz bir kaç yer var:','Help & Support'=>'Yardım ve destek','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'İşin içinden çıkamadığınızda lütfen Yardım ve destek sekmesinden irtibata geçin.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'İlk alan grubunuzu oluşturmadan önce Başlarken rehberimize okumanızı öneririz, bu sayede eklentinin filozofisini daha iyi anlayabilir ve en iyi çözümleri öğrenebilirsiniz.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'The Advanced Custom Fields eklentisi bir görsel form oluşturucu ile WordPress düzenleme ekranlarını ek alanlarla özelleştirme imkanı sağlıyor, ve sezgisel API ile her türlü tema şablon dosyasında bu özel alanlar gösterilebiliyor.','Overview'=>'Genel görünüm','Location type "%s" is already registered.'=>'Konum türü "%s" zaten kayıtlı.','Class "%s" does not exist.'=>'"%s" sınıfı mevcut değil.','Invalid nonce.'=>'Geçersiz nonce.','Error loading field.'=>'Alan yükleme sırasında hata.','Error: %s'=>'Hata: %s','Widget'=>'Bileşen','User Role'=>'Kullanıcı rolü','Comment'=>'Yorum','Post Format'=>'Yazı biçimi','Menu Item'=>'Menü ögesi','Post Status'=>'Yazı durumu','Menus'=>'Menüler','Menu Locations'=>'Menü konumları','Menu'=>'Menü','Post Taxonomy'=>'Yazı taksonomisi','Child Page (has parent)'=>'Alt sayfa (ebeveyni olan)','Parent Page (has children)'=>'Üst sayfa (alt sayfası olan)','Top Level Page (no parent)'=>'Üst düzey sayfa (ebeveynsiz)','Posts Page'=>'Yazılar sayfası','Front Page'=>'Ön Sayfa','Page Type'=>'Sayfa tipi','Viewing back end'=>'Arka yüz görüntüleniyor','Viewing front end'=>'Ön yüz görüntüleniyor','Logged in'=>'Giriş yapıldı','Current User'=>'Şu anki kullanıcı','Page Template'=>'Sayfa şablonu','Register'=>'Kayıt ol','Add / Edit'=>'Ekle / düzenle','User Form'=>'Kullanıcı formu','Page Parent'=>'Sayfa ebeveyni','Super Admin'=>'Süper yönetici','Current User Role'=>'Şu anki kullanıcı rolü','Default Template'=>'Varsayılan şablon','Post Template'=>'Yazı şablonu','Post Category'=>'Yazı kategorisi','All %s formats'=>'Tüm %s biçimleri','Attachment'=>'Eklenti','%s value is required'=>'%s değeri gerekli','Show this field if'=>'Alanı bu şart gerçekleşirse göster','Conditional Logic'=>'Koşullu mantık','and'=>'ve','Local JSON'=>'Yerel JSON','Clone Field'=>'Çoğaltma alanı','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Lütfen ayrıca premium eklentilerin de (%s) en üst sürüme güncellendiğinden emin olun.','This version contains improvements to your database and requires an upgrade.'=>'Bu sürüm veritabanınız için iyileştirmeler içeriyor ve yükseltme gerektiriyor.','Thank you for updating to %1$s v%2$s!'=>'%1$s v%2$s sürümüne güncellediğiniz için teşekkür ederiz!','Database Upgrade Required'=>'Veritabanı yükseltmesi gerekiyor','Options Page'=>'Seçenekler sayfası','Gallery'=>'Galeri','Flexible Content'=>'Esnek içerik','Repeater'=>'Tekrarlayıcı','Back to all tools'=>'Tüm araçlara geri dön','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)'=>'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)','Select items to hide them from the edit screen.'=>'Düzenleme ekranından gizlemek istediğiniz ögeleri seçin.','Hide on screen'=>'Ekranda gizle','Send Trackbacks'=>'Geri izlemeleri gönder','Tags'=>'Etiketler','Categories'=>'Kategoriler','Page Attributes'=>'Sayfa özellikleri','Format'=>'Biçim','Author'=>'Yazar','Slug'=>'Kısa isim','Revisions'=>'Sürümler','Comments'=>'Yorumlar','Discussion'=>'Tartışma','Excerpt'=>'Özet','Content Editor'=>'İçerik düzenleyici','Permalink'=>'Kalıcı bağlantı','Shown in field group list'=>'Alan grubu listesinde görüntülenir','Field groups with a lower order will appear first'=>'Daha düşük sıralamaya sahip alan grupları daha önce görünür','Order No.'=>'Sipariş No.','Below fields'=>'Alanlarının altında','Below labels'=>'Etiketlerin altında','Instruction Placement'=>'Yönerge yerleştirme','Label Placement'=>'Etiket yerleştirme','Side'=>'Yan','Normal (after content)'=>'Normal (içerikten sonra)','High (after title)'=>'Yüksek (başlıktan sonra)','Position'=>'Konum','Seamless (no metabox)'=>'Pürüzsüz (metabox yok)','Standard (WP metabox)'=>'Standart (WP metabox)','Style'=>'Stil','Type'=>'Tür','Key'=>'Anahtar','Order'=>'Düzen','Close Field'=>'Alanı kapat','id'=>'id','class'=>'sınıf','width'=>'genişlik','Wrapper Attributes'=>'Kapsayıcı öznitelikleri','Required'=>'Gerekli','Instructions'=>'Yönergeler','Field Type'=>'Alan tipi','Single word, no spaces. Underscores and dashes allowed'=>'Tek kelime, boşluksuz. Alt çizgi ve tireye izin var','Field Name'=>'Alan adı','This is the name which will appear on the EDIT page'=>'Bu isim DÜZENLEME sayfasında görüntülenecek isimdir','Field Label'=>'Alan etiketi','Delete'=>'Sil','Delete field'=>'Sil alanı','Move'=>'Taşı','Move field to another group'=>'Alanı başka gruba taşı','Duplicate field'=>'Alanı çoğalt','Edit field'=>'Alanı düzenle','Drag to reorder'=>'Yeniden düzenlemek için sürükleyin','Show this field group if'=>'Bu alan grubunu şu koşulda göster','No updates available.'=>'Güncelleme yok.','Database upgrade complete. See what\'s new'=>'Veritabanı yükseltme tamamlandı. Yenilikler ','Reading upgrade tasks...'=>'Yükseltme görevlerini okuyor...','Upgrade failed.'=>'Yükseltme başarısız oldu.','Upgrade complete.'=>'Yükseltme başarılı.','Upgrading data to version %s'=>'Veri %s sürümüne yükseltiliyor','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Devam etmeden önce veritabanınızı yedeklemeniz önemle önerilir. Güncelleştiriciyi şimdi çalıştırmak istediğinizden emin misiniz?','Please select at least one site to upgrade.'=>'Lütfen yükseltmek için en az site seçin.','Database Upgrade complete. Return to network dashboard'=>'Veritabanı güncellemesi tamamlandı. Ağ panosuna geri dön','Site is up to date'=>'Site güncel','Site requires database upgrade from %1$s to %2$s'=>'Site %1$s sürümünden %2$s sürümüne veritabanı yükseltmesi gerektiriyor','Site'=>'Site','Upgrade Sites'=>'Siteleri yükselt','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Şu siteler için VT güncellemesi gerekiyor. Güncellemek istediklerinizi işaretleyin ve %s tuşuna basın.','Add rule group'=>'Kural grubu ekle','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Bu gelişmiş özel alanları hangi düzenleme ekranlarının kullanacağını belirlemek için bir kural seti oluşturun','Rules'=>'Kurallar','Copied'=>'Kopyalandı','Copy to clipboard'=>'Panoya kopyala','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'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.','Select Field Groups'=>'Alan gruplarını seç','No field groups selected'=>'Hiç alan grubu seçilmemiş','Generate PHP'=>'PHP oluştur','Export Field Groups'=>'Alan gruplarını dışarı aktar','Import file empty'=>'İçe aktarılan dosya boş','Incorrect file type'=>'Geçersiz dosya tipi','Error uploading file. Please try again'=>'Dosya yüklenirken hata oluştu. Lütfen tekrar deneyin','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'İç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.','Import Field Groups'=>'Alan gruplarını içeri aktar','Sync'=>'Eşitle','Select %s'=>'Seç %s','Duplicate'=>'Çoğalt','Duplicate this item'=>'Bu ögeyi çoğalt','Supports'=>'Destek','Documentation'=>'Belgeler','Description'=>'Açıklama','Sync available'=>'Eşitleme mevcut','Field group synchronized.'=>'Alan grubu eşitlendi.' . "\0" . '%s alan grubu eşitlendi.','Field group duplicated.'=>'Alan grubu çoğaltıldı.' . "\0" . '%s alan grubu çoğaltıldı.','Active (%s)'=>'Etkin (%s)' . "\0" . 'Etkin (%s)','Review sites & upgrade'=>'Siteleri incele ve güncelle','Upgrade Database'=>'Veritabanını güncelle','Custom Fields'=>'Ek alanlar','Move Field'=>'Alanı taşı','Please select the destination for this field'=>'Lütfen bu alan için bir hedef seçin','The %1$s field can now be found in the %2$s field group'=>'%1$s alanı artık %2$s alan grubunda bulunabilir','Move Complete.'=>'Taşıma tamamlandı.','Active'=>'Etkin','Field Keys'=>'Alan anahtarları','Settings'=>'Ayarlar','Location'=>'Konum','Null'=>'Boş','copy'=>'kopyala','(this field)'=>'(bu alan)','Checked'=>'İşaretlendi','Move Custom Field'=>'Özel alanı taşı','No toggle fields available'=>'Kullanılabilir aç-kapa alan yok','Field group title is required'=>'Alan grubu başlığı gerekli','This field cannot be moved until its changes have been saved'=>'Bu alan, üzerinde yapılan değişiklikler kaydedilene kadar taşınamaz','The string "field_" may not be used at the start of a field name'=>'Artık alan isimlerinin başlangıcında “field_” kullanılmayacak','Field group draft updated.'=>'Alan grubu taslağı güncellendi.','Field group scheduled for.'=>'Alan grubu zamanlandı.','Field group submitted.'=>'Alan grubu gönderildi.','Field group saved.'=>'Alan grubu kaydedildi.','Field group published.'=>'Alan grubu yayımlandı.','Field group deleted.'=>'Alan grubu silindi.','Field group updated.'=>'Alan grubu güncellendi.','Tools'=>'Araçlar','is not equal to'=>'eşit değilse','is equal to'=>'eşitse','Forms'=>'Formlar','Page'=>'Sayfa','Post'=>'Yazı','Relational'=>'İlişkisel','Choice'=>'Seçim','Basic'=>'Basit','Unknown'=>'Bilinmeyen','Field type does not exist'=>'Var olmayan alan tipi','Spam Detected'=>'İstenmeyen tespit edildi','Post updated'=>'Yazı güncellendi','Update'=>'Güncelleme','Validate Email'=>'E-postayı doğrula','Content'=>'İçerik','Title'=>'Başlık','Edit field group'=>'Alan grubunu düzenle','Selection is less than'=>'Seçim daha az','Selection is greater than'=>'Seçin daha büyük','Value is less than'=>'Değer daha az','Value is greater than'=>'Değer daha büyük','Value contains'=>'Değer içeriyor','Value matches pattern'=>'Değer bir desenle eşleşir','Value is not equal to'=>'Değer eşit değilse','Value is equal to'=>'Değer eşitse','Has no value'=>'Hiçbir değer','Has any value'=>'Herhangi bir değer','Cancel'=>'Vazgeç','Are you sure?'=>'Emin misiniz?','%d fields require attention'=>'%d alan dikkatinizi gerektiriyor','1 field requires attention'=>'1 alan dikkatinizi gerektiriyor','Validation failed'=>'Doğrulama başarısız','Validation successful'=>'Doğrulama başarılı','Restricted'=>'Kısıtlı','Collapse Details'=>'Detayları daralt','Expand Details'=>'Ayrıntıları genişlet','Uploaded to this post'=>'Bu yazıya yüklenmiş','verbUpdate'=>'Güncelleme','verbEdit'=>'Düzenle','The changes you made will be lost if you navigate away from this page'=>'Bu sayfadan başka bir sayfaya geçerseniz yaptığınız değişiklikler kaybolacak','File type must be %s.'=>'Dosya tipi %s olmalı.','or'=>'veya','File size must not exceed %s.'=>'Dosya boyutu %s boyutunu geçmemeli.','File size must be at least %s.'=>'Dosya boyutu en az %s olmalı.','Image height must not exceed %dpx.'=>'Görsel yüksekliği %dpx değerini geçmemeli.','Image height must be at least %dpx.'=>'Görsel yüksekliği en az %dpx olmalı.','Image width must not exceed %dpx.'=>'Görsel genişliği %dpx değerini geçmemeli.','Image width must be at least %dpx.'=>'Görsel genişliği en az %dpx olmalı.','(no title)'=>'(başlık yok)','Full Size'=>'Tam boyut','Large'=>'Büyük','Medium'=>'Orta','Thumbnail'=>'Küçük resim','(no label)'=>'(etiket yok)','Sets the textarea height'=>'Metin alanı yüksekliğini ayarla','Rows'=>'Satırlar','Text Area'=>'Metin alanı','Prepend an extra checkbox to toggle all choices'=>'En başa tüm seçimleri tersine çevirmek için ekstra bir seçim kutusu ekle','Save \'custom\' values to the field\'s choices'=>'‘Özel’ değerleri alanın seçenekleri arasına kaydet','Allow \'custom\' values to be added'=>'‘Özel’ alanların eklenebilmesine izin ver','Add new choice'=>'Yeni seçenek ekle','Toggle All'=>'Tümünü aç/kapat','Allow Archives URLs'=>'Arşivler adresine izin ver','Archives'=>'Arşivler','Page Link'=>'Sayfa bağlantısı','Add'=>'Ekle','Name'=>'Bağlantı ismi','%s added'=>'%s eklendi','%s already exists'=>'%s zaten mevcut','User unable to add new %s'=>'Kullanıcı yeni %s ekleyemiyor','Term ID'=>'Terim no','Term Object'=>'Terim nesnesi','Load value from posts terms'=>'Yazının terimlerinden değerleri yükle','Load Terms'=>'Terimleri yükle','Connect selected terms to the post'=>'Seçilmiş terimleri yazıya bağla','Save Terms'=>'Terimleri kaydet','Allow new terms to be created whilst editing'=>'Düzenlenirken yeni terimlerin oluşabilmesine izin ver','Create Terms'=>'Terimleri oluştur','Radio Buttons'=>'Tekli seçim','Single Value'=>'Tek değer','Multi Select'=>'Çoklu seçim','Checkbox'=>'İşaret kutusu','Multiple Values'=>'Çoklu değer','Select the appearance of this field'=>'Bu alanın görünümünü seçin','Appearance'=>'Görünüm','Select the taxonomy to be displayed'=>'Görüntülenecek taksonomiyi seçin','No TermsNo %s'=>'%s yok','Value must be equal to or lower than %d'=>'Değer %d değerine eşit ya da daha küçük olmalı','Value must be equal to or higher than %d'=>'Değer %d değerine eşit ya da daha büyük olmalı','Value must be a number'=>'Değer bir sayı olmalı','Number'=>'Numara','Save \'other\' values to the field\'s choices'=>'‘Diğer’ değerlerini alanın seçenekleri arasına kaydet','Add \'other\' choice to allow for custom values'=>'Özel değerlere izin vermek için \'diğer\' seçeneği ekle','Other'=>'Diğer','Radio Button'=>'Radyo düğmesi','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Önceki akordeonun durması için bir son nokta tanımlayın. Bu akordeon görüntülenmeyecek.','Allow this accordion to open without closing others.'=>'Bu akordeonun diğerlerini kapatmadan açılmasını sağla.','Multi-Expand'=>'Çoklu genişletme','Display this accordion as open on page load.'=>'Sayfa yüklemesi sırasında bu akordeonu açık olarak görüntüle.','Open'=>'Açık','Accordion'=>'Akordiyon','Restrict which files can be uploaded'=>'Yüklenebilecek dosyaları sınırlandırın','File ID'=>'Dosya no','File URL'=>'Dosya adresi','File Array'=>'Dosya dizisi','Add File'=>'Dosya Ekle','No file selected'=>'Dosya seçilmedi','File name'=>'Dosya adı','Update File'=>'Dosyayı güncelle','Edit File'=>'Dosya düzenle','Select File'=>'Dosya seç','File'=>'Dosya','Password'=>'Parola','Specify the value returned'=>'Dönecek değeri belirt','Use AJAX to lazy load choices?'=>'Seçimlerin tembel yüklenmesi için AJAX kullanılsın mı?','Enter each default value on a new line'=>'Her satıra bir değer girin','verbSelect'=>'Seçim','Select2 JS load_failLoading failed'=>'Yükleme başarısız oldu','Select2 JS searchingSearching…'=>'Aranıyor…','Select2 JS load_moreLoading more results…'=>'Daha fazla sonuç yükleniyor…','Select2 JS selection_too_long_nYou can only select %d items'=>'Sadece %d öge seçebilirsiniz','Select2 JS selection_too_long_1You can only select 1 item'=>'Sadece 1 öge seçebilirsiniz','Select2 JS input_too_long_nPlease delete %d characters'=>'Lütfen %d karakter silin','Select2 JS input_too_long_1Please delete 1 character'=>'Lütfen 1 karakter silin','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Lütfen %d veya daha fazla karakter girin','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Lütfen 1 veya daha fazla karakter girin','Select2 JS matches_0No matches found'=>'Eşleşme yok','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d sonuç bulundu. Dolaşmak için yukarı ve aşağı okları kullanın.','Select2 JS matches_1One result is available, press enter to select it.'=>'Bir sonuç bulundu, seçmek için enter tuşuna basın.','nounSelect'=>'Seçim','User ID'=>'Kullanıcı No','User Object'=>'Kullanıcı nesnesi','User Array'=>'Kullanıcı dizisi','All user roles'=>'Bütün kullanıcı rolleri','Filter by Role'=>'Role göre filtrele','User'=>'Kullanıcı','Separator'=>'Ayırıcı','Select Color'=>'Renk seç','Default'=>'Varsayılan','Clear'=>'Temizle','Color Picker'=>'Renk seçici','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Seçim','Date Time Picker JS closeTextDone'=>'Bitti','Date Time Picker JS currentTextNow'=>'Şimdi','Date Time Picker JS timezoneTextTime Zone'=>'Zaman dilimi','Date Time Picker JS microsecTextMicrosecond'=>'Mikrosaniye','Date Time Picker JS millisecTextMillisecond'=>'Milisaniye','Date Time Picker JS secondTextSecond'=>'İkinci','Date Time Picker JS minuteTextMinute'=>'Dakika','Date Time Picker JS hourTextHour'=>'Saat','Date Time Picker JS timeTextTime'=>'Zaman','Date Time Picker JS timeOnlyTitleChoose Time'=>'Zamanı se','Date Time Picker'=>'Tarih zaman seçici','Endpoint'=>'Uç nokta','Left aligned'=>'Sola hizalı','Top aligned'=>'Üste hizalı','Placement'=>'Konumlandırma','Tab'=>'Sekme','Value must be a valid URL'=>'Değer geçerli bir web adresi olmalı','Link URL'=>'Bağlantı adresi','Link Array'=>'Bağlantı dizisi','Opens in a new window/tab'=>'Yeni pencerede/sekmede açılır','Select Link'=>'Bağlantı seç','Link'=>'Link','Email'=>'EPosta','Step Size'=>'Adım boyutu','Maximum Value'=>'En fazla değer','Minimum Value'=>'En az değer','Range'=>'Aralık','Both (Array)'=>'İkisi de (Dizi)','Label'=>'Etiket','Value'=>'Değer','Vertical'=>'Dikey','Horizontal'=>'Yatay','red : Red'=>'kirmizi : Kırmızı','For more control, you may specify both a value and label like this:'=>'Daha fazla kontrol için, hem bir değeri hem de bir etiketi şu şekilde belirtebilirsiniz:','Enter each choice on a new line.'=>'Her seçeneği yeni bir satıra girin.','Choices'=>'Seçimler','Button Group'=>'Tuş grubu','Allow Null'=>'Null değere izin ver','Parent'=>'Ana','TinyMCE will not be initialized until field is clicked'=>'Alan tıklanana kadar TinyMCE hazırlanmayacaktır','Delay Initialization'=>'Hazırlık geciktirme','Show Media Upload Buttons'=>'Ortam yükleme tuşları gösterilsin','Toolbar'=>'Araç çubuğu','Text Only'=>'Sadece Metin','Visual Only'=>'Sadece görsel','Visual & Text'=>'Görsel ve metin','Tabs'=>'Seklemeler','Click to initialize TinyMCE'=>'TinyMCE hazırlamak için tıklayın','Name for the Text editor tab (formerly HTML)Text'=>'Metin','Visual'=>'Görsel','Value must not exceed %d characters'=>'Değer %d karakteri geçmemelidir','Leave blank for no limit'=>'Limit olmaması için boş bırakın','Character Limit'=>'Karakter limiti','Appears after the input'=>'Girdi alanından sonra görünür','Append'=>'Sonuna ekle','Appears before the input'=>'Girdi alanından önce görünür','Prepend'=>'Önüne ekle','Appears within the input'=>'Girdi alanının içinde görünür','Placeholder Text'=>'Yer tutucu metin','Appears when creating a new post'=>'Yeni bir yazı oluştururken görünür','Text'=>'Metin','%1$s requires at least %2$s selection'=>'%1$s en az %2$s seçim gerektirir' . "\0" . '%1$s en az %2$s seçim gerektirir','Post ID'=>'Yazı ID','Post Object'=>'Yazı nesnesi','Maximum Posts'=>'En fazla yazı','Minimum Posts'=>'En az gönderi','Featured Image'=>'Öne çıkan görsel','Selected elements will be displayed in each result'=>'Her sonuç içinde seçilmiş elemanlar görüntülenir','Elements'=>'Elemanlar','Taxonomy'=>'Etiketleme','Post Type'=>'Yazı tipi','Filters'=>'Filtreler','All taxonomies'=>'Tüm taksonomiler','Filter by Taxonomy'=>'Taksonomiye göre filtre','All post types'=>'Tüm yazı tipleri','Filter by Post Type'=>'Yazı tipine göre filtre','Search...'=>'Ara...','Select taxonomy'=>'Taksonomi seç','Select post type'=>'Yazı tipi seç','No matches found'=>'Eşleşme yok','Loading'=>'Yükleniyor','Maximum values reached ( {max} values )'=>'En yüksek değerlere ulaşıldı ({max} değerleri)','Relationship'=>'İlişkili','Comma separated list. Leave blank for all types'=>'Virgül ile ayrılmış liste. Tüm tipler için boş bırakın','Allowed File Types'=>'İzin verilen dosya tipleri','Maximum'=>'En fazla','File size'=>'Dosya boyutu','Restrict which images can be uploaded'=>'Hangi görsellerin yüklenebileceğini sınırlandırın','Minimum'=>'En az','Uploaded to post'=>'Yazıya yüklendi','All'=>'Tümü','Limit the media library choice'=>'Ortam kitaplığı seçimini sınırlayın','Library'=>'Kitaplık','Preview Size'=>'Önizleme boyutu','Image ID'=>'Görsel no','Image URL'=>'Resim Adresi','Image Array'=>'Görsel dizisi','Specify the returned value on front end'=>'Ön yüzden dönecek değeri belirleyin','Return Value'=>'Dönüş değeri','Add Image'=>'Görsel ekle','No image selected'=>'Resim seçilmedi','Remove'=>'Kaldır','Edit'=>'Düzenle','All images'=>'Tüm görseller','Update Image'=>'Görseli güncelle','Edit Image'=>'Resmi düzenle','Select Image'=>'Resim Seç','Image'=>'Görsel','Allow HTML markup to display as visible text instead of rendering'=>'Görünür metin olarak HTML kodlamasının görüntülenmesine izin ver','Escape HTML'=>'HTML’i güvenli hale getir','No Formatting'=>'Biçimlendirme yok','Automatically add <br>'=>'Otomatik ekle <br>','Automatically add paragraphs'=>'Otomatik paragraf ekle','Controls how new lines are rendered'=>'Yeni satırların nasıl görüntüleneceğini denetler','New Lines'=>'Yeni satırlar','Week Starts On'=>'Hafta başlangıcı','The format used when saving a value'=>'Bir değer kaydedilirken kullanılacak biçim','Save Format'=>'Biçimi kaydet','Date Picker JS weekHeaderWk'=>'Hf','Date Picker JS prevTextPrev'=>'Önceki','Date Picker JS nextTextNext'=>'Sonraki','Date Picker JS currentTextToday'=>'Bugün','Date Picker JS closeTextDone'=>'Bitti','Date Picker'=>'Tarih seçici','Width'=>'Genişlik','Embed Size'=>'Gömme boyutu','Enter URL'=>'Adres girin','oEmbed'=>'oEmbed','Text shown when inactive'=>'Etkin değilken görüntülenen metin','Off Text'=>'Kapalı metni','Text shown when active'=>'Etkinken görüntülenen metin','On Text'=>'Açık metni','Stylized UI'=>'Stilize edilmiş kullanıcı arabirimi','Default Value'=>'Varsayılan değer','Displays text alongside the checkbox'=>'İşaret kutusunun yanında görüntülenen metin','Message'=>'Mesaj','No'=>'Hayır','Yes'=>'Evet','True / False'=>'Doğru / yanlış','Row'=>'Satır','Table'=>'Tablo','Block'=>'Blok','Specify the style used to render the selected fields'=>'Seçili alanları görüntülemek için kullanılacak stili belirtin','Layout'=>'Yerleşim','Sub Fields'=>'Alt alanlar','Group'=>'Grup','Customize the map height'=>'Harita yüksekliğini özelleştir','Height'=>'Ağırlık','Set the initial zoom level'=>'Temel yaklaşma seviyesini belirle','Zoom'=>'Yakınlaşma','Center the initial map'=>'Haritayı ortala','Center'=>'Merkez','Search for address...'=>'Adres arayın…','Find current location'=>'Şu anki konumu bul','Clear location'=>'Konumu temizle','Search'=>'Ara','Sorry, this browser does not support geolocation'=>'Üzgünüz, bu tarayıcı konumlandırma desteklemiyor','Google Map'=>'Google haritası','The format returned via template functions'=>'Tema işlevlerinden dönen biçim','Return Format'=>'Dönüş biçimi','Custom:'=>'Özel:','The format displayed when editing a post'=>'Bir yazı düzenlenirken görüntülenecek biçim','Display Format'=>'Gösterim biçimi','Time Picker'=>'Zaman seçici','Inactive (%s)'=>'Devre dışı (%s)' . "\0" . 'Devre dışı (%s)','No Fields found in Trash'=>'Çöpte alan bulunamadı','No Fields found'=>'Hiç alan bulunamadı','Search Fields'=>'Alanlarda ara','View Field'=>'Alanı görüntüle','New Field'=>'Yeni alan','Edit Field'=>'Alanı düzenle','Add New Field'=>'Yeni elan ekle','Field'=>'Alan','Fields'=>'Alanlar','No Field Groups found in Trash'=>'Çöpte alan grubu bulunamadı','No Field Groups found'=>'Hiç alan grubu bulunamadı','Search Field Groups'=>'Alan gruplarında ara','View Field Group'=>'Alan grubunu görüntüle','New Field Group'=>'Yeni alan grubu','Edit Field Group'=>'Alan grubunu düzenle','Add New Field Group'=>'Yeni alan grubu ekle','Add New'=>'Yeni ekle','Field Group'=>'Alan grubu','Field Groups'=>'Alan grupları','Customize WordPress with powerful, professional and intuitive fields.'=>'Güçlü, profesyonel ve sezgisel alanlar ile WordPress\'i özelleştirin.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'Blok türü adı gereklidir.','Block type "%s" is already registered.'=>'Blok türü "%s" zaten kayıtlı.','Switch to Edit'=>'Düzenlemeye geç','Switch to Preview'=>'Önizlemeye geç','Change content alignment'=>'İçerik hizalamasını değiştir','%s settings'=>'%s ayarları','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Seçenekler güncellendi','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Güncellemeleri etkinleştirmek için lütfen Güncellemeler sayfasında lisans anahtarınızı girin. Eğer bir lisans anahtarınız yoksa lütfen detaylar ve fiyatlama sayfasına bakın.','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'ACF etkinleştirme hatası. Tanımlı lisans anahtarınız değişti, ancak eski lisansınızı devre dışı bırakırken bir hata oluştu','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'ACF etkinleştirme hatası. Tanımlı lisans anahtarınız değişti, ancak etkinleştirme sunucusuna bağlanırken bir hata oluştu','ACF Activation Error'=>'ACF etkinleştirme hatası','ACF Activation Error. An error occurred when connecting to activation server'=>'ACF etkinleştirme hatası. Etkinleştirme sunucusuna bağlanırken bir hata oluştu','Check Again'=>'Tekrar kontrol et','ACF Activation Error. Could not connect to activation server'=>'ACF etkinleştirme hatası. Etkinleştirme sunucusu ile bağlantı kurulamadı','Publish'=>'Yayımla','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Bu seçenekler sayfası için hiç özel alan grubu bulunamadı. Bir özel alan grubu oluştur','Error. Could not connect to update server'=>' Hata. Güncelleme sunucusu ile bağlantı kurulamadı','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'Hata. 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.','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'Hata. Bu sitenin lisansının süresi dolmuş veya devre dışı bırakılmış. Lütfen ACF PRO lisansınızı yeniden etkinleştirin.','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'Çoğaltmak için bir ya da daha fazla alan seçin','Display'=>'Görüntüle','Specify the style used to render the clone field'=>'Çoğaltılacak alanın görünümü için stili belirleyin','Group (displays selected fields in a group within this field)'=>'Grup (bu alanın içinde seçili alanları grup olarak gösterir)','Seamless (replaces this field with selected fields)'=>'Pürüzsüz (bu alanı seçişmiş olan alanlarla değiştirir)','Labels will be displayed as %s'=>'Etiketler %s olarak görüntülenir','Prefix Field Labels'=>'Alan etiketlerine ön ek ekle','Values will be saved as %s'=>'Değerler %s olarak kaydedilecek','Prefix Field Names'=>'Alan isimlerine ön ek ekle','Unknown field'=>'Bilinmeyen alan','Unknown field group'=>'Bilinmeyen alan grubu','All fields from %s field group'=>'%s alan grubundaki tüm alanlar','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Satır ekle','layout'=>'yerleşim' . "\0" . 'yerleşimler','layouts'=>'yerleşimler','This field requires at least {min} {label} {identifier}'=>'Bu alan için en az gereken {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'Bu alan için sınır {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} kullanılabilir (en fazla {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} gerekli (min {min})','Flexible Content requires at least 1 layout'=>'Esnek içerik, en az 1 yerleşim gerektirir','Click the "%s" button below to start creating your layout'=>'Kendi yerleşiminizi oluşturmaya başlamak için aşağıdaki "%s " tuşuna tıklayın','Add layout'=>'Yerleşim ekle','Duplicate layout'=>'Düzeni çoğalt','Remove layout'=>'Yerleşimi çıkar','Click to toggle'=>'Geçiş yapmak için tıklayın','Delete Layout'=>'Yerleşimi sil','Duplicate Layout'=>'Yerleşimi çoğalt','Add New Layout'=>'Yeni yerleşim ekle','Add Layout'=>'Yerleşim ekle','Min'=>'En düşük','Max'=>'En yüksek','Minimum Layouts'=>'En az yerleşim','Maximum Layouts'=>'En fazla yerleşim','Button Label'=>'Tuş etiketi','%s must be of type array or null.'=>'%s dizi veya null türünde olmalıdır.','%1$s must contain at least %2$s %3$s layout.'=>'%1$s en az %2$s %3$s düzen içermelidir.' . "\0" . '%1$s en az %2$s %3$s düzen içermelidir.','%1$s must contain at most %2$s %3$s layout.'=>'%1$s en fazla %2$s %3$s düzeni içermelidir.' . "\0" . '%1$s en fazla %2$s %3$s düzeni içermelidir.','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Galeriye görsel ekle','Maximum selection reached'=>'En fazla seçim aşıldı','Length'=>'Uzunluk','Caption'=>'Başlık','Alt Text'=>'Alternatif metin','Add to gallery'=>'Galeriye ekle','Bulk actions'=>'Toplu eylemler','Sort by date uploaded'=>'Yüklenme tarihine göre sırala','Sort by date modified'=>'Değiştirme tarihine göre sırala','Sort by title'=>'Başlığa göre sırala','Reverse current order'=>'Sıralamayı ters çevir','Close'=>'Kapat','Minimum Selection'=>'En az seçim','Maximum Selection'=>'En fazla seçim','Allowed file types'=>'İzin verilen dosya tipleri','Insert'=>'Ekle','Specify where new attachments are added'=>'Yeni eklerin nereye ekleneceğini belirtin','Append to the end'=>'Sona ekle','Prepend to the beginning'=>'En başa ekleyin','Minimum rows not reached ({min} rows)'=>'En az satır sayısına ulaşıldı ({min} satır)','Maximum rows reached ({max} rows)'=>'En fazla satır değerine ulaşıldı ({max} satır)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'En az satır','Maximum Rows'=>'En fazla satır','Collapsed'=>'Daraltılmış','Select a sub field to show when row is collapsed'=>'Satır toparlandığında görüntülenecek alt alanı seçin','Invalid field key or name.'=>'Geçersiz alan grup no.','There was an error retrieving the field.'=>'','Click to reorder'=>'Yeniden düzenlemek için sürükleyin','Add row'=>'Satır ekle','Duplicate row'=>'Satırı çoğalt','Remove row'=>'Satır çıkar','Current Page'=>'','First Page'=>'Ön sayfa','Previous Page'=>'Yazılar sayfası','paging%1$s of %2$s'=>'','Next Page'=>'Ön sayfa','Last Page'=>'Yazılar sayfası','No block types exist'=>'Hiç blok tipi yok','No options pages exist'=>'Seçenekler sayfayı mevcut değil','Deactivate License'=>'Lisansı devre dışı bırak','Activate License'=>'Lisansı etkinleştir','License Information'=>'Lisans bilgisi','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Güncellemeleri açmak için lisans anahtarınızı aşağıya girin. Eğer bir lisans anahtarınız yoksa lütfen detaylar ve fiyatlama sayfasına bakın.','License Key'=>'Lisans anahtarı','Your license key is defined in wp-config.php.'=>'Lisans anahtarınız wp-config.php içinde tanımlanmış.','Retry Activation'=>'Etkinleştirmeyi yeniden dene','Update Information'=>'Güncelleme bilgisi','Current Version'=>'Mevcut sürüm','Latest Version'=>'En son sürüm','Update Available'=>'Güncelleme mevcut','Upgrade Notice'=>'Yükseltme bildirimi','Check For Updates'=>'','Enter your license key to unlock updates'=>'Güncelleştirmelerin kilidini açmak için yukardaki alana lisans anahtarını girin','Update Plugin'=>'Eklentiyi güncelle','Please reactivate your license to unlock updates'=>'Güncellemelerin kilidini açmak için lütfen lisansınızı yeniden etkinleştirin'],'language'=>'tr_TR','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-tr_TR.mo b/lang/acf-tr_TR.mo
index fb3da1a..bb2b09b 100644
Binary files a/lang/acf-tr_TR.mo and b/lang/acf-tr_TR.mo differ
diff --git a/lang/acf-tr_TR.po b/lang/acf-tr_TR.po
index 2122061..e894918 100644
--- a/lang/acf-tr_TR.po
+++ b/lang/acf-tr_TR.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: tr_TR\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr ""
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2050,21 +2066,21 @@ msgstr "Alan ekle"
msgid "This Field"
msgstr "Bu alan"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Geri bildirim"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Destek"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "geliştiren ve devam ettiren"
@@ -4607,7 +4623,7 @@ msgstr ""
"Custom Post Type UI ile kaydedilen yazı türleri ve sınıflandırmaları içeri "
"aktarın ve ACF ile yönetin. Başlayın."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4940,7 +4956,7 @@ msgstr "Bu öğeyi etkinleştir"
msgid "Move field group to trash?"
msgstr "Alan grubu çöp kutusuna taşınsın mı?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4953,7 +4969,7 @@ msgstr "Devre dışı"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4962,7 +4978,7 @@ msgstr ""
"olmamalıdır. Advanced Custom Fields PRO eklentisini otomatik olarak devre "
"dışı bıraktık."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5414,7 +5430,7 @@ msgstr "Tüm %s biçimleri"
msgid "Attachment"
msgstr "Eklenti"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s değeri gerekli"
@@ -5904,7 +5920,7 @@ msgstr "Bu ögeyi çoğalt"
msgid "Supports"
msgstr "Destek"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Belgeler"
@@ -6201,8 +6217,8 @@ msgstr "%d alan dikkatinizi gerektiriyor"
msgid "1 field requires attention"
msgstr "1 alan dikkatinizi gerektiriyor"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Doğrulama başarısız"
@@ -7581,90 +7597,90 @@ msgid "Time Picker"
msgstr "Zaman seçici"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Devre dışı (%s)"
msgstr[1] "Devre dışı (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Çöpte alan bulunamadı"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Hiç alan bulunamadı"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Alanlarda ara"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Alanı görüntüle"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Yeni alan"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Alanı düzenle"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Yeni elan ekle"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Alan"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Alanlar"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Çöpte alan grubu bulunamadı"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Hiç alan grubu bulunamadı"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Alan gruplarında ara"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Alan grubunu görüntüle"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Yeni alan grubu"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Alan grubunu düzenle"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Yeni alan grubu ekle"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Yeni ekle"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Alan grubu"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-uk.l10n.php b/lang/acf-uk.l10n.php
index 794fada..fae3fc3 100644
--- a/lang/acf-uk.l10n.php
+++ b/lang/acf-uk.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'uk','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['wordpress.org'=>'wordpress.org','Learn more.'=>'Дізнатись більше.','Forums Icon'=>'Іконка Форуми','YouTube Icon'=>'Іконка YouTube','Yes (alt) Icon'=>'Іконка Так (alt)','Xing Icon'=>'Іконка Xing','WhatsApp Icon'=>'Іконка WhatsApp','View Site Icon'=>'Переглянути іконку сайту','Add Page Icon'=>'Додати іконку сторінки','Twitch Icon'=>'Іконка Twitch','Spotify Icon'=>'Іконка Spotify','RSS Icon'=>'Іконка RSS','REST API Icon'=>'REST API Іконка','Remove Icon'=>'Видалити іконку','Reddit Icon'=>'Іконка Reddit','Pinterest Icon'=>'Іконка Pinterest','PDF Icon'=>'PDF - іконка','Palm Tree Icon'=>'Пальма - іконка','Document Icon'=>'Іконка документа','Default Icon'=>'Початкова іконка','LinkedIn Icon'=>'Іконка LinkedIn','Instagram Icon'=>'Іконка Instagram','Insert Icon'=>'Вставити іконку','Google Icon'=>'Google - іконка','Games Icon'=>'Ігри - іконка','Status Icon'=>'Статус - іконка','Image Icon'=>'Іконка зображення','Chat Icon'=>'Чат- іконка','Database Import Icon'=>'Іконка імпорту бази даних','Database Export Icon'=>'Іконка експорту бази даних','Database Icon'=>'Іконка бази даних','Play Icon'=>'Іконка програти','Button Icon'=>'Іконка кнопки','Amazon Icon'=>'Ікона Amazon','Airplane Icon'=>'Іконка літака','WordPress Icon'=>'Іконка WordPress','Warning Icon'=>'Іконка попередження','Upload Icon'=>'Завантажити Іконки','Twitter Icon'=>'Іконка X','Trash Icon'=>'Іконка кошика','Translation Icon'=>'Іконка перекладу','Testimonial Icon'=>'Іконка відгуку','Search Icon'=>'Іконка пошуку','Phone Icon'=>'Іконка телефону','No Icon'=>'Без іконки','Microphone Icon'=>'Іконка мікрофона','Marker Icon'=>'Іконка маркера','Location Icon'=>'Іконка розміщення','Facebook Icon'=>'Іконка Facebook','Email Icon'=>'Іконка email','Video Icon'=>'Іконка відео','Quote Icon'=>'Іконка цитати','Download Icon'=>'Іконка завантаження','Dismiss Icon'=>'Іконка Відхилити','Category Icon'=>'Іконка категорії','Cart Icon'=>'Іконка кошика','Building Icon'=>'Будівля - іконка','Book Icon'=>'Книга - іконка','Backup Icon'=>'Резервне копіювання - іконка','Analytics Icon'=>'Іконка аналітики','Album Icon'=>'Іконка альбому','Users Icon'=>'Іконка користувачів','Site Icon'=>'Іконка сайту','Post Icon'=>'Іконка запису','Home Icon'=>'Іконка Домашня сторінка','Comments Icon'=>'Іконка коментарів','Media Library'=>'Бібліотека медіа','Dashicons'=>'Dashicons','Icon Picker'=>'Вибір іконки','Light'=>'Світлий','Standard'=>'Стандартний','Active Plugins'=>'Активні плагіни','Parent Theme'=>'Батьківська тема','Active Theme'=>'Активна тема','MySQL Version'=>'Версія MySQL','WordPress Version'=>'Версія WordPress','Free'=>'Безкоштовно','Plugin Version'=>'Версія плагіна','Renew License'=>'Оновити ліцензію','Manage License'=>'Керування ліцензією','Add Options Page'=>'Сторінка додавання параметрів','In the editor used as the placeholder of the title.'=>'У редакторі використовується як замінник заголовка.','Title Placeholder'=>'Назва заповнювача поля','4 Months Free'=>'4 місяці безкоштовно','(Duplicated from %s)'=>'(Дубльовано з %s)','Select Options Pages'=>'Виберіть параметри сторінок','Duplicate taxonomy'=>'Продублювати таксономію','Create taxonomy'=>'Створити таксономію','Duplicate post type'=>'Дублікати тип допису','Create post type'=>'Створити тип допису','Link field groups'=>'Посилання на групу полів','Add fields'=>'Добавити поле','This Field'=>'Це поле','ACF PRO'=>'ACF PRO','Feedback'=>'Зворотній зв’язок','Support'=>'Підтримка','is developed and maintained by'=>'розробляється та підтримується','Add this %s to the location rules of the selected field groups.'=>'Додайте цей %s до правил розташування вибраних груп полів.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Увімкнення двонаправленого налаштування дозволяє оновлювати значення в цільових полях для кожного значення, вибраного для цього поля, додаючи або видаляючи Post ID, Taxonomy ID або User ID елемента, який оновлюється. Для отримання додаткової інформації, будь ласка, прочитайте документацію.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Оберіть поля для зберігання посилання на елемент, що оновлюється. Ви можете обрати це поле. Цільові поля мають бути сумісні з тим, де це поле відображається. Наприклад, якщо це поле відображається в таксономії, ваше цільове поле має мати тип таксономії','Target Field'=>'Цільове поле','Update a field on the selected values, referencing back to this ID'=>'Оновлення поля для вибраних значень, посилаючись на цей ідентифікатор','Bidirectional'=>'Двонаправлений','%s Field'=>'Поле %s','Select Multiple'=>'Виберіть кілька','WP Engine logo'=>'Логотип WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Лише малі літери, підкреслення та тире, максимум 32 символи.','The capability name for assigning terms of this taxonomy.'=>'Назва можливості для призначення термінів цієї таксономії.','Assign Terms Capability'=>'Можливість призначення термінів','The capability name for deleting terms of this taxonomy.'=>'Назва можливості для видалення термінів цієї таксономії.','Learn More'=>'Дізнатись більше','%s fields'=>'Поля %s','No terms'=>'Немає умови','No description'=>'Немає опису','No Taxonomies found in Trash'=>'Таксономій у кошику не знайдено','No Taxonomies found'=>'Таксономій не знайдено','Search Taxonomies'=>'Пошук таксономій','View Taxonomy'=>'Переглянути таксономію','New Taxonomy'=>'Нова таксономія','Edit Taxonomy'=>'Редагувати таксономію','Add New Taxonomy'=>'Додати нову таксономію','New Post Type'=>'Новий тип запису','Edit Post Type'=>'Редагувати тип запису','Add New Post Type'=>'Додати новий тип запису','WYSIWYG Editor'=>'Редактор WYSIWYG','URL'=>'URL','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Інтерактивний інтерфейс для вибору дати та часу. Формат повернення дати можна налаштувати за допомогою налаштувань поля.','nounClone'=>'Клон','PRO'=>'PRO','Advanced'=>'Розширене','Original'=>'Оригінальний','Invalid post ID.'=>'Невірний ID запису.','More'=>'Більше','Tutorial'=>'Навчальний посібник','Search fields...'=>'Пошук полів...','Popular'=>'Популярні','Add Taxonomy'=>'Додати таксономію','Genre'=>'Жанр','Genres'=>'Жанри','Show Admin Column'=>'Показати колонку адміна','Quick Edit'=>'Швидке редагування','Tag Cloud'=>'Хмаринка позначок','Meta Box'=>'Meta Box','A link to a tag'=>'Посилання на позначку','A link to a %s'=>'Посилання на %s','Tag Link'=>'Посилання позначки','Tags list'=>'Список позначок','Tags list navigation'=>'Навігація по списку позначок','Filter by category'=>'Сортувати за категоріями','Filter by %s'=>'Фільтрувати за %s','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Призначте батьківський елемент для створення ієрархії. "Джаз" наприклад може бути батьком для "бібоп" і "біг-бенд"','No tags'=>'Немає позначок','No %s'=>'Немає %s','No tags found'=>'Теги не знайдено','Not Found'=>'Не знайдено','Most Used'=>'Популярні','Choose from the most used tags'=>'Виберіть з-поміж найбільш використовуваних позначок','Choose From Most Used'=>'Виберіть з найбільш використовуваних','Choose from the most used %s'=>'Обрати з найбільш використовуваних %s','Add or remove tags'=>'Додати чи видалити позначки','Add Or Remove Items'=>'Додати або видалити елементи','Add or remove %s'=>'Додати або видалити %s','Separate tags with commas'=>'Розділяйте позначки комами','Separate %s with commas'=>'Розділити %s комами','Popular Tags'=>'Популярні позначки','Popular %s'=>'Популярний %s','Search Tags'=>'Шукати позначки','Parent Category:'=>'Батьківська категорія:','Parent Category'=>'Батьківська категорія','Parent %s'=>'Батьківський %s','New Tag Name'=>'Назва нової позначки','New %s Name'=>'Нове %s Ім\'я','Add New Tag'=>'Додати нову позначку','Update Tag'=>'Оновити позначку','Update Item'=>'Оновити елемент','Update %s'=>'Оновити %s','View Tag'=>'Переглянути позначку','Edit Tag'=>'Редагувати позначку','At the top of the editor screen when editing a term.'=>'У верхній частині екрана редактора під час редагування елемента.','All Tags'=>'Всі позначки','Menu Label'=>'Мітка меню','Active taxonomies are enabled and registered with WordPress.'=>'Активні таксономії увімкнені та зареєстровані в WordPress.','Term Description'=>'Опис терміну','Term Name'=>'Назва терміну','Add Post Type'=>'Додати тип запису','Advanced Configuration'=>'Розширена конфігурація','Public'=>'Загальнодоступне','movie'=>'фільм','Movie'=>'Фільм','Singular Label'=>'Мітка у однині','Movies'=>'Фільми','Base URL'=>'Базовий URL','Archive'=>'Архів','Pagination'=>'Пагинація','URL Slug'=>'Частина посилання URL','Exclude From Search'=>'Виключити з пошуку','Menu Icon'=>'Іконка меню','Menu Position'=>'Розташування меню','A link to a post.'=>'Посилання на запис.','A link to a %s.'=>'Посилання на %s.','Post Link'=>'Посилання запису','Item Link'=>'Посилання на елемент','%s Link'=>'%s Посилання','Post updated.'=>'Запис оновлено.','%s updated.'=>'%s оновлено.','Post scheduled.'=>'Запис запланований.','%s scheduled.'=>'%s заплановано.','Post reverted to draft.'=>'Запис повернуто в чернетку.','%s reverted to draft.'=>'%s повернуто в чернетку.','Post published privately.'=>'Запис опубліковано приватно.','%s published privately.'=>'%s публікуються приватно.','Post published.'=>'Запис опубліковано.','%s published.'=>'%s опубліковано.','Posts list'=>'Список записів','Items List'=>'Перелік елементів','%s list'=>'%s перелік','Posts list navigation'=>'Навігація по списку записів','%s list navigation'=>'Навігація списком %s','Filter posts list'=>'Фільтрувати список записів','Filter %s list'=>'Відфільтрувати список %s','Uploaded to this %s'=>'Завантажено до цього %s','Insert into post'=>'Вставити у запис','Insert into %s'=>'Вставити у %s','Use as featured image'=>'Використовувати як головне зображення','Use Featured Image'=>'Використати головне зображення','Remove featured image'=>'Видалити головне зображення','Remove Featured Image'=>'Видалити головне зображення','Set featured image'=>'Встановити головне зображення','Set Featured Image'=>'Встановити вибране зображення','Featured image'=>'Головне зображення','Featured Image Meta Box'=>'Мета-бокс для зображень','Post Attributes'=>'Властивості запису','%s Attributes'=>'Атрибути %s','Post Archives'=>'Архіви записів','%s Archives'=>'Архіви %s','No posts found in Trash'=>'Не знайдено записів в кошику','No %s found in Trash'=>'Не знайдено %s в кошику','No posts found'=>'Не знайдено записів','No %s found'=>'Жодного %s не знайдено','Search Posts'=>'Шукати записи','Search Items'=>'Пошук елементів','Search %s'=>'Пошук %s','Parent Page:'=>'Батьківська сторінка:','Parent %s:'=>'Батьківський %s:','New Post'=>'Новий запис','New Item'=>'Новий елемент','New %s'=>'Нов(а)ий %s','Add New Post'=>'Додати новий запис','Add New Item'=>'Додати новий елемент','Add New %s'=>'Додати новий %s','View Posts'=>'Перегляд записів','View Items'=>'Перегляд елементів','View Post'=>'Переглянути запис','View Item'=>'Перегляд елемента','View %s'=>'Переглянути %s','Edit Post'=>'Редагувати запис','At the top of the editor screen when editing an item.'=>'У верхній частині екрана редактора під час редагування елемента.','Edit Item'=>'Редагувати елемент','Edit %s'=>'Редагувати %s','All Posts'=>'Всі записи','All Items'=>'Всі елементи','All %s'=>'Всі %s','Menu Name'=>'Назва меню','Regenerate'=>'Регенерувати','Enable various features in the content editor.'=>'Увімкніть різні функції в редакторі вмісту.','Post Formats'=>'Формати запису','Editor'=>'Редактор','Trackbacks'=>'Зворотнє посилання','Browse Fields'=>'Перегляд полів','Nothing to import'=>'Нічого імпортувати','Export'=>'Експорт','Category'=>'Категорія','Tag'=>'Теґ','Taxonomy deleted.'=>'Таксономію видалено.','Taxonomy updated.'=>'Таксономію оновлено.','Terms'=>'Умови','Post Types'=>'Типи записів','Advanced Settings'=>'Розширені налаштування','Basic Settings'=>'Базові налаштування','Pages'=>'Сторінки','Type to search...'=>'Введіть пошуковий запит...','PRO Only'=>'Тільки Pro','ACF'=>'ACF','taxonomy'=>'таксономія','post type'=>'тип запису','Done'=>'Готово','post statusRegistration Failed'=>'Реєстрація не вдалася','REST API'=>'REST API','Permissions'=>'Дозволи','URLs'=>'URLs','Visibility'=>'Видимість','Labels'=>'Мітки','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','Close Modal'=>'Закрити модаль','Close modal'=>'Закрити модаль','New Tab Group'=>'Нова група вкладок','Save Other Choice'=>'Зберегти інший вибір','Updates'=>'Оновлення','Save Changes'=>'Зберегти зміни','Field Group Title'=>'Назва групи полів','Add title'=>'Додати заголовок','Add Field Group'=>'Додати групу полів','Options Pages'=>'Сторінки налаштувань','Repeater Field'=>'Повторюване поле','Unlock Extra Features with ACF PRO'=>'Розблокуйте додаткові можливості з ACF PRO','Delete Field Group'=>'Видалити групу полів','Group Settings'=>'Налаштування групи','Location Rules'=>'Правила розміщення','Add Your First Field'=>'Додайте своє перше поле','#'=>'№','Add Field'=>'Додати поле','Presentation'=>'Презентація','Validation'=>'Перевірка','General'=>'Загальні','Import JSON'=>'Імпортувати JSON','Export As JSON'=>'Експортувати як JSON','Deactivate'=>'Деактивувати','Deactivate this item'=>'Деактивувати цей елемент','Activate'=>'Активувати','Activate this item'=>'Активувати цей елемент','post statusInactive'=>'Неактивний','WP Engine'=>'WP Engine','Invalid request.'=>'Невірний запит.','%1$s is not one of %2$s'=>'%1$s не належить до %2$s','Show in REST API'=>'Показати в REST API','Enable Transparency'=>'Увімкнути прозорість','RGBA Array'=>'RGBA Масив','RGBA String'=>'RGBA рядок','Hex String'=>'HEX рядок','Upgrade to PRO'=>'Оновлення до Pro','post statusActive'=>'Діюча','\'%s\' is not a valid email address'=>'\'%s\' неправильна адреса електронної пошти','Color value'=>'Значення кольору','Select default color'=>'Вибрати колір за замовчуванням','Clear color'=>'Очистити колір','Blocks'=>'Блоки','Options'=>'Параметри','Users'=>'Користувачі','Menu items'=>'Пункти Меню','Widgets'=>'Віджети','Attachments'=>'Вкладення','Taxonomies'=>'Таксономії','Posts'=>'Записи','Last updated: %s'=>'Останнє оновлення: %s','Invalid field group parameter(s).'=>'Недійсний параметр(и) групи полів.','Awaiting save'=>'Чекає збереження','Saved'=>'Збережено','Import'=>'Імпорт','Review changes'=>'Перегляньте зміни','Located in: %s'=>'Розташовано в: %s','Located in plugin: %s'=>'Розташовано в плагіні: %s','Located in theme: %s'=>'Розташовано в Темі: %s','Various'=>'Різні','Sync changes'=>'Синхронізувати зміни','Loading diff'=>'Завантаження різного','Review local JSON changes'=>'Перегляньте локальні зміни JSON','Visit website'=>'Відвідати Сайт','View details'=>'Переглянути деталі','Version %s'=>'Версія %s','Information'=>'Інформація','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Служба Підтримки. Фахівці Служби підтримки в нашому довідковому бюро допоможуть вирішити ваші більш детальні технічні завдання.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Документація. Наша розширена документація містить посилання та інструкції щодо більшості ситуацій, з якими ви можете зіткнутися.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Ми відповідально ставимося до підтримки і хочемо, щоб ви отримали найкращі результати від свого веб-сайту за допомогою ACF. Якщо у вас виникнуть труднощі, ви можете знайти допомогу в кількох місцях:','Help & Support'=>'Довідка та Підтримка','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Будь ласка, скористайтесь вкладкою Довідка та Підтримка, щоб зв’язатись, якщо вам потрібна допомога.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Перш ніж створювати свою першу групу полів, ми рекомендуємо спочатку прочитати наш посібник Початок роботи , щоб ознайомитись із філософією та найкращими практиками плагіна.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Плагін Advanced Custom Fields пропонує візуальний конструктор форм для налаштування екранів редагування WordPress з додатковими полями та інтуїтивний API для відображення значень користувацьких полів у будь-якому файлі шаблону теми.','Overview'=>'Огляд','Location type "%s" is already registered.'=>'Тип розташування "%s" вже зареєстровано.','Class "%s" does not exist.'=>'Клас "%s" не існує.','Invalid nonce.'=>'Невірний ідентифікатор.','Error loading field.'=>'Помилка при завантаженні поля.','Error: %s'=>'Помилка: %s','Widget'=>'Віджет','User Role'=>'Роль користувача','Comment'=>'Коментар','Post Format'=>'Формат запису','Menu Item'=>'Пункт меню','Post Status'=>'Статус запису','Menus'=>'Меню','Menu Locations'=>'Області для меню','Menu'=>'Меню','Post Taxonomy'=>'Таксономія запису','Child Page (has parent)'=>'Дочірня сторінка (має батьківську)','Parent Page (has children)'=>'Батьківська сторінка (має нащадків)','Top Level Page (no parent)'=>'Сторінка верхнього рівня (без батьків)','Posts Page'=>'Сторінка записів','Front Page'=>'Головна сторінка','Page Type'=>'Тип сторінки','Viewing back end'=>'Переглянути бекенд','Viewing front end'=>'Переглянути фронтенд','Logged in'=>'Увійшов','Current User'=>'Поточний користувач','Page Template'=>'Шаблон сторінки','Register'=>'Зареєструватись','Add / Edit'=>'Додати / Редагувати','User Form'=>'Форма користувача','Page Parent'=>'Батьківська сторінка','Super Admin'=>'Супер адмін','Current User Role'=>'Поточна роль користувача','Default Template'=>'Початковий шаблон','Post Template'=>'Шаблон запису','Post Category'=>'Категорія запису','All %s formats'=>'Всі %s формати','Attachment'=>'Вкладений файл','%s value is required'=>'%s значення обов\'язкове','Show this field if'=>'Показувати поле, якщо','Conditional Logic'=>'Умовна логіка','and'=>'і','Local JSON'=>'Локальний JSON','Clone Field'=>'Клонувати поле','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Також перевірте, чи всі додаткові доповнення (%s) оновлені до останньої версії.','This version contains improvements to your database and requires an upgrade.'=>'Ця версія містить вдосконалення вашої бази даних і вимагає оновлення.','Thank you for updating to %1$s v%2$s!'=>'Дякуємо за оновлення до %1$s v%2$s!','Database Upgrade Required'=>'Необхідно оновити базу даних','Options Page'=>'Сторінка опцій','Gallery'=>'Галерея','Flexible Content'=>'Гнучкий вміст','Repeater'=>'Повторювальне поле','Back to all tools'=>'Повернутися до всіх інструментів','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)'=>'Якщо декілька груп полів відображаються на екрані редагування, то використовуватимуться параметри першої групи. (з найменшим порядковим номером)','Select items to hide them from the edit screen.'=>'Оберіть що ховати з екрану редагування/створення.','Hide on screen'=>'Ховати на екрані','Send Trackbacks'=>'Надіслати трекбеки','Tags'=>'Позначки','Categories'=>'Категорії','Page Attributes'=>'Властивості сторінки','Format'=>'Формат','Author'=>'Автор','Slug'=>'Частина посилання','Revisions'=>'Редакції','Comments'=>'Коментарі','Discussion'=>'Обговорення','Excerpt'=>'Уривок','Content Editor'=>'Редактор матеріалу','Permalink'=>'Постійне посилання','Shown in field group list'=>'Відображається на сторінці груп полів','Field groups with a lower order will appear first'=>'Групи полів з нижчим порядком з’являться спочатку','Order No.'=>'Порядок розташування','Below fields'=>'Під полями','Below labels'=>'Під ярликами','Instruction Placement'=>'Розміщення інструкцій','Label Placement'=>'Розміщення тегів','Side'=>'Збоку','Normal (after content)'=>'Стандартно (після тектового редактора)','High (after title)'=>'Вгорі (під заголовком)','Position'=>'Розташування','Seamless (no metabox)'=>'Спрощений (без метабоксу)','Standard (WP metabox)'=>'Стандартний (WP метабокс)','Style'=>'Стиль','Type'=>'Тип','Key'=>'Ключ','Order'=>'Порядок','Close Field'=>'Закрити поле','id'=>'id','class'=>'клас','width'=>'ширина','Wrapper Attributes'=>'Атрибути обгортки','Required'=>'Обов\'язково','Instructions'=>'Інструкція','Field Type'=>'Тип поля','Single word, no spaces. Underscores and dashes allowed'=>'Одне слово, без пробілів. Можете використовувати нижнє підкреслення.','Field Name'=>'Назва поля','This is the name which will appear on the EDIT page'=>'Ця назва відображується на сторінці редагування','Field Label'=>'Мітка поля','Delete'=>'Видалити','Delete field'=>'Видалити поле','Move'=>'Перемістити','Move field to another group'=>'Перемістити поле до іншої групи','Duplicate field'=>'Дублювати поле','Edit field'=>'Редагувати поле','Drag to reorder'=>'Перетягніть, щоб змінити порядок','Show this field group if'=>'Показувати групу полів, якщо','No updates available.'=>'Немає оновлень.','Database upgrade complete. See what\'s new'=>'Оновлення бази даних завершено. Подивіться, що нового','Reading upgrade tasks...'=>'Читання завдань для оновлення…','Upgrade failed.'=>'Помилка оновлення.','Upgrade complete.'=>'Оновлення завершено.','Upgrading data to version %s'=>'Оновлення даних до версії %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Дуже-дуже рекомендуємо зробити бекап бази перш ніж оновлюватися. Продовжуємо оновлюватися зараз?','Please select at least one site to upgrade.'=>'Виберіть принаймні один сайт для оновлення.','Database Upgrade complete. Return to network dashboard'=>'Оновлення бази даних завершено. Повернутися до Майстерні','Site is up to date'=>'Сайт оновлено','Site requires database upgrade from %1$s to %2$s'=>'Для сайту потрібно оновити базу даних з %1$s до %2$s','Site'=>'Сайт','Upgrade Sites'=>'Оновити сайти','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Для наступних сайтів потрібне оновлення БД. Позначте ті, які потрібно оновити, а потім натисніть %s.','Add rule group'=>'Додати групу умов','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Створіть набір умов, щоб визначити де використовувати ці додаткові поля','Rules'=>'Умови','Copied'=>'Скопійовано','Copy to clipboard'=>'Копіювати в буфер обміну','Select Field Groups'=>'Оберіть групи полів','No field groups selected'=>'Не обрано груп полів','Generate PHP'=>'Генерувати PHP','Export Field Groups'=>'Експортувати групи полів','Import file empty'=>'Файл імпорту порожній','Incorrect file type'=>'Невірний тип файлу','Error uploading file. Please try again'=>'Помилка завантаження файлу. Спробуйте знову','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Виберіть файл JSON Advanced Custom Fields, який потрібно імпортувати. Якщо натиснути кнопку імпорту нижче, ACF імпортує елементи цього файлу.','Import Field Groups'=>'Імпортувати групи полів','Sync'=>'Синхронізація','Select %s'=>'Вибрати %s','Duplicate'=>'Дублювати','Duplicate this item'=>'Дублювати цей елемент','Supports'=>'Підтримка','Documentation'=>'Документація','Description'=>'Опис','Sync available'=>'Доступна синхронізація','Field group duplicated.'=>'Групу полів продубльовано.' . "\0" . '%s групи полів продубльовано.' . "\0" . '%s груп полів продубльовано.','Active (%s)'=>'Активні (%s)' . "\0" . 'Активні (%s)' . "\0" . 'Активні (%s)','Review sites & upgrade'=>'Перегляд сайтів & оновлення','Upgrade Database'=>'Оновити базу даних','Custom Fields'=>'Додаткові поля','Move Field'=>'Перемістити поле','Please select the destination for this field'=>'Будь ласка, оберіть групу, в яку перемістити','Move Complete.'=>'Переміщення завершене.','Active'=>'Діючий','Field Keys'=>'Ключі поля','Settings'=>'Налаштування','Location'=>'Розміщення','Null'=>'Нуль','copy'=>'копіювати','(this field)'=>'(це поле)','Checked'=>'Перевірено','Move Custom Field'=>'Перемістити поле','No toggle fields available'=>'Немає доступних полів, що перемикаюься','Field group title is required'=>'Заголовок обов’язковий','Field group draft updated.'=>'Чернетку групи полів оновлено.','Field group scheduled for.'=>'Групу полів збережено.','Field group submitted.'=>'Групу полів надіслано.','Field group saved.'=>'Групу полів збережено.','Field group published.'=>'Групу полів опубліковано.','Field group deleted.'=>'Групу полів видалено.','Field group updated.'=>'Групу полів оновлено.','Tools'=>'Інструменти','is not equal to'=>'не дорівнює','is equal to'=>'дорівнює','Forms'=>'Форми','Page'=>'Сторінка','Post'=>'Запис','Relational'=>'Реляційний','Choice'=>'Вибір','Basic'=>'Загальне','Unknown'=>'Невідомий','Field type does not exist'=>'Тип поля не існує','Spam Detected'=>'Виявлено спам','Post updated'=>'Запис оновлено','Update'=>'Оновити','Validate Email'=>'Підтвердити Email','Content'=>'Вміст','Title'=>'Назва','Edit field group'=>'Редагувати групу полів','Selection is less than'=>'Обране значення менш ніж','Selection is greater than'=>'Обране значення більш ніж','Value is less than'=>'Значення меньше ніж','Value is greater than'=>'Значення більше ніж','Value contains'=>'Значення містить','Value matches pattern'=>'Значення відповідає шаблону','Value is not equal to'=>'Значення не дорівноє','Value is equal to'=>'Значення дорівнює','Has no value'=>'Немає значення','Has any value'=>'Має будь-яке значення','Cancel'=>'Скасувати','Are you sure?'=>'Ви впевнені?','%d fields require attention'=>'%d поле потребує уваги','1 field requires attention'=>'1 поле потребує уваги','Validation failed'=>'Помилка валідації','Validation successful'=>'Валідація успішна','Restricted'=>'Обмежено','Collapse Details'=>'Згорнути деталі','Expand Details'=>'Показати деталі','Uploaded to this post'=>'Завантажено до цього запису.','verbUpdate'=>'Оновлення','verbEdit'=>'Редагувати','The changes you made will be lost if you navigate away from this page'=>'Зміни, які ви внесли, буде втрачено, якщо ви перейдете з цієї сторінки','File type must be %s.'=>'Тип файлу має бути %s.','or'=>'або','File size must not exceed %s.'=>'Розмір файлу не повинен перевищувати %s.','File size must be at least %s.'=>'Розмір файлу має бути принаймні %s.','Image height must not exceed %dpx.'=>'Висота зображення не повинна перевищувати %dpx.','Image height must be at least %dpx.'=>'Висота зображення має бути принаймні %dpx.','Image width must not exceed %dpx.'=>'Ширина зображення не повинна перевищувати %dpx.','Image width must be at least %dpx.'=>'Ширина зображення має бути принаймні %dpx.','(no title)'=>'(без назви)','Full Size'=>'Повний розмір','Large'=>'Великий','Medium'=>'Середній','Thumbnail'=>'Мініатюра','(no label)'=>'(без мітки)','Sets the textarea height'=>'Встановлює висоту текстової області','Rows'=>'Рядки','Text Area'=>'Текстова область','Prepend an extra checkbox to toggle all choices'=>'Додайте додатковий прапорець, щоб перемикати всі варіанти','Save \'custom\' values to the field\'s choices'=>'Зберегти \'користувацькі\' значення для вибору поля','Add new choice'=>'Додати новий вибір','Toggle All'=>'Перемкнути всі','Allow Archives URLs'=>'Дозволити URL архівів','Archives'=>'Архіви','Page Link'=>'Посилання сторінки','Add'=>'Додати','Name'=>'Ім’я','%s added'=>'%s доданий','%s already exists'=>'%s вже існує','User unable to add new %s'=>'У користувача немає можливості додати новий %s','Term ID'=>'ID терміну','Term Object'=>'Об\'єкт терміна','Load value from posts terms'=>'Завантажити значення з термінів записів','Load Terms'=>'Завантажити терміни','Save Terms'=>'Зберегти терміни','Create Terms'=>'Створити терміни','Radio Buttons'=>'Кнопки Перемикачі','Single Value'=>'Окреме значення','Multi Select'=>'Вибір декількох','Checkbox'=>'Галочка','Multiple Values'=>'Декілька значень','Appearance'=>'Вигляд','No TermsNo %s'=>'Ні %s','Value must be a number'=>'Значення має бути числом','Number'=>'Кількість','Save \'other\' values to the field\'s choices'=>'Зберегти \'користувацькі\' значення для вибору поля','Add \'other\' choice to allow for custom values'=>'Додати вибір \'Інше\', для користувацьких значень','Other'=>'Інше','Radio Button'=>'Радіо Кнопки','Display this accordion as open on page load.'=>'Відображати цей акордеон як відкритий при завантаженні сторінки.','Open'=>'Відкрити','Accordion'=>'Акордеон','File ID'=>'ID файлу','File URL'=>'URL файлу','File Array'=>'Масив файлу','Add File'=>'Додати файл','No file selected'=>'Файл не вибрано','File name'=>'Назва файлу','Update File'=>'Оновити файл','Edit File'=>'Редагувати файл','Select File'=>'Виберіть файл','File'=>'Файл','Password'=>'Пароль','Use AJAX to lazy load choices?'=>'Використати AJAX для завантаження значень?','Enter each default value on a new line'=>'Введіть значення. Одне значення в одному рядку','verbSelect'=>'Вибрати','Select2 JS load_failLoading failed'=>'Помилка завантаження','Select2 JS searchingSearching…'=>'Пошук…','Select2 JS load_moreLoading more results…'=>'Завантаження результатів…','Select2 JS selection_too_long_1You can only select 1 item'=>'Ви можете вибрати тільки 1 позицію','Select2 JS input_too_long_nPlease delete %d characters'=>'Будь-ласка видаліть %s символів','Select2 JS input_too_long_1Please delete 1 character'=>'Будь ласка видаліть 1 символ','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Введіть %d або більше символів','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Будь ласка введіть 1 або більше символів','Select2 JS matches_0No matches found'=>'Співпадінь не знайдено','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Доступні результати %d, використовуйте клавіші зі стрілками вгору та вниз для навігації.','Select2 JS matches_1One result is available, press enter to select it.'=>'Лише один результат доступний, натисніть клавішу ENTER, щоб вибрати його.','nounSelect'=>'Вибрати','User ID'=>'ID користувача','User Object'=>'Об\'єкт користувача','User Array'=>'Користувацький масив','All user roles'=>'Всі ролі користувачів','Filter by Role'=>'Фільтр за роллю','User'=>'Користувач','Separator'=>'Роздільник','Select Color'=>'Вібрати колір','Default'=>'Початковий','Clear'=>'Очистити','Color Picker'=>'Вибір кольору','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Виберіть','Date Time Picker JS closeTextDone'=>'Готово','Date Time Picker JS currentTextNow'=>'Зараз','Date Time Picker JS timezoneTextTime Zone'=>'Часовий пояс','Date Time Picker JS microsecTextMicrosecond'=>'Мікросекунда','Date Time Picker JS millisecTextMillisecond'=>'Мілісекунда','Date Time Picker JS secondTextSecond'=>'Секунда','Date Time Picker JS minuteTextMinute'=>'Хвилина','Date Time Picker JS hourTextHour'=>'Година','Date Time Picker JS timeTextTime'=>'Час','Date Time Picker JS timeOnlyTitleChoose Time'=>'Виберіть час','Date Time Picker'=>'Вибір дати і часу','Endpoint'=>'Кінцева точка','Left aligned'=>'Зліва','Top aligned'=>'Зверху','Placement'=>'Розміщення','Tab'=>'Вкладка','Value must be a valid URL'=>'Значення має бути адресою URl','Link URL'=>'URL посилання','Link Array'=>'Масив посилання','Opens in a new window/tab'=>'Відкрити в новому вікні','Select Link'=>'Оберіть посилання','Link'=>'Посилання','Email'=>'Email','Step Size'=>'Розмір кроку','Maximum Value'=>'Максимальне значення','Minimum Value'=>'Мінімальне значення','Range'=>'Діапазон (Range)','Both (Array)'=>'Галочка','Label'=>'Мітка','Value'=>'Значення','Vertical'=>'Вертикально','Horizontal'=>'Горизонтально','red : Red'=>'red : Червоний','For more control, you may specify both a value and label like this:'=>'Для більшого контролю, Ви можете вказати маркувати значення:','Enter each choice on a new line.'=>'У кожному рядку по варіанту','Choices'=>'Варіанти вибору','Button Group'=>'Група кнопок','Allow Null'=>'Дозволити нуль','Parent'=>'Предок','TinyMCE will not be initialized until field is clicked'=>'TinyMCE не буде ініціалізовано, доки не буде натиснуто поле','Delay Initialization'=>'Затримка ініціалізації','Show Media Upload Buttons'=>'Показувати кнопки завантаження файлів','Toolbar'=>'Верхня панель','Text Only'=>'Лише текст','Visual Only'=>'Візуальний лише','Visual & Text'=>'Візуальний і Текстовий','Tabs'=>'Вкладки','Click to initialize TinyMCE'=>'Натисніть, щоб ініціалізувати TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Текст','Visual'=>'Візуальний','Value must not exceed %d characters'=>'Значення не має перевищувати %d символів','Leave blank for no limit'=>'Щоб зняти обмеження — нічого не вказуйте тут','Character Limit'=>'Ліміт символів','Appears after the input'=>'Розміщується в кінці поля','Append'=>'Після поля','Appears before the input'=>'Розміщується на початку поля','Prepend'=>'Перед полем','Appears within the input'=>'Показується, якщо поле порожнє','Placeholder Text'=>'Текст заповнювач','Appears when creating a new post'=>'З\'являється при створенні нового матеріалу','Text'=>'Текст','%1$s requires at least %2$s selection'=>'%1$s вимагає принаймні %2$s вибір' . "\0" . '%1$s вимагає принаймні %2$s виділення' . "\0" . '%1$s вимагає принаймні %2$s виділень','Post ID'=>'ID запису','Post Object'=>'Об’єкт запису','Maximum Posts'=>'Максимум записів','Minimum Posts'=>'Мінімум записів','Featured Image'=>'Головне зображення','Selected elements will be displayed in each result'=>'Вибрані елементи будуть відображені в кожному результаті','Elements'=>'Елементи','Taxonomy'=>'Таксономія','Post Type'=>'Тип запису','Filters'=>'Фільтри','All taxonomies'=>'Всі таксономії','Filter by Taxonomy'=>'Фільтр за типом таксономією','All post types'=>'Всі типи матеріалів','Filter by Post Type'=>'Фільтр за типом матеріалу','Search...'=>'Пошук…','Select taxonomy'=>'Оберіть таксономію','Select post type'=>'Вибір типу матеріалу','No matches found'=>'Не знайдено','Loading'=>'Завантаження','Maximum values reached ( {max} values )'=>'Досягнуто максимальних значень ( {max} values )','Relationship'=>'Зв\'язок','Comma separated list. Leave blank for all types'=>'Перелік, розділений комами. Залиште порожнім для всіх типів','Allowed File Types'=>'Дозволені типи файлів','Maximum'=>'Максимум','File size'=>'Розмір файлу','Restrict which images can be uploaded'=>'Обмежте, які зображення можна завантажувати','Minimum'=>'Мінімум','Uploaded to post'=>'Завантажено до матеріалу','All'=>'Всі','Limit the media library choice'=>'Обмежте вибір медіатеки','Library'=>'Бібліотека','Preview Size'=>'Розмір попереднього перегляду','Image ID'=>'ID зображення','Image URL'=>'URL зображення','Image Array'=>'Масив зображення','Return Value'=>'Повернення значення','Add Image'=>'Додати зображення','No image selected'=>'Зображення не вибрано','Remove'=>'Видалити','Edit'=>'Редагувати','All images'=>'Усі зображення','Update Image'=>'Оновити зображення','Edit Image'=>'Редагувати зображення','Select Image'=>'Виберіть зображення','Image'=>'Зображення','Escape HTML'=>'Escape HTML','No Formatting'=>'Без форматування','Automatically add <br>'=>'Автоматичне перенесення рядків (додається теґ <br>)','Automatically add paragraphs'=>'Автоматично додавати абзаци','Controls how new lines are rendered'=>'Вкажіть спосіб обробки нових рядків','New Lines'=>'Перенесення рядків','Week Starts On'=>'Тиждень починається з','Save Format'=>'Зберегти формат','Date Picker JS weekHeaderWk'=>'Wk','Date Picker JS prevTextPrev'=>'Назад','Date Picker JS nextTextNext'=>'Далі','Date Picker JS currentTextToday'=>'Сьогодні','Date Picker JS closeTextDone'=>'Готово','Date Picker'=>'Вибір дати','Width'=>'Ширина','Embed Size'=>'Розмір вставки','Enter URL'=>'Введіть URL','oEmbed'=>'oEmbed (вставка)','Text shown when inactive'=>'Текст відображається, коли неактивний','Off Text'=>'Текст вимкнено','Text shown when active'=>'Текст відображається, коли активний','On Text'=>'На тексті','Stylized UI'=>'Стилізований інтерфейс користувача','Default Value'=>'Початкове значення','Displays text alongside the checkbox'=>'Відображати текст поруч із прапорцем','Message'=>'Повідомлення','No'=>'Ні','Yes'=>'Так','True / False'=>'Так / Ні','Row'=>'Рядок','Table'=>'Таблиця','Block'=>'Блок','Specify the style used to render the selected fields'=>'Укажіть стиль для візуалізації вибраних полів','Layout'=>'Компонування','Sub Fields'=>'Підполя','Group'=>'Група','Customize the map height'=>'Налаштування висоти карти','Height'=>'Висота','Set the initial zoom level'=>'Встановіть початковий рівень масштабування','Zoom'=>'Збільшити','Center the initial map'=>'Відцентруйте початкову карту','Center'=>'По центру','Search for address...'=>'Шукати адресу...','Find current location'=>'Знайдіть поточне місце розташування','Clear location'=>'Очистити розміщення','Search'=>'Пошук','Sorry, this browser does not support geolocation'=>'Вибачте, цей браузер не підтримує автоматичне визначення локації','Google Map'=>'Google Map','The format returned via template functions'=>'Формат повертається через функції шаблону','Return Format'=>'Формат повернення','Custom:'=>'Користувацький:','Display Format'=>'Формат показу','Time Picker'=>'Вибір часу','Inactive (%s)'=>'Неактивний (%s)' . "\0" . 'Неактивні (%s)' . "\0" . 'Неактивних (%s)','No Fields found in Trash'=>'Не знайдено полів у кошику','No Fields found'=>'Не знайдено полів','Search Fields'=>'Поля пошуку','View Field'=>'Переглянути поле','New Field'=>'Нове поле','Edit Field'=>'Редагувати поле','Add New Field'=>'Додати нове поле','Field'=>'Поле','Fields'=>'Поля','No Field Groups found in Trash'=>'У кошику немає груп полів','No Field Groups found'=>'Не знайдено груп полів','Search Field Groups'=>'Шукати групи полів','View Field Group'=>'Переглянути групу полів','New Field Group'=>'Нова група полів','Edit Field Group'=>'Редагувати групу полів','Add New Field Group'=>'Додати нову групу полів','Add New'=>'Додати новий','Field Group'=>'Група полів','Field Groups'=>'Групи полів','Customize WordPress with powerful, professional and intuitive fields.'=>'Налаштуйте WordPress за допомогою потужних, професійних та інтуїтивно зрозумілих полів.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Додаткові поля Pro','%s settings'=>'Налаштування','Options Updated'=>'Опції оновлено','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте ліцензії, перегляньте','ACF Activation Error. An error occurred when connecting to activation server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Check Again'=>'Перевірити знову','ACF Activation Error. Could not connect to activation server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Publish'=>'Опублікувати','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Немає полів для цієї сторінки опцій. Створити групу додаткових полів','Error. Could not connect to update server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Display'=>'Таблиця','Group (displays selected fields in a group within this field)'=>'Будь ласка, оберіть групу полів куди Ви хочете перемістити це поле','Prefix Field Labels'=>'Назва поля','Prefix Field Names'=>'Ярлик','Unknown field'=>'Невідоме поле','Unknown field group'=>'Редагувати групу полів','Add Row'=>'Додати рядок','layout'=>'Шаблон структури' . "\0" . 'Шаблон структури' . "\0" . 'Шаблон структури','layouts'=>'Шаблон структури','Add layout'=>'Додати шаблон','Duplicate layout'=>'Дублювати шаблон','Remove layout'=>'Видалити шаблон','Delete Layout'=>'Видалити шаблон','Duplicate Layout'=>'Дублювати шаблон','Add New Layout'=>'Додати новий шаблон','Add Layout'=>'Додати шаблон','Min'=>'Мін.','Max'=>'Макс.','Minimum Layouts'=>'Мінімум шаблонів','Maximum Layouts'=>'Максимум шаблонів','Button Label'=>'Текст для кнопки','Add Image to Gallery'=>'Додати зображення до галереї','Maximum selection reached'=>'Досягнуто максимального вибору','Length'=>'Довжина','Caption'=>'Підпис','Alt Text'=>'Альтернативний текст','Add to gallery'=>'Додати до галереї','Bulk actions'=>'Масові дії','Sort by date uploaded'=>'Сортувати за датою завантаження','Sort by date modified'=>'Сортувати за датою зміни','Sort by title'=>'Сортувати за назвою','Reverse current order'=>'Зворотній поточний порядок','Close'=>'Закрити','Minimum Selection'=>'Мінімальна вибірка','Maximum Selection'=>'Максимальна вибірка','Allowed file types'=>'Дозволені типи файлів','Insert'=>'Вставити','Append to the end'=>'Розміщується в кінці','Rows Per Page'=>'Сторінка з публікаціями','Minimum Rows'=>'Мінімум рядків','Maximum Rows'=>'Максимум рядків','Collapsed'=>'Сховати деталі','Click to reorder'=>'Перетягніть, щоб змінити порядок','Add row'=>'Додати рядок','Duplicate row'=>'Дублювати','Remove row'=>'Видалити рядок','Current Page'=>'Поточний користувач','First Page'=>'Головна сторінка','Previous Page'=>'Сторінка з публікаціями','Next Page'=>'Головна сторінка','Last Page'=>'Сторінка з публікаціями','Deactivate License'=>'Деактивувати ліцензію','Activate License'=>'Активувати ліцензію','License Information'=>'Інформація про ліцензію','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте ліцензії, перегляньте','License Key'=>'Код ліцензії','Retry Activation'=>'Поліпшена перевірка','Update Information'=>'Інформація про оновлення','Current Version'=>'Поточна версія','Latest Version'=>'Остання версія','Update Available'=>'Доступні оновлення','Upgrade Notice'=>'Оновити базу даних','Enter your license key to unlock updates'=>'Будь ласка, введіть код ліцензії, щоб розблокувати оновлення','Update Plugin'=>'Оновити плаґін','Please reactivate your license to unlock updates'=>'Будь ласка, введіть код ліцензії, щоб розблокувати оновлення']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'','Learn more.'=>'Дізнатись більше.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'','Forums Icon'=>'Іконка Форуми','YouTube Icon'=>'Іконка YouTube','Yes (alt) Icon'=>'Іконка Так (alt)','Xing Icon'=>'Іконка Xing','WordPress (alt) Icon'=>'','WhatsApp Icon'=>'Іконка WhatsApp','Write Blog Icon'=>'','Widgets Menus Icon'=>'','View Site Icon'=>'Переглянути іконку сайту','Learn More Icon'=>'','Add Page Icon'=>'Додати іконку сторінки','Video (alt3) Icon'=>'','Video (alt2) Icon'=>'','Video (alt) Icon'=>'','Update (alt) Icon'=>'','Universal Access (alt) Icon'=>'','Twitter (alt) Icon'=>'','Twitch Icon'=>'Іконка Twitch','Tide Icon'=>'','Tickets (alt) Icon'=>'','Text Page Icon'=>'','Table Row Delete Icon'=>'','Table Row Before Icon'=>'','Table Row After Icon'=>'','Table Col Delete Icon'=>'','Table Col Before Icon'=>'','Table Col After Icon'=>'','Superhero (alt) Icon'=>'','Superhero Icon'=>'','Spotify Icon'=>'Іконка Spotify','Shortcode Icon'=>'','Shield (alt) Icon'=>'','Share (alt2) Icon'=>'','Share (alt) Icon'=>'','Saved Icon'=>'','RSS Icon'=>'Іконка RSS','REST API Icon'=>'REST API Іконка','Remove Icon'=>'Видалити іконку','Reddit Icon'=>'Іконка Reddit','Privacy Icon'=>'','Printer Icon'=>'','Podio Icon'=>'','Plus (alt2) Icon'=>'','Plus (alt) Icon'=>'','Plugins Checked Icon'=>'','Pinterest Icon'=>'Іконка Pinterest','Pets Icon'=>'','PDF Icon'=>'PDF - іконка','Palm Tree Icon'=>'Пальма - іконка','Open Folder Icon'=>'','No (alt) Icon'=>'','Money (alt) Icon'=>'','Menu (alt3) Icon'=>'','Menu (alt2) Icon'=>'','Menu (alt) Icon'=>'','Spreadsheet Icon'=>'','Interactive Icon'=>'','Document Icon'=>'Іконка документа','Default Icon'=>'Початкова іконка','Location (alt) Icon'=>'','LinkedIn Icon'=>'Іконка LinkedIn','Instagram Icon'=>'Іконка Instagram','Insert Before Icon'=>'','Insert After Icon'=>'','Insert Icon'=>'Вставити іконку','Info Outline Icon'=>'','Images (alt2) Icon'=>'','Images (alt) Icon'=>'','Rotate Right Icon'=>'','Rotate Left Icon'=>'','Rotate Icon'=>'','Flip Vertical Icon'=>'','Flip Horizontal Icon'=>'','Crop Icon'=>'','ID (alt) Icon'=>'','HTML Icon'=>'','Hourglass Icon'=>'','Heading Icon'=>'','Google Icon'=>'Google - іконка','Games Icon'=>'Ігри - іконка','Fullscreen Exit (alt) Icon'=>'','Fullscreen (alt) Icon'=>'','Status Icon'=>'Статус - іконка','Image Icon'=>'Іконка зображення','Gallery Icon'=>'','Chat Icon'=>'Чат- іконка','Audio Icon'=>'','Aside Icon'=>'','Food Icon'=>'','Exit Icon'=>'','Excerpt View Icon'=>'','Embed Video Icon'=>'','Embed Post Icon'=>'','Embed Photo Icon'=>'','Embed Generic Icon'=>'','Embed Audio Icon'=>'','Email (alt2) Icon'=>'','Ellipsis Icon'=>'','Unordered List Icon'=>'','RTL Icon'=>'','Ordered List RTL Icon'=>'','Ordered List Icon'=>'','LTR Icon'=>'','Custom Character Icon'=>'','Edit Page Icon'=>'','Edit Large Icon'=>'','Drumstick Icon'=>'','Database View Icon'=>'','Database Remove Icon'=>'','Database Import Icon'=>'Іконка імпорту бази даних','Database Export Icon'=>'Іконка експорту бази даних','Database Add Icon'=>'','Database Icon'=>'Іконка бази даних','Cover Image Icon'=>'','Volume On Icon'=>'','Volume Off Icon'=>'','Skip Forward Icon'=>'','Skip Back Icon'=>'','Repeat Icon'=>'','Play Icon'=>'Іконка програти','Pause Icon'=>'','Forward Icon'=>'','Back Icon'=>'','Columns Icon'=>'','Color Picker Icon'=>'','Coffee Icon'=>'','Code Standards Icon'=>'','Cloud Upload Icon'=>'','Cloud Saved Icon'=>'','Car Icon'=>'','Camera (alt) Icon'=>'','Calculator Icon'=>'','Button Icon'=>'Іконка кнопки','Businessperson Icon'=>'','Tracking Icon'=>'','Topics Icon'=>'','Replies Icon'=>'','PM Icon'=>'','Friends Icon'=>'','Community Icon'=>'','BuddyPress Icon'=>'','bbPress Icon'=>'','Activity Icon'=>'','Book (alt) Icon'=>'','Block Default Icon'=>'','Bell Icon'=>'','Beer Icon'=>'','Bank Icon'=>'','Arrow Up (alt2) Icon'=>'','Arrow Up (alt) Icon'=>'','Arrow Right (alt2) Icon'=>'','Arrow Right (alt) Icon'=>'','Arrow Left (alt2) Icon'=>'','Arrow Left (alt) Icon'=>'','Arrow Down (alt2) Icon'=>'','Arrow Down (alt) Icon'=>'','Amazon Icon'=>'Ікона Amazon','Align Wide Icon'=>'','Align Pull Right Icon'=>'','Align Pull Left Icon'=>'','Align Full Width Icon'=>'','Airplane Icon'=>'Іконка літака','Site (alt3) Icon'=>'','Site (alt2) Icon'=>'','Site (alt) Icon'=>'','Upgrade to ACF PRO to create options pages in just a few clicks'=>'','Invalid request args.'=>'','Sorry, you do not have permission to do that.'=>'','Blocks Using Post Meta'=>'','ACF PRO logo'=>'','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'','The value of icon to save.'=>'','The type of icon to save.'=>'','Yes Icon'=>'','WordPress Icon'=>'Іконка WordPress','Warning Icon'=>'Іконка попередження','Visibility Icon'=>'','Vault Icon'=>'','Upload Icon'=>'Завантажити Іконки','Update Icon'=>'','Unlock Icon'=>'','Universal Access Icon'=>'','Undo Icon'=>'','Twitter Icon'=>'Іконка X','Trash Icon'=>'Іконка кошика','Translation Icon'=>'Іконка перекладу','Tickets Icon'=>'','Thumbs Up Icon'=>'','Thumbs Down Icon'=>'','Text Icon'=>'','Testimonial Icon'=>'Іконка відгуку','Tagcloud Icon'=>'','Tag Icon'=>'','Tablet Icon'=>'','Store Icon'=>'','Sticky Icon'=>'','Star Half Icon'=>'','Star Filled Icon'=>'','Star Empty Icon'=>'','Sos Icon'=>'','Sort Icon'=>'','Smiley Icon'=>'','Smartphone Icon'=>'','Slides Icon'=>'','Shield Icon'=>'','Share Icon'=>'','Search Icon'=>'Іконка пошуку','Screen Options Icon'=>'','Schedule Icon'=>'','Redo Icon'=>'','Randomize Icon'=>'','Products Icon'=>'','Pressthis Icon'=>'','Post Status Icon'=>'','Portfolio Icon'=>'','Plus Icon'=>'','Playlist Video Icon'=>'','Playlist Audio Icon'=>'','Phone Icon'=>'Іконка телефону','Performance Icon'=>'','Paperclip Icon'=>'','No Icon'=>'Без іконки','Networking Icon'=>'','Nametag Icon'=>'','Move Icon'=>'','Money Icon'=>'','Minus Icon'=>'','Migrate Icon'=>'','Microphone Icon'=>'Іконка мікрофона','Megaphone Icon'=>'','Marker Icon'=>'Іконка маркера','Lock Icon'=>'','Location Icon'=>'Іконка розміщення','List View Icon'=>'','Lightbulb Icon'=>'','Left Right Icon'=>'','Layout Icon'=>'','Laptop Icon'=>'','Info Icon'=>'','Index Card Icon'=>'','ID Icon'=>'','Hidden Icon'=>'','Heart Icon'=>'','Hammer Icon'=>'','Groups Icon'=>'','Grid View Icon'=>'','Forms Icon'=>'','Flag Icon'=>'','Filter Icon'=>'','Feedback Icon'=>'','Facebook (alt) Icon'=>'','Facebook Icon'=>'Іконка Facebook','External Icon'=>'','Email (alt) Icon'=>'','Email Icon'=>'Іконка email','Video Icon'=>'Іконка відео','Unlink Icon'=>'','Underline Icon'=>'','Text Color Icon'=>'','Table Icon'=>'','Strikethrough Icon'=>'','Spellcheck Icon'=>'','Remove Formatting Icon'=>'','Quote Icon'=>'Іконка цитати','Paste Word Icon'=>'','Paste Text Icon'=>'','Paragraph Icon'=>'','Outdent Icon'=>'','Kitchen Sink Icon'=>'','Justify Icon'=>'','Italic Icon'=>'','Insert More Icon'=>'','Indent Icon'=>'','Help Icon'=>'','Expand Icon'=>'','Contract Icon'=>'','Code Icon'=>'','Break Icon'=>'','Bold Icon'=>'','Edit Icon'=>'','Download Icon'=>'Іконка завантаження','Dismiss Icon'=>'Іконка Відхилити','Desktop Icon'=>'','Dashboard Icon'=>'','Cloud Icon'=>'','Clock Icon'=>'','Clipboard Icon'=>'','Chart Pie Icon'=>'','Chart Line Icon'=>'','Chart Bar Icon'=>'','Chart Area Icon'=>'','Category Icon'=>'Іконка категорії','Cart Icon'=>'Іконка кошика','Carrot Icon'=>'','Camera Icon'=>'','Calendar (alt) Icon'=>'','Calendar Icon'=>'','Businesswoman Icon'=>'','Building Icon'=>'Будівля - іконка','Book Icon'=>'Книга - іконка','Backup Icon'=>'Резервне копіювання - іконка','Awards Icon'=>'','Art Icon'=>'','Arrow Up Icon'=>'','Arrow Right Icon'=>'','Arrow Left Icon'=>'','Arrow Down Icon'=>'','Archive Icon'=>'','Analytics Icon'=>'Іконка аналітики','Align Right Icon'=>'','Align None Icon'=>'','Align Left Icon'=>'','Align Center Icon'=>'','Album Icon'=>'Іконка альбому','Users Icon'=>'Іконка користувачів','Tools Icon'=>'','Site Icon'=>'Іконка сайту','Settings Icon'=>'','Post Icon'=>'Іконка запису','Plugins Icon'=>'','Page Icon'=>'','Network Icon'=>'','Multisite Icon'=>'','Media Icon'=>'','Links Icon'=>'','Home Icon'=>'Іконка Домашня сторінка','Customizer Icon'=>'','Comments Icon'=>'Іконка коментарів','Collapse Icon'=>'','Appearance Icon'=>'','Generic Icon'=>'','Icon picker requires a value.'=>'','Icon picker requires an icon type.'=>'','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'','String'=>'','Specify the return format for the icon. %s'=>'','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'','Media Library'=>'Бібліотека медіа','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'Вибір іконки','JSON Load Paths'=>'','JSON Save Paths'=>'','Registered ACF Forms'=>'','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'','Light'=>'Світлий','Standard'=>'Стандартний','REST API Format'=>'','Registered Options Pages (PHP)'=>'','Registered Options Pages (JSON)'=>'','Registered Options Pages (UI)'=>'','Options Pages UI Enabled'=>'','Registered Taxonomies (JSON)'=>'','Registered Taxonomies (UI)'=>'','Registered Post Types (JSON)'=>'','Registered Post Types (UI)'=>'','Post Types and Taxonomies Enabled'=>'','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'','Field Groups Enabled for REST API'=>'','Registered Field Groups (JSON)'=>'','Registered Field Groups (PHP)'=>'','Registered Field Groups (UI)'=>'','Active Plugins'=>'Активні плагіни','Parent Theme'=>'Батьківська тема','Active Theme'=>'Активна тема','Is Multisite'=>'','MySQL Version'=>'Версія MySQL','WordPress Version'=>'Версія WordPress','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'Безкоштовно','Plugin Type'=>'','Plugin Version'=>'Версія плагіна','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'','Instructions for content editors. Shown when submitting data.'=>'','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'','User is equal to'=>'','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'','Page is not equal to'=>'','Page is equal to'=>'','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'','Post is not equal to'=>'','Post is equal to'=>'','Relationships do not contain'=>'','Relationships contain'=>'','Relationship is not equal to'=>'','Relationship is equal to'=>'','The core ACF block binding source name for fields on the current pageACF Fields'=>'','ACF PRO Feature'=>'','Renew PRO to Unlock'=>'','Renew PRO License'=>'','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'','Hide details'=>'','Show details'=>'','%1$s (%2$s) - rendered via %3$s'=>'','Renew ACF PRO License'=>'','Renew License'=>'Оновити ліцензію','Manage License'=>'Керування ліцензією','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'Сторінка додавання параметрів','In the editor used as the placeholder of the title.'=>'У редакторі використовується як замінник заголовка.','Title Placeholder'=>'Назва заповнювача поля','4 Months Free'=>'4 місяці безкоштовно','(Duplicated from %s)'=>'(Дубльовано з %s)','Select Options Pages'=>'Виберіть параметри сторінок','Duplicate taxonomy'=>'Продублювати таксономію','Create taxonomy'=>'Створити таксономію','Duplicate post type'=>'Дублікати тип допису','Create post type'=>'Створити тип допису','Link field groups'=>'Посилання на групу полів','Add fields'=>'Добавити поле','This Field'=>'Це поле','ACF PRO'=>'ACF PRO','Feedback'=>'Зворотній зв’язок','Support'=>'Підтримка','is developed and maintained by'=>'розробляється та підтримується','Add this %s to the location rules of the selected field groups.'=>'Додайте цей %s до правил розташування вибраних груп полів.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Увімкнення двонаправленого налаштування дозволяє оновлювати значення в цільових полях для кожного значення, вибраного для цього поля, додаючи або видаляючи Post ID, Taxonomy ID або User ID елемента, який оновлюється. Для отримання додаткової інформації, будь ласка, прочитайте документацію.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Оберіть поля для зберігання посилання на елемент, що оновлюється. Ви можете обрати це поле. Цільові поля мають бути сумісні з тим, де це поле відображається. Наприклад, якщо це поле відображається в таксономії, ваше цільове поле має мати тип таксономії','Target Field'=>'Цільове поле','Update a field on the selected values, referencing back to this ID'=>'Оновлення поля для вибраних значень, посилаючись на цей ідентифікатор','Bidirectional'=>'Двонаправлений','%s Field'=>'Поле %s','Select Multiple'=>'Виберіть кілька','WP Engine logo'=>'Логотип WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Лише малі літери, підкреслення та тире, максимум 32 символи.','The capability name for assigning terms of this taxonomy.'=>'Назва можливості для призначення термінів цієї таксономії.','Assign Terms Capability'=>'Можливість призначення термінів','The capability name for deleting terms of this taxonomy.'=>'Назва можливості для видалення термінів цієї таксономії.','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'','Learn More'=>'Дізнатись більше','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'Поля %s','No terms'=>'Немає умови','No post types'=>'','No posts'=>'','No taxonomies'=>'','No field groups'=>'','No fields'=>'','No description'=>'Немає опису','Any post status'=>'','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'Таксономій у кошику не знайдено','No Taxonomies found'=>'Таксономій не знайдено','Search Taxonomies'=>'Пошук таксономій','View Taxonomy'=>'Переглянути таксономію','New Taxonomy'=>'Нова таксономія','Edit Taxonomy'=>'Редагувати таксономію','Add New Taxonomy'=>'Додати нову таксономію','No Post Types found in Trash'=>'','No Post Types found'=>'','Search Post Types'=>'','View Post Type'=>'','New Post Type'=>'Новий тип запису','Edit Post Type'=>'Редагувати тип запису','Add New Post Type'=>'Додати новий тип запису','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'Редактор WYSIWYG','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'','A basic text input, useful for storing single string values.'=>'','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'','Uses the native WordPress media picker to upload, or choose images.'=>'','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'','A text input specifically designed for storing email addresses.'=>'','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Інтерактивний інтерфейс для вибору дати та часу. Формат повернення дати можна налаштувати за допомогою налаштувань поля.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'Клон','PRO'=>'PRO','Advanced'=>'Розширене','JSON (newer)'=>'','Original'=>'Оригінальний','Invalid post ID.'=>'Невірний ID запису.','Invalid post type selected for review.'=>'','More'=>'Більше','Tutorial'=>'Навчальний посібник','Select Field'=>'','Try a different search term or browse %s'=>'','Popular fields'=>'','No search results for \'%s\''=>'','Search fields...'=>'Пошук полів...','Select Field Type'=>'','Popular'=>'Популярні','Add Taxonomy'=>'Додати таксономію','Create custom taxonomies to classify post type content'=>'','Add Your First Taxonomy'=>'','Hierarchical taxonomies can have descendants (like categories).'=>'','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'','One or many post types that can be classified with this taxonomy.'=>'','genre'=>'','Genre'=>'Жанр','Genres'=>'Жанри','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'Показати колонку адміна','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'Швидке редагування','List the taxonomy in the Tag Cloud Widget controls.'=>'','Tag Cloud'=>'Хмаринка позначок','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'','Custom Meta Box'=>'','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'Meta Box','Categories Meta Box'=>'','Tags Meta Box'=>'','A link to a tag'=>'Посилання на позначку','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'Посилання на %s','Tag Link'=>'Посилання позначки','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'Список позначок','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'Навігація по списку позначок','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'Сортувати за категоріями','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'','Filter by %s'=>'Фільтрувати за %s','The description is not prominent by default; however, some themes may show it.'=>'','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Призначте батьківський елемент для створення ієрархії. "Джаз" наприклад може бути батьком для "бібоп" і "біг-бенд"','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'','No tags'=>'Немає позначок','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'Немає %s','No tags found'=>'Теги не знайдено','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'Не знайдено','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'Популярні','Choose from the most used tags'=>'Виберіть з-поміж найбільш використовуваних позначок','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'Виберіть з найбільш використовуваних','Choose from the most used %s'=>'Обрати з найбільш використовуваних %s','Add or remove tags'=>'Додати чи видалити позначки','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'Додати або видалити елементи','Add or remove %s'=>'Додати або видалити %s','Separate tags with commas'=>'Розділяйте позначки комами','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'Розділити %s комами','Popular Tags'=>'Популярні позначки','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'','Popular %s'=>'Популярний %s','Search Tags'=>'Шукати позначки','Assigns search items text.'=>'','Parent Category:'=>'Батьківська категорія:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'Батьківська категорія','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'','Parent %s'=>'Батьківський %s','New Tag Name'=>'Назва нової позначки','Assigns the new item name text.'=>'','New Item Name'=>'','New %s Name'=>'Нове %s Ім\'я','Add New Tag'=>'Додати нову позначку','Assigns the add new item text.'=>'','Update Tag'=>'Оновити позначку','Assigns the update item text.'=>'','Update Item'=>'Оновити елемент','Update %s'=>'Оновити %s','View Tag'=>'Переглянути позначку','In the admin bar to view term during editing.'=>'','Edit Tag'=>'Редагувати позначку','At the top of the editor screen when editing a term.'=>'У верхній частині екрана редактора під час редагування елемента.','All Tags'=>'Всі позначки','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'Мітка меню','Active taxonomies are enabled and registered with WordPress.'=>'Активні таксономії увімкнені та зареєстровані в WordPress.','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'Опис терміну','Single word, no spaces. Underscores and dashes allowed.'=>'','Term Slug'=>'','The name of the default term.'=>'','Term Name'=>'Назва терміну','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'Додати тип запису','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'','Add Your First Post Type'=>'','I know what I\'m doing, show me all the options.'=>'','Advanced Configuration'=>'Розширена конфігурація','Hierarchical post types can have descendants (like pages).'=>'','Hierarchical'=>'','Visible on the frontend and in the admin dashboard.'=>'','Public'=>'Загальнодоступне','movie'=>'фільм','Lower case letters, underscores and dashes only, Max 20 characters.'=>'','Movie'=>'Фільм','Singular Label'=>'Мітка у однині','Movies'=>'Фільми','Plural Label'=>'','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'Базовий URL','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'','Customize the query variable name.'=>'','Query Variable'=>'','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'Архів','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'Пагинація','RSS feed URL for the post type items.'=>'','Feed URL'=>'','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'Частина посилання URL','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'','Post Type Key'=>'','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'','Exclude From Search'=>'Виключити з пошуку','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'','Custom Meta Box Callback'=>'','Menu Icon'=>'Іконка меню','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'Розташування меню','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'','A link to a post.'=>'Посилання на запис.','Description for a navigation link block variation.'=>'','Item Link Description'=>'','A link to a %s.'=>'Посилання на %s.','Post Link'=>'Посилання запису','Title for a navigation link block variation.'=>'','Item Link'=>'Посилання на елемент','%s Link'=>'%s Посилання','Post updated.'=>'Запис оновлено.','In the editor notice after an item is updated.'=>'','Item Updated'=>'','%s updated.'=>'%s оновлено.','Post scheduled.'=>'Запис запланований.','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'','%s scheduled.'=>'%s заплановано.','Post reverted to draft.'=>'Запис повернуто в чернетку.','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'','%s reverted to draft.'=>'%s повернуто в чернетку.','Post published privately.'=>'Запис опубліковано приватно.','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'','%s published privately.'=>'%s публікуються приватно.','Post published.'=>'Запис опубліковано.','In the editor notice after publishing an item.'=>'','Item Published'=>'','%s published.'=>'%s опубліковано.','Posts list'=>'Список записів','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'Перелік елементів','%s list'=>'%s перелік','Posts list navigation'=>'Навігація по списку записів','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'','%s list navigation'=>'Навігація списком %s','Filter posts by date'=>'','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'','Filter %s by date'=>'','Filter posts list'=>'Фільтрувати список записів','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'','Filter %s list'=>'Відфільтрувати список %s','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'','Uploaded to this %s'=>'Завантажено до цього %s','Insert into post'=>'Вставити у запис','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'Вставити у %s','Use as featured image'=>'Використовувати як головне зображення','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'Використати головне зображення','Remove featured image'=>'Видалити головне зображення','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'Видалити головне зображення','Set featured image'=>'Встановити головне зображення','As the button label when setting the featured image.'=>'','Set Featured Image'=>'Встановити вибране зображення','Featured image'=>'Головне зображення','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'Мета-бокс для зображень','Post Attributes'=>'Властивості запису','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'','%s Attributes'=>'Атрибути %s','Post Archives'=>'Архіви записів','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'','%s Archives'=>'Архіви %s','No posts found in Trash'=>'Не знайдено записів в кошику','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'','No %s found in Trash'=>'Не знайдено %s в кошику','No posts found'=>'Не знайдено записів','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'','No %s found'=>'Жодного %s не знайдено','Search Posts'=>'Шукати записи','At the top of the items screen when searching for an item.'=>'','Search Items'=>'Пошук елементів','Search %s'=>'Пошук %s','Parent Page:'=>'Батьківська сторінка:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'','Parent %s:'=>'Батьківський %s:','New Post'=>'Новий запис','New Item'=>'Новий елемент','New %s'=>'Нов(а)ий %s','Add New Post'=>'Додати новий запис','At the top of the editor screen when adding a new item.'=>'','Add New Item'=>'Додати новий елемент','Add New %s'=>'Додати новий %s','View Posts'=>'Перегляд записів','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'Перегляд елементів','View Post'=>'Переглянути запис','In the admin bar to view item when editing it.'=>'','View Item'=>'Перегляд елемента','View %s'=>'Переглянути %s','Edit Post'=>'Редагувати запис','At the top of the editor screen when editing an item.'=>'У верхній частині екрана редактора під час редагування елемента.','Edit Item'=>'Редагувати елемент','Edit %s'=>'Редагувати %s','All Posts'=>'Всі записи','In the post type submenu in the admin dashboard.'=>'','All Items'=>'Всі елементи','All %s'=>'Всі %s','Admin menu name for the post type.'=>'','Menu Name'=>'Назва меню','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'Регенерувати','Active post types are enabled and registered with WordPress.'=>'','A descriptive summary of the post type.'=>'','Add Custom'=>'','Enable various features in the content editor.'=>'Увімкніть різні функції в редакторі вмісту.','Post Formats'=>'Формати запису','Editor'=>'Редактор','Trackbacks'=>'Зворотнє посилання','Select existing taxonomies to classify items of the post type.'=>'','Browse Fields'=>'Перегляд полів','Nothing to import'=>'Нічого імпортувати','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'' . "\0" . '' . "\0" . '','Failed to import taxonomies.'=>'','Failed to import post types.'=>'','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'' . "\0" . '' . "\0" . '','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'','Export'=>'Експорт','Select Taxonomies'=>'','Select Post Types'=>'','Exported 1 item.'=>'' . "\0" . '' . "\0" . '','Category'=>'Категорія','Tag'=>'Теґ','%s taxonomy created'=>'','%s taxonomy updated'=>'','Taxonomy draft updated.'=>'','Taxonomy scheduled for.'=>'','Taxonomy submitted.'=>'','Taxonomy saved.'=>'','Taxonomy deleted.'=>'Таксономію видалено.','Taxonomy updated.'=>'Таксономію оновлено.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'' . "\0" . '' . "\0" . '','Taxonomy duplicated.'=>'' . "\0" . '' . "\0" . '','Taxonomy deactivated.'=>'' . "\0" . '' . "\0" . '','Taxonomy activated.'=>'' . "\0" . '' . "\0" . '','Terms'=>'Умови','Post type synchronized.'=>'' . "\0" . '' . "\0" . '','Post type duplicated.'=>'' . "\0" . '' . "\0" . '','Post type deactivated.'=>'' . "\0" . '' . "\0" . '','Post type activated.'=>'' . "\0" . '' . "\0" . '','Post Types'=>'Типи записів','Advanced Settings'=>'Розширені налаштування','Basic Settings'=>'Базові налаштування','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'Сторінки','Link Existing Field Groups'=>'','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'','Post type draft updated.'=>'','Post type scheduled for.'=>'','Post type submitted.'=>'','Post type saved.'=>'','Post type updated.'=>'','Post type deleted.'=>'','Type to search...'=>'Введіть пошуковий запит...','PRO Only'=>'Тільки Pro','Field groups linked successfully.'=>'','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'таксономія','post type'=>'тип запису','Done'=>'Готово','Field Group(s)'=>'','Select one or many field groups...'=>'','Please select the field groups to link.'=>'','Field group linked successfully.'=>'' . "\0" . '' . "\0" . '','post statusRegistration Failed'=>'Реєстрація не вдалася','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'REST API','Permissions'=>'Дозволи','URLs'=>'URLs','Visibility'=>'Видимість','Labels'=>'Мітки','Field Settings Tabs'=>'','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'','Close Modal'=>'Закрити модаль','Field moved to other group'=>'','Close modal'=>'Закрити модаль','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'Нова група вкладок','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'Зберегти інший вибір','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'Оновлення','Advanced Custom Fields logo'=>'','Save Changes'=>'Зберегти зміни','Field Group Title'=>'Назва групи полів','Add title'=>'Додати заголовок','New to ACF? Take a look at our getting started guide.'=>'','Add Field Group'=>'Додати групу полів','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'','Add Your First Field Group'=>'','Options Pages'=>'Сторінки налаштувань','ACF Blocks'=>'','Gallery Field'=>'','Flexible Content Field'=>'','Repeater Field'=>'Повторюване поле','Unlock Extra Features with ACF PRO'=>'Розблокуйте додаткові можливості з ACF PRO','Delete Field Group'=>'Видалити групу полів','Created on %1$s at %2$s'=>'','Group Settings'=>'Налаштування групи','Location Rules'=>'Правила розміщення','Choose from over 30 field types. Learn more.'=>'','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'Додайте своє перше поле','#'=>'№','Add Field'=>'Додати поле','Presentation'=>'Презентація','Validation'=>'Перевірка','General'=>'Загальні','Import JSON'=>'Імпортувати JSON','Export As JSON'=>'Експортувати як JSON','Field group deactivated.'=>'' . "\0" . '' . "\0" . '','Field group activated.'=>'' . "\0" . '' . "\0" . '','Deactivate'=>'Деактивувати','Deactivate this item'=>'Деактивувати цей елемент','Activate'=>'Активувати','Activate this item'=>'Активувати цей елемент','Move field group to trash?'=>'','post statusInactive'=>'Неактивний','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid user ID.'=>'','Invalid request.'=>'Невірний запит.','%1$s is not one of %2$s'=>'%1$s не належить до %2$s','%1$s must have term %2$s.'=>'' . "\0" . '' . "\0" . '','%1$s must be of post type %2$s.'=>'' . "\0" . '' . "\0" . '','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'Показати в REST API','Enable Transparency'=>'Увімкнути прозорість','RGBA Array'=>'RGBA Масив','RGBA String'=>'RGBA рядок','Hex String'=>'HEX рядок','Upgrade to PRO'=>'Оновлення до Pro','post statusActive'=>'Діюча','\'%s\' is not a valid email address'=>'\'%s\' неправильна адреса електронної пошти','Color value'=>'Значення кольору','Select default color'=>'Вибрати колір за замовчуванням','Clear color'=>'Очистити колір','Blocks'=>'Блоки','Options'=>'Параметри','Users'=>'Користувачі','Menu items'=>'Пункти Меню','Widgets'=>'Віджети','Attachments'=>'Вкладення','Taxonomies'=>'Таксономії','Posts'=>'Записи','Last updated: %s'=>'Останнє оновлення: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'Недійсний параметр(и) групи полів.','Awaiting save'=>'Чекає збереження','Saved'=>'Збережено','Import'=>'Імпорт','Review changes'=>'Перегляньте зміни','Located in: %s'=>'Розташовано в: %s','Located in plugin: %s'=>'Розташовано в плагіні: %s','Located in theme: %s'=>'Розташовано в Темі: %s','Various'=>'Різні','Sync changes'=>'Синхронізувати зміни','Loading diff'=>'Завантаження різного','Review local JSON changes'=>'Перегляньте локальні зміни JSON','Visit website'=>'Відвідати Сайт','View details'=>'Переглянути деталі','Version %s'=>'Версія %s','Information'=>'Інформація','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Служба Підтримки. Фахівці Служби підтримки в нашому довідковому бюро допоможуть вирішити ваші більш детальні технічні завдання.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Документація. Наша розширена документація містить посилання та інструкції щодо більшості ситуацій, з якими ви можете зіткнутися.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Ми відповідально ставимося до підтримки і хочемо, щоб ви отримали найкращі результати від свого веб-сайту за допомогою ACF. Якщо у вас виникнуть труднощі, ви можете знайти допомогу в кількох місцях:','Help & Support'=>'Довідка та Підтримка','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Будь ласка, скористайтесь вкладкою Довідка та Підтримка, щоб зв’язатись, якщо вам потрібна допомога.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Перш ніж створювати свою першу групу полів, ми рекомендуємо спочатку прочитати наш посібник Початок роботи , щоб ознайомитись із філософією та найкращими практиками плагіна.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Плагін Advanced Custom Fields пропонує візуальний конструктор форм для налаштування екранів редагування WordPress з додатковими полями та інтуїтивний API для відображення значень користувацьких полів у будь-якому файлі шаблону теми.','Overview'=>'Огляд','Location type "%s" is already registered.'=>'Тип розташування "%s" вже зареєстровано.','Class "%s" does not exist.'=>'Клас "%s" не існує.','Invalid nonce.'=>'Невірний ідентифікатор.','Error loading field.'=>'Помилка при завантаженні поля.','Error: %s'=>'Помилка: %s','Widget'=>'Віджет','User Role'=>'Роль користувача','Comment'=>'Коментар','Post Format'=>'Формат запису','Menu Item'=>'Пункт меню','Post Status'=>'Статус запису','Menus'=>'Меню','Menu Locations'=>'Області для меню','Menu'=>'Меню','Post Taxonomy'=>'Таксономія запису','Child Page (has parent)'=>'Дочірня сторінка (має батьківську)','Parent Page (has children)'=>'Батьківська сторінка (має нащадків)','Top Level Page (no parent)'=>'Сторінка верхнього рівня (без батьків)','Posts Page'=>'Сторінка записів','Front Page'=>'Головна сторінка','Page Type'=>'Тип сторінки','Viewing back end'=>'Переглянути бекенд','Viewing front end'=>'Переглянути фронтенд','Logged in'=>'Увійшов','Current User'=>'Поточний користувач','Page Template'=>'Шаблон сторінки','Register'=>'Зареєструватись','Add / Edit'=>'Додати / Редагувати','User Form'=>'Форма користувача','Page Parent'=>'Батьківська сторінка','Super Admin'=>'Супер адмін','Current User Role'=>'Поточна роль користувача','Default Template'=>'Початковий шаблон','Post Template'=>'Шаблон запису','Post Category'=>'Категорія запису','All %s formats'=>'Всі %s формати','Attachment'=>'Вкладений файл','%s value is required'=>'%s значення обов\'язкове','Show this field if'=>'Показувати поле, якщо','Conditional Logic'=>'Умовна логіка','and'=>'і','Local JSON'=>'Локальний JSON','Clone Field'=>'Клонувати поле','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Також перевірте, чи всі додаткові доповнення (%s) оновлені до останньої версії.','This version contains improvements to your database and requires an upgrade.'=>'Ця версія містить вдосконалення вашої бази даних і вимагає оновлення.','Thank you for updating to %1$s v%2$s!'=>'Дякуємо за оновлення до %1$s v%2$s!','Database Upgrade Required'=>'Необхідно оновити базу даних','Options Page'=>'Сторінка опцій','Gallery'=>'Галерея','Flexible Content'=>'Гнучкий вміст','Repeater'=>'Повторювальне поле','Back to all tools'=>'Повернутися до всіх інструментів','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)'=>'Якщо декілька груп полів відображаються на екрані редагування, то використовуватимуться параметри першої групи. (з найменшим порядковим номером)','Select items to hide them from the edit screen.'=>'Оберіть що ховати з екрану редагування/створення.','Hide on screen'=>'Ховати на екрані','Send Trackbacks'=>'Надіслати трекбеки','Tags'=>'Позначки','Categories'=>'Категорії','Page Attributes'=>'Властивості сторінки','Format'=>'Формат','Author'=>'Автор','Slug'=>'Частина посилання','Revisions'=>'Редакції','Comments'=>'Коментарі','Discussion'=>'Обговорення','Excerpt'=>'Уривок','Content Editor'=>'Редактор матеріалу','Permalink'=>'Постійне посилання','Shown in field group list'=>'Відображається на сторінці груп полів','Field groups with a lower order will appear first'=>'Групи полів з нижчим порядком з’являться спочатку','Order No.'=>'Порядок розташування','Below fields'=>'Під полями','Below labels'=>'Під ярликами','Instruction Placement'=>'Розміщення інструкцій','Label Placement'=>'Розміщення тегів','Side'=>'Збоку','Normal (after content)'=>'Стандартно (після тектового редактора)','High (after title)'=>'Вгорі (під заголовком)','Position'=>'Розташування','Seamless (no metabox)'=>'Спрощений (без метабоксу)','Standard (WP metabox)'=>'Стандартний (WP метабокс)','Style'=>'Стиль','Type'=>'Тип','Key'=>'Ключ','Order'=>'Порядок','Close Field'=>'Закрити поле','id'=>'id','class'=>'клас','width'=>'ширина','Wrapper Attributes'=>'Атрибути обгортки','Required'=>'Обов\'язково','Instructions'=>'Інструкція','Field Type'=>'Тип поля','Single word, no spaces. Underscores and dashes allowed'=>'Одне слово, без пробілів. Можете використовувати нижнє підкреслення.','Field Name'=>'Назва поля','This is the name which will appear on the EDIT page'=>'Ця назва відображується на сторінці редагування','Field Label'=>'Мітка поля','Delete'=>'Видалити','Delete field'=>'Видалити поле','Move'=>'Перемістити','Move field to another group'=>'Перемістити поле до іншої групи','Duplicate field'=>'Дублювати поле','Edit field'=>'Редагувати поле','Drag to reorder'=>'Перетягніть, щоб змінити порядок','Show this field group if'=>'Показувати групу полів, якщо','No updates available.'=>'Немає оновлень.','Database upgrade complete. See what\'s new'=>'Оновлення бази даних завершено. Подивіться, що нового','Reading upgrade tasks...'=>'Читання завдань для оновлення…','Upgrade failed.'=>'Помилка оновлення.','Upgrade complete.'=>'Оновлення завершено.','Upgrading data to version %s'=>'Оновлення даних до версії %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Дуже-дуже рекомендуємо зробити бекап бази перш ніж оновлюватися. Продовжуємо оновлюватися зараз?','Please select at least one site to upgrade.'=>'Виберіть принаймні один сайт для оновлення.','Database Upgrade complete. Return to network dashboard'=>'Оновлення бази даних завершено. Повернутися до Майстерні','Site is up to date'=>'Сайт оновлено','Site requires database upgrade from %1$s to %2$s'=>'Для сайту потрібно оновити базу даних з %1$s до %2$s','Site'=>'Сайт','Upgrade Sites'=>'Оновити сайти','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Для наступних сайтів потрібне оновлення БД. Позначте ті, які потрібно оновити, а потім натисніть %s.','Add rule group'=>'Додати групу умов','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Створіть набір умов, щоб визначити де використовувати ці додаткові поля','Rules'=>'Умови','Copied'=>'Скопійовано','Copy to clipboard'=>'Копіювати в буфер обміну','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'','Select Field Groups'=>'Оберіть групи полів','No field groups selected'=>'Не обрано груп полів','Generate PHP'=>'Генерувати PHP','Export Field Groups'=>'Експортувати групи полів','Import file empty'=>'Файл імпорту порожній','Incorrect file type'=>'Невірний тип файлу','Error uploading file. Please try again'=>'Помилка завантаження файлу. Спробуйте знову','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Виберіть файл JSON Advanced Custom Fields, який потрібно імпортувати. Якщо натиснути кнопку імпорту нижче, ACF імпортує елементи цього файлу.','Import Field Groups'=>'Імпортувати групи полів','Sync'=>'Синхронізація','Select %s'=>'Вибрати %s','Duplicate'=>'Дублювати','Duplicate this item'=>'Дублювати цей елемент','Supports'=>'Підтримка','Documentation'=>'Документація','Description'=>'Опис','Sync available'=>'Доступна синхронізація','Field group synchronized.'=>'' . "\0" . '' . "\0" . '','Field group duplicated.'=>'Групу полів продубльовано.' . "\0" . '%s групи полів продубльовано.' . "\0" . '%s груп полів продубльовано.','Active (%s)'=>'Активні (%s)' . "\0" . 'Активні (%s)' . "\0" . 'Активні (%s)','Review sites & upgrade'=>'Перегляд сайтів & оновлення','Upgrade Database'=>'Оновити базу даних','Custom Fields'=>'Додаткові поля','Move Field'=>'Перемістити поле','Please select the destination for this field'=>'Будь ласка, оберіть групу, в яку перемістити','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'Переміщення завершене.','Active'=>'Діючий','Field Keys'=>'Ключі поля','Settings'=>'Налаштування','Location'=>'Розміщення','Null'=>'Нуль','copy'=>'копіювати','(this field)'=>'(це поле)','Checked'=>'Перевірено','Move Custom Field'=>'Перемістити поле','No toggle fields available'=>'Немає доступних полів, що перемикаюься','Field group title is required'=>'Заголовок обов’язковий','This field cannot be moved until its changes have been saved'=>'','The string "field_" may not be used at the start of a field name'=>'','Field group draft updated.'=>'Чернетку групи полів оновлено.','Field group scheduled for.'=>'Групу полів збережено.','Field group submitted.'=>'Групу полів надіслано.','Field group saved.'=>'Групу полів збережено.','Field group published.'=>'Групу полів опубліковано.','Field group deleted.'=>'Групу полів видалено.','Field group updated.'=>'Групу полів оновлено.','Tools'=>'Інструменти','is not equal to'=>'не дорівнює','is equal to'=>'дорівнює','Forms'=>'Форми','Page'=>'Сторінка','Post'=>'Запис','Relational'=>'Реляційний','Choice'=>'Вибір','Basic'=>'Загальне','Unknown'=>'Невідомий','Field type does not exist'=>'Тип поля не існує','Spam Detected'=>'Виявлено спам','Post updated'=>'Запис оновлено','Update'=>'Оновити','Validate Email'=>'Підтвердити Email','Content'=>'Вміст','Title'=>'Назва','Edit field group'=>'Редагувати групу полів','Selection is less than'=>'Обране значення менш ніж','Selection is greater than'=>'Обране значення більш ніж','Value is less than'=>'Значення меньше ніж','Value is greater than'=>'Значення більше ніж','Value contains'=>'Значення містить','Value matches pattern'=>'Значення відповідає шаблону','Value is not equal to'=>'Значення не дорівноє','Value is equal to'=>'Значення дорівнює','Has no value'=>'Немає значення','Has any value'=>'Має будь-яке значення','Cancel'=>'Скасувати','Are you sure?'=>'Ви впевнені?','%d fields require attention'=>'%d поле потребує уваги','1 field requires attention'=>'1 поле потребує уваги','Validation failed'=>'Помилка валідації','Validation successful'=>'Валідація успішна','Restricted'=>'Обмежено','Collapse Details'=>'Згорнути деталі','Expand Details'=>'Показати деталі','Uploaded to this post'=>'Завантажено до цього запису.','verbUpdate'=>'Оновлення','verbEdit'=>'Редагувати','The changes you made will be lost if you navigate away from this page'=>'Зміни, які ви внесли, буде втрачено, якщо ви перейдете з цієї сторінки','File type must be %s.'=>'Тип файлу має бути %s.','or'=>'або','File size must not exceed %s.'=>'Розмір файлу не повинен перевищувати %s.','File size must be at least %s.'=>'Розмір файлу має бути принаймні %s.','Image height must not exceed %dpx.'=>'Висота зображення не повинна перевищувати %dpx.','Image height must be at least %dpx.'=>'Висота зображення має бути принаймні %dpx.','Image width must not exceed %dpx.'=>'Ширина зображення не повинна перевищувати %dpx.','Image width must be at least %dpx.'=>'Ширина зображення має бути принаймні %dpx.','(no title)'=>'(без назви)','Full Size'=>'Повний розмір','Large'=>'Великий','Medium'=>'Середній','Thumbnail'=>'Мініатюра','(no label)'=>'(без мітки)','Sets the textarea height'=>'Встановлює висоту текстової області','Rows'=>'Рядки','Text Area'=>'Текстова область','Prepend an extra checkbox to toggle all choices'=>'Додайте додатковий прапорець, щоб перемикати всі варіанти','Save \'custom\' values to the field\'s choices'=>'Зберегти \'користувацькі\' значення для вибору поля','Allow \'custom\' values to be added'=>'','Add new choice'=>'Додати новий вибір','Toggle All'=>'Перемкнути всі','Allow Archives URLs'=>'Дозволити URL архівів','Archives'=>'Архіви','Page Link'=>'Посилання сторінки','Add'=>'Додати','Name'=>'Ім’я','%s added'=>'%s доданий','%s already exists'=>'%s вже існує','User unable to add new %s'=>'У користувача немає можливості додати новий %s','Term ID'=>'ID терміну','Term Object'=>'Об\'єкт терміна','Load value from posts terms'=>'Завантажити значення з термінів записів','Load Terms'=>'Завантажити терміни','Connect selected terms to the post'=>'','Save Terms'=>'Зберегти терміни','Allow new terms to be created whilst editing'=>'','Create Terms'=>'Створити терміни','Radio Buttons'=>'Кнопки Перемикачі','Single Value'=>'Окреме значення','Multi Select'=>'Вибір декількох','Checkbox'=>'Галочка','Multiple Values'=>'Декілька значень','Select the appearance of this field'=>'','Appearance'=>'Вигляд','Select the taxonomy to be displayed'=>'','No TermsNo %s'=>'Ні %s','Value must be equal to or lower than %d'=>'','Value must be equal to or higher than %d'=>'','Value must be a number'=>'Значення має бути числом','Number'=>'Кількість','Save \'other\' values to the field\'s choices'=>'Зберегти \'користувацькі\' значення для вибору поля','Add \'other\' choice to allow for custom values'=>'Додати вибір \'Інше\', для користувацьких значень','Other'=>'Інше','Radio Button'=>'Радіо Кнопки','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'','Allow this accordion to open without closing others.'=>'','Multi-Expand'=>'','Display this accordion as open on page load.'=>'Відображати цей акордеон як відкритий при завантаженні сторінки.','Open'=>'Відкрити','Accordion'=>'Акордеон','Restrict which files can be uploaded'=>'','File ID'=>'ID файлу','File URL'=>'URL файлу','File Array'=>'Масив файлу','Add File'=>'Додати файл','No file selected'=>'Файл не вибрано','File name'=>'Назва файлу','Update File'=>'Оновити файл','Edit File'=>'Редагувати файл','Select File'=>'Виберіть файл','File'=>'Файл','Password'=>'Пароль','Specify the value returned'=>'','Use AJAX to lazy load choices?'=>'Використати AJAX для завантаження значень?','Enter each default value on a new line'=>'Введіть значення. Одне значення в одному рядку','verbSelect'=>'Вибрати','Select2 JS load_failLoading failed'=>'Помилка завантаження','Select2 JS searchingSearching…'=>'Пошук…','Select2 JS load_moreLoading more results…'=>'Завантаження результатів…','Select2 JS selection_too_long_nYou can only select %d items'=>'','Select2 JS selection_too_long_1You can only select 1 item'=>'Ви можете вибрати тільки 1 позицію','Select2 JS input_too_long_nPlease delete %d characters'=>'Будь-ласка видаліть %s символів','Select2 JS input_too_long_1Please delete 1 character'=>'Будь ласка видаліть 1 символ','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Введіть %d або більше символів','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Будь ласка введіть 1 або більше символів','Select2 JS matches_0No matches found'=>'Співпадінь не знайдено','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'Доступні результати %d, використовуйте клавіші зі стрілками вгору та вниз для навігації.','Select2 JS matches_1One result is available, press enter to select it.'=>'Лише один результат доступний, натисніть клавішу ENTER, щоб вибрати його.','nounSelect'=>'Вибрати','User ID'=>'ID користувача','User Object'=>'Об\'єкт користувача','User Array'=>'Користувацький масив','All user roles'=>'Всі ролі користувачів','Filter by Role'=>'Фільтр за роллю','User'=>'Користувач','Separator'=>'Роздільник','Select Color'=>'Вібрати колір','Default'=>'Початковий','Clear'=>'Очистити','Color Picker'=>'Вибір кольору','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'Виберіть','Date Time Picker JS closeTextDone'=>'Готово','Date Time Picker JS currentTextNow'=>'Зараз','Date Time Picker JS timezoneTextTime Zone'=>'Часовий пояс','Date Time Picker JS microsecTextMicrosecond'=>'Мікросекунда','Date Time Picker JS millisecTextMillisecond'=>'Мілісекунда','Date Time Picker JS secondTextSecond'=>'Секунда','Date Time Picker JS minuteTextMinute'=>'Хвилина','Date Time Picker JS hourTextHour'=>'Година','Date Time Picker JS timeTextTime'=>'Час','Date Time Picker JS timeOnlyTitleChoose Time'=>'Виберіть час','Date Time Picker'=>'Вибір дати і часу','Endpoint'=>'Кінцева точка','Left aligned'=>'Зліва','Top aligned'=>'Зверху','Placement'=>'Розміщення','Tab'=>'Вкладка','Value must be a valid URL'=>'Значення має бути адресою URl','Link URL'=>'URL посилання','Link Array'=>'Масив посилання','Opens in a new window/tab'=>'Відкрити в новому вікні','Select Link'=>'Оберіть посилання','Link'=>'Посилання','Email'=>'Email','Step Size'=>'Розмір кроку','Maximum Value'=>'Максимальне значення','Minimum Value'=>'Мінімальне значення','Range'=>'Діапазон (Range)','Both (Array)'=>'Галочка','Label'=>'Мітка','Value'=>'Значення','Vertical'=>'Вертикально','Horizontal'=>'Горизонтально','red : Red'=>'red : Червоний','For more control, you may specify both a value and label like this:'=>'Для більшого контролю, Ви можете вказати маркувати значення:','Enter each choice on a new line.'=>'У кожному рядку по варіанту','Choices'=>'Варіанти вибору','Button Group'=>'Група кнопок','Allow Null'=>'Дозволити нуль','Parent'=>'Предок','TinyMCE will not be initialized until field is clicked'=>'TinyMCE не буде ініціалізовано, доки не буде натиснуто поле','Delay Initialization'=>'Затримка ініціалізації','Show Media Upload Buttons'=>'Показувати кнопки завантаження файлів','Toolbar'=>'Верхня панель','Text Only'=>'Лише текст','Visual Only'=>'Візуальний лише','Visual & Text'=>'Візуальний і Текстовий','Tabs'=>'Вкладки','Click to initialize TinyMCE'=>'Натисніть, щоб ініціалізувати TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Текст','Visual'=>'Візуальний','Value must not exceed %d characters'=>'Значення не має перевищувати %d символів','Leave blank for no limit'=>'Щоб зняти обмеження — нічого не вказуйте тут','Character Limit'=>'Ліміт символів','Appears after the input'=>'Розміщується в кінці поля','Append'=>'Після поля','Appears before the input'=>'Розміщується на початку поля','Prepend'=>'Перед полем','Appears within the input'=>'Показується, якщо поле порожнє','Placeholder Text'=>'Текст заповнювач','Appears when creating a new post'=>'З\'являється при створенні нового матеріалу','Text'=>'Текст','%1$s requires at least %2$s selection'=>'%1$s вимагає принаймні %2$s вибір' . "\0" . '%1$s вимагає принаймні %2$s виділення' . "\0" . '%1$s вимагає принаймні %2$s виділень','Post ID'=>'ID запису','Post Object'=>'Об’єкт запису','Maximum Posts'=>'Максимум записів','Minimum Posts'=>'Мінімум записів','Featured Image'=>'Головне зображення','Selected elements will be displayed in each result'=>'Вибрані елементи будуть відображені в кожному результаті','Elements'=>'Елементи','Taxonomy'=>'Таксономія','Post Type'=>'Тип запису','Filters'=>'Фільтри','All taxonomies'=>'Всі таксономії','Filter by Taxonomy'=>'Фільтр за типом таксономією','All post types'=>'Всі типи матеріалів','Filter by Post Type'=>'Фільтр за типом матеріалу','Search...'=>'Пошук…','Select taxonomy'=>'Оберіть таксономію','Select post type'=>'Вибір типу матеріалу','No matches found'=>'Не знайдено','Loading'=>'Завантаження','Maximum values reached ( {max} values )'=>'Досягнуто максимальних значень ( {max} values )','Relationship'=>'Зв\'язок','Comma separated list. Leave blank for all types'=>'Перелік, розділений комами. Залиште порожнім для всіх типів','Allowed File Types'=>'Дозволені типи файлів','Maximum'=>'Максимум','File size'=>'Розмір файлу','Restrict which images can be uploaded'=>'Обмежте, які зображення можна завантажувати','Minimum'=>'Мінімум','Uploaded to post'=>'Завантажено до матеріалу','All'=>'Всі','Limit the media library choice'=>'Обмежте вибір медіатеки','Library'=>'Бібліотека','Preview Size'=>'Розмір попереднього перегляду','Image ID'=>'ID зображення','Image URL'=>'URL зображення','Image Array'=>'Масив зображення','Specify the returned value on front end'=>'','Return Value'=>'Повернення значення','Add Image'=>'Додати зображення','No image selected'=>'Зображення не вибрано','Remove'=>'Видалити','Edit'=>'Редагувати','All images'=>'Усі зображення','Update Image'=>'Оновити зображення','Edit Image'=>'Редагувати зображення','Select Image'=>'Виберіть зображення','Image'=>'Зображення','Allow HTML markup to display as visible text instead of rendering'=>'','Escape HTML'=>'Escape HTML','No Formatting'=>'Без форматування','Automatically add <br>'=>'Автоматичне перенесення рядків (додається теґ <br>)','Automatically add paragraphs'=>'Автоматично додавати абзаци','Controls how new lines are rendered'=>'Вкажіть спосіб обробки нових рядків','New Lines'=>'Перенесення рядків','Week Starts On'=>'Тиждень починається з','The format used when saving a value'=>'','Save Format'=>'Зберегти формат','Date Picker JS weekHeaderWk'=>'Нд','Date Picker JS prevTextPrev'=>'Назад','Date Picker JS nextTextNext'=>'Далі','Date Picker JS currentTextToday'=>'Сьогодні','Date Picker JS closeTextDone'=>'Готово','Date Picker'=>'Вибір дати','Width'=>'Ширина','Embed Size'=>'Розмір вставки','Enter URL'=>'Введіть URL','oEmbed'=>'oEmbed (вставка)','Text shown when inactive'=>'Текст відображається, коли неактивний','Off Text'=>'Текст вимкнено','Text shown when active'=>'Текст відображається, коли активний','On Text'=>'На тексті','Stylized UI'=>'Стилізований інтерфейс користувача','Default Value'=>'Початкове значення','Displays text alongside the checkbox'=>'Відображати текст поруч із прапорцем','Message'=>'Повідомлення','No'=>'Ні','Yes'=>'Так','True / False'=>'Так / Ні','Row'=>'Рядок','Table'=>'Таблиця','Block'=>'Блок','Specify the style used to render the selected fields'=>'Укажіть стиль для візуалізації вибраних полів','Layout'=>'Компонування','Sub Fields'=>'Підполя','Group'=>'Група','Customize the map height'=>'Налаштування висоти карти','Height'=>'Висота','Set the initial zoom level'=>'Встановіть початковий рівень масштабування','Zoom'=>'Збільшити','Center the initial map'=>'Відцентруйте початкову карту','Center'=>'По центру','Search for address...'=>'Шукати адресу...','Find current location'=>'Знайдіть поточне місце розташування','Clear location'=>'Очистити розміщення','Search'=>'Пошук','Sorry, this browser does not support geolocation'=>'Вибачте, цей браузер не підтримує автоматичне визначення локації','Google Map'=>'Google Map','The format returned via template functions'=>'Формат повертається через функції шаблону','Return Format'=>'Формат повернення','Custom:'=>'Користувацький:','The format displayed when editing a post'=>'','Display Format'=>'Формат показу','Time Picker'=>'Вибір часу','Inactive (%s)'=>'Неактивний (%s)' . "\0" . 'Неактивні (%s)' . "\0" . 'Неактивних (%s)','No Fields found in Trash'=>'Не знайдено полів у кошику','No Fields found'=>'Не знайдено полів','Search Fields'=>'Поля пошуку','View Field'=>'Переглянути поле','New Field'=>'Нове поле','Edit Field'=>'Редагувати поле','Add New Field'=>'Додати нове поле','Field'=>'Поле','Fields'=>'Поля','No Field Groups found in Trash'=>'У кошику немає груп полів','No Field Groups found'=>'Не знайдено груп полів','Search Field Groups'=>'Шукати групи полів','View Field Group'=>'Переглянути групу полів','New Field Group'=>'Нова група полів','Edit Field Group'=>'Редагувати групу полів','Add New Field Group'=>'Додати нову групу полів','Add New'=>'Додати новий','Field Group'=>'Група полів','Field Groups'=>'Групи полів','Customize WordPress with powerful, professional and intuitive fields.'=>'Налаштуйте WordPress за допомогою потужних, професійних та інтуїтивно зрозумілих полів.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Додаткові поля Pro','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'Налаштування','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'Опції оновлено','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте ліцензії, перегляньте','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Check Again'=>'Перевірити знову','ACF Activation Error. Could not connect to activation server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Publish'=>'Опублікувати','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'Немає полів для цієї сторінки опцій. Створити групу додаткових полів','Error. Could not connect to update server'=>'Помилка. Неможливо під’єднатися до сервера оновлення','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'','Display'=>'Таблиця','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'Будь ласка, оберіть групу полів куди Ви хочете перемістити це поле','Seamless (replaces this field with selected fields)'=>'','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'Назва поля','Values will be saved as %s'=>'','Prefix Field Names'=>'Ярлик','Unknown field'=>'Невідоме поле','Unknown field group'=>'Редагувати групу полів','All fields from %s field group'=>'','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'Додати рядок','layout'=>'Шаблон структури' . "\0" . 'Шаблон структури' . "\0" . 'Шаблон структури','layouts'=>'Шаблон структури','This field requires at least {min} {label} {identifier}'=>'','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'','{required} {label} {identifier} required (min {min})'=>'','Flexible Content requires at least 1 layout'=>'','Click the "%s" button below to start creating your layout'=>'','Add layout'=>'Додати шаблон','Duplicate layout'=>'Дублювати шаблон','Remove layout'=>'Видалити шаблон','Click to toggle'=>'','Delete Layout'=>'Видалити шаблон','Duplicate Layout'=>'Дублювати шаблон','Add New Layout'=>'Додати новий шаблон','Add Layout'=>'Додати шаблон','Min'=>'Мін.','Max'=>'Макс.','Minimum Layouts'=>'Мінімум шаблонів','Maximum Layouts'=>'Максимум шаблонів','Button Label'=>'Текст для кнопки','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','%1$s must contain at most %2$s %3$s layout.'=>'' . "\0" . '' . "\0" . '','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'Додати зображення до галереї','Maximum selection reached'=>'Досягнуто максимального вибору','Length'=>'Довжина','Caption'=>'Підпис','Alt Text'=>'Альтернативний текст','Add to gallery'=>'Додати до галереї','Bulk actions'=>'Масові дії','Sort by date uploaded'=>'Сортувати за датою завантаження','Sort by date modified'=>'Сортувати за датою зміни','Sort by title'=>'Сортувати за назвою','Reverse current order'=>'Зворотній поточний порядок','Close'=>'Закрити','Minimum Selection'=>'Мінімальна вибірка','Maximum Selection'=>'Максимальна вибірка','Allowed file types'=>'Дозволені типи файлів','Insert'=>'Вставити','Specify where new attachments are added'=>'','Append to the end'=>'Розміщується в кінці','Prepend to the beginning'=>'','Minimum rows not reached ({min} rows)'=>'','Maximum rows reached ({max} rows)'=>'','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'Сторінка з публікаціями','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'Мінімум рядків','Maximum Rows'=>'Максимум рядків','Collapsed'=>'Сховати деталі','Select a sub field to show when row is collapsed'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'Перетягніть, щоб змінити порядок','Add row'=>'Додати рядок','Duplicate row'=>'Дублювати','Remove row'=>'Видалити рядок','Current Page'=>'Поточний користувач','First Page'=>'Головна сторінка','Previous Page'=>'Сторінка з публікаціями','paging%1$s of %2$s'=>'','Next Page'=>'Головна сторінка','Last Page'=>'Сторінка з публікаціями','No block types exist'=>'','No options pages exist'=>'','Deactivate License'=>'Деактивувати ліцензію','Activate License'=>'Активувати ліцензію','License Information'=>'Інформація про ліцензію','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте ліцензії, перегляньте','License Key'=>'Код ліцензії','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'Поліпшена перевірка','Update Information'=>'Інформація про оновлення','Current Version'=>'Поточна версія','Latest Version'=>'Остання версія','Update Available'=>'Доступні оновлення','Upgrade Notice'=>'Оновити базу даних','Check For Updates'=>'','Enter your license key to unlock updates'=>'Будь ласка, введіть код ліцензії, щоб розблокувати оновлення','Update Plugin'=>'Оновити плаґін','Please reactivate your license to unlock updates'=>'Будь ласка, введіть код ліцензії, щоб розблокувати оновлення'],'language'=>'uk','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-uk.mo b/lang/acf-uk.mo
index ff3de80..2fcdfe5 100644
Binary files a/lang/acf-uk.mo and b/lang/acf-uk.mo differ
diff --git a/lang/acf-uk.po b/lang/acf-uk.po
index 3fc20b9..9dd77e6 100644
--- a/lang/acf-uk.po
+++ b/lang/acf-uk.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: uk\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr ""
@@ -2018,21 +2034,21 @@ msgstr "Добавити поле"
msgid "This Field"
msgstr "Це поле"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Зворотній зв’язок"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Підтримка"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "розробляється та підтримується"
@@ -4388,7 +4404,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4712,7 +4728,7 @@ msgstr "Активувати цей елемент"
msgid "Move field group to trash?"
msgstr ""
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4725,13 +4741,13 @@ msgstr "Неактивний"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
msgstr ""
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5176,7 +5192,7 @@ msgstr "Всі %s формати"
msgid "Attachment"
msgstr "Вкладений файл"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s значення обов'язкове"
@@ -5660,7 +5676,7 @@ msgstr "Дублювати цей елемент"
msgid "Supports"
msgstr "Підтримка"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Документація"
@@ -5960,8 +5976,8 @@ msgstr "%d поле потребує уваги"
msgid "1 field requires attention"
msgstr "1 поле потребує уваги"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Помилка валідації"
@@ -7097,7 +7113,7 @@ msgstr "Зберегти формат"
#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
-msgstr "Wk"
+msgstr "Нд"
#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS prevText"
@@ -7338,91 +7354,91 @@ msgid "Time Picker"
msgstr "Вибір часу"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "Неактивний (%s)"
msgstr[1] "Неактивні (%s)"
msgstr[2] "Неактивних (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Не знайдено полів у кошику"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Не знайдено полів"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Поля пошуку"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Переглянути\t поле"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Нове поле"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Редагувати поле"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Додати нове поле"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Поле"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Поля"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "У кошику немає груп полів"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Не знайдено груп полів"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Шукати групи полів"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Переглянути групу полів"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Нова група полів"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Редагувати групу полів"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Додати нову групу полів"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Додати новий"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Група полів"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-vi.l10n.php b/lang/acf-vi.l10n.php
index 3070999..e905765 100644
--- a/lang/acf-vi.l10n.php
+++ b/lang/acf-vi.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'vi','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'Cập nhật nguồn','By default only admin users can edit this setting.'=>'Mặc định chỉ có người dùng quản trị mới có thể sửa cài đặt này.','By default only super admin users can edit this setting.'=>'Mặc định chỉ có người dùng siêu quản trị mới có thể sửa cài đặt này.','Close and Add Field'=>'Đóng và thêm trường','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Một tên hàm PHP sẽ được gọi để xử lý nội dung của một meta box trên taxonomy của bạn. Để đảm bảo an toàn, callback này sẽ được thực thi trong một ngữ cảnh đặc biệt mà không có quyền truy cập vào bất kỳ superglobal nào như $_POST hoặc $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Một tên hàm PHP sẽ được gọi khi thiết lập các hộp meta cho trang sửa. Để đảm bảo an toàn, hàm gọi lại này sẽ được thực thi trong một ngữ cảnh đặc biệt mà không có quyền truy cập vào bất kỳ siêu toàn cục nào như $_POST hoặc $_GET.','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'ACF không thể thực hiện xác thực do mã bảo mật được cung cấp không hợp lệ.','Allow Access to Value in Editor UI'=>'Cho phép truy cập giá trị trong giao diện trình chỉnh sửa','Learn more.'=>'Xem thêm.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Cho phép người chỉnh sửa nội dung truy cập và hiển thị giá trị của trường trong giao diện trình chỉnh sửa bằng cách sử dụng Block Bindings hoặc ACF Shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Loại trường ACF được yêu cầu không hỗ trợ xuất trong Block Bindings hoặc ACF Shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Trường ACF được yêu cầu không được phép xuất trong bindings hoặc ACF Shortcode.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Loại trường ACF được yêu cầu không hỗ trợ xuất trong bindings hoặc ACF Shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Shortcode ACF không thể hiển thị các trường từ các bài viết không công khai]','[The ACF shortcode is disabled on this site]'=>'[Shortcode ACF đã bị tắt trên trang web này]','Businessman Icon'=>'Biểu tượng doanh nhân','Forums Icon'=>'Biểu tượng diễn đàn','YouTube Icon'=>'Biểu tượng YouTube','Yes (alt) Icon'=>'Biểu tượng có (thay thế)','Xing Icon'=>'Biểu tượng Xing','WordPress (alt) Icon'=>'Biểu tượng WordPress (thay thế)','WhatsApp Icon'=>'Biểu tượng WhatsApp','Write Blog Icon'=>'Biểu tượng viết Blog','Widgets Menus Icon'=>'Biểu tượng Menu tiện ích','View Site Icon'=>'Xem biểu tượng trang web','Learn More Icon'=>'Biểu tượng tìm hiểu thêm','Add Page Icon'=>'Thêm biểu tượng trang','Video (alt3) Icon'=>'Biểu tượng Video (alt3)','Video (alt2) Icon'=>'Biểu tượng Video (alt2)','Video (alt) Icon'=>'Biểu tượng video (thay thế)','Update (alt) Icon'=>'Cập nhật biểu tượng (thay thế)','Universal Access (alt) Icon'=>'Biểu tượng truy cập toàn diện (alt)','Twitter (alt) Icon'=>'Biểu tượng Twitter (thay thế)','Twitch Icon'=>'Biểu tượng Twitch','Tide Icon'=>'Biểu tượng Tide','Tickets (alt) Icon'=>'Biểu tượng Tickets (thay thế)','Text Page Icon'=>'Biểu tượng trang văn bản','Table Row Delete Icon'=>'Biểu tượng xoá hàng trong bảng','Table Row Before Icon'=>'Biểu tượng trước hàng trong bảng','Table Row After Icon'=>'Biểu tượng sau hàng trong bảng','Table Col Delete Icon'=>'Biểu tượng xoá cột trong bảng','Table Col Before Icon'=>'Biểu tượng thêm cột trước','Table Col After Icon'=>'Biểu tượng thêm cột sau','Superhero (alt) Icon'=>'Biểu tượng siêu anh hùng (thay thế)','Superhero Icon'=>'Biểu tượng siêu anh hùng','Spotify Icon'=>'Biểu tượng Spotify','Shortcode Icon'=>'Biểu tượng mã ngắn (shortcode)','Shield (alt) Icon'=>'Biểu tượng khiên (thay thế)','Share (alt2) Icon'=>'Biểu tượng chia sẻ (alt2)','Share (alt) Icon'=>'Biểu tượng chia sẻ (thay thế)','Saved Icon'=>'Biểu tượng đã lưu','RSS Icon'=>'Biểu tượng RSS','REST API Icon'=>'Biểu tượng REST API','Remove Icon'=>'Xóa biểu tượng','Reddit Icon'=>'Biểu tượng Reddit','Privacy Icon'=>'Biểu tượng quyền riêng tư','Printer Icon'=>'Biểu tượng máy in','Podio Icon'=>'Biểu tượng Podio','Plus (alt2) Icon'=>'Biểu tượng dấu cộng (alt2)','Plus (alt) Icon'=>'Biểu tượng dấu cộng (thay thế)','Plugins Checked Icon'=>'Biểu tượng đã kiểm tra plugin','Pinterest Icon'=>'Biểu tượng Pinterest','Pets Icon'=>'Biểu tượng thú cưng','PDF Icon'=>'Biểu tượng PDF','Palm Tree Icon'=>'Biểu tượng cây cọ','Open Folder Icon'=>'Biểu tượng mở thư mục','No (alt) Icon'=>'Không có biểu tượng (thay thế)','Money (alt) Icon'=>'Biểu tượng tiền (thay thế)','Menu (alt3) Icon'=>'Biểu tượng Menu (alt3)','Menu (alt2) Icon'=>'Biểu tượng Menu (alt2)','Menu (alt) Icon'=>'Biểu tượng Menu (alt)','Spreadsheet Icon'=>'Biểu tượng bảng tính','Interactive Icon'=>'Biểu tượng tương tác','Document Icon'=>'Biểu tượng tài liệu','Default Icon'=>'Biểu tượng mặc định','Location (alt) Icon'=>'Biểu tượng vị trí (thay thế)','LinkedIn Icon'=>'Biểu tượng LinkedIn','Instagram Icon'=>'Biểu tượng Instagram','Insert Before Icon'=>'Chèn trước biểu tượng','Insert After Icon'=>'Chèn sau biểu tượng','Insert Icon'=>'Thêm Icon','Info Outline Icon'=>'Biểu tượng đường viền thông tin','Images (alt2) Icon'=>'Biểu tượng ảnh (alt2)','Images (alt) Icon'=>'Biểu tượng ảnh (alt)','Rotate Right Icon'=>'Biểu tượng xoay phải','Rotate Left Icon'=>'Biểu tượng xoay trái','Rotate Icon'=>'Xoay biểu tượng','Flip Vertical Icon'=>'Biểu tượng lật dọc','Flip Horizontal Icon'=>'Biểu tượng lật ngang','Crop Icon'=>'Biểu tượng cắt','ID (alt) Icon'=>'Biểu tượng ID (thay thế)','HTML Icon'=>'Biểu tượng HTML','Hourglass Icon'=>'Biểu tượng đồng hồ cát','Heading Icon'=>'Biểu tượng tiêu đề','Google Icon'=>'Biểu tượng Google','Games Icon'=>'Biểu tượng trò chơi','Fullscreen Exit (alt) Icon'=>'Biểu tượng thoát toàn màn hình (alt)','Fullscreen (alt) Icon'=>'Biểu tượng toàn màn hình (alt)','Status Icon'=>'Biểu tượng trạng thái','Image Icon'=>'Biểu tượng ảnh','Gallery Icon'=>'Biểu tượng album ảnh','Chat Icon'=>'Biểu tượng trò chuyện','Audio Icon'=>'Biểu tượng âm thanh','Aside Icon'=>'Biểu tượng Aside','Food Icon'=>'Biểu tượng ẩm thực','Exit Icon'=>'Biểu tượng thoát','Excerpt View Icon'=>'Biểu tượng xem tóm tắt','Embed Video Icon'=>'Biểu tượng nhúng video','Embed Post Icon'=>'Biểu tượng nhúng bài viết','Embed Photo Icon'=>'Biểu tượng nhúng ảnh','Embed Generic Icon'=>'Biểu tượng nhúng chung','Embed Audio Icon'=>'Biểu tượng nhúng âm thanh','Email (alt2) Icon'=>'Biểu tượng Email (alt2)','Ellipsis Icon'=>'Biểu tượng dấu ba chấm','Unordered List Icon'=>'Biểu tượng danh sách không thứ tự','RTL Icon'=>'Biểu tượng RTL','Ordered List RTL Icon'=>'Biểu tượng danh sách thứ tự RTL','Ordered List Icon'=>'Biểu tượng danh sách có thứ tự','LTR Icon'=>'Biểu tượng LTR','Custom Character Icon'=>'Biểu tượng ký tự tùy chỉnh','Edit Page Icon'=>'Sửa biểu tượng trang','Edit Large Icon'=>'Sửa biểu tượng lớn','Drumstick Icon'=>'Biểu tượng dùi trống','Database View Icon'=>'Biểu tượng xem cơ sở dữ liệu','Database Remove Icon'=>'Biểu tượng gỡ bỏ cơ sở dữ liệu','Database Import Icon'=>'Biểu tượng nhập cơ sở dữ liệu','Database Export Icon'=>'Biểu tượng xuất cơ sở dữ liệu','Database Add Icon'=>'Biểu tượng thêm cơ sở dữ liệu','Database Icon'=>'Biểu tượng cơ sở dữ liệu','Cover Image Icon'=>'Biểu tượng ảnh bìa','Volume On Icon'=>'Biểu tượng bật âm lượng','Volume Off Icon'=>'Biểu tượng tắt âm lượng','Skip Forward Icon'=>'Biểu tượng bỏ qua chuyển tiếp','Skip Back Icon'=>'Biểu tượng quay lại','Repeat Icon'=>'Biểu tượng lặp lại','Play Icon'=>'Biểu tượng Play','Pause Icon'=>'Biểu tượng tạm dừng','Forward Icon'=>'Biểu tượng chuyển tiếp','Back Icon'=>'Biểu tượng quay lại','Columns Icon'=>'Biểu tượng cột','Color Picker Icon'=>'Biểu tượng chọn màu','Coffee Icon'=>'Biểu tượng cà phê','Code Standards Icon'=>'Biểu tượng tiêu chuẩn mã','Cloud Upload Icon'=>'Biểu tượng tải lên đám mây','Cloud Saved Icon'=>'Biểu tượng lưu trên đám mây','Car Icon'=>'Biểu tượng xe hơi','Camera (alt) Icon'=>'Biểu tượng máy ảnh (thay thế)','Calculator Icon'=>'Biểu tượng máy tính (calculator)','Button Icon'=>'Biểu tượng nút','Businessperson Icon'=>'Biểu tượng doanh nhân','Tracking Icon'=>'Biểu tượng theo dõi','Topics Icon'=>'Biểu tượng chủ đề','Replies Icon'=>'Biểu tượng trả lời','PM Icon'=>'Biểu tượng PM','Friends Icon'=>'Biểu tượng bạn bè','Community Icon'=>'Biểu tượng cộng đồng','BuddyPress Icon'=>'Biểu tượng BuddyPress','bbPress Icon'=>'Biểu tượng BbPress','Activity Icon'=>'Biểu tượng hoạt động','Book (alt) Icon'=>'Biểu tượng sách (thay thế)','Block Default Icon'=>'Biểu tượng khối mặc định','Bell Icon'=>'Biểu tượng chuông','Beer Icon'=>'Biểu tượng bia','Bank Icon'=>'Biểu tượng ngân hàng','Arrow Up (alt2) Icon'=>'Biểu tượng mũi tên lên (alt2)','Arrow Up (alt) Icon'=>'Biểu tượng mũi tên lên (alt)','Arrow Right (alt2) Icon'=>'Biểu tượng mũi tên phải (alt2)','Arrow Right (alt) Icon'=>'Biểu tượng mũi tên sang phải (thay thế)','Arrow Left (alt2) Icon'=>'Biểu tượng mũi tên trái (alt2)','Arrow Left (alt) Icon'=>'Biểu tượng mũi tên trái (alt)','Arrow Down (alt2) Icon'=>'Biểu tượng mũi tên xuống (alt2)','Arrow Down (alt) Icon'=>'Biểu tượng mũi tên xuống (alt)','Amazon Icon'=>'Biểu tượng Amazon','Align Wide Icon'=>'Biểu tượng căn rộng','Align Pull Right Icon'=>'Biểu tượng căn phải','Align Pull Left Icon'=>'Căn chỉnh biểu tượng kéo sang trái','Align Full Width Icon'=>'Biểu tượng căn chỉnh toàn chiều rộng','Airplane Icon'=>'Biểu tượng máy bay','Site (alt3) Icon'=>'Biểu tượng trang web (alt3)','Site (alt2) Icon'=>'Biểu tượng trang web (alt2)','Site (alt) Icon'=>'Biểu tượng trang web (thay thế)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Cập nhật lên ACF pro để tạo các Trang cài đặt chỉ trong vài cú nhấp chuột','Invalid request args.'=>'Yêu cầu không hợp lệ của Args.','Sorry, you do not have permission to do that.'=>'Xin lỗi, bạn không được phép làm điều đó.','Blocks Using Post Meta'=>'Các bài viết sử dụng Post Meta','ACF PRO logo'=>'Lời bài hát: Acf Pro Logo','ACF PRO Logo'=>'Lời bài hát: Acf Pro Logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s yêu cầu ID đính kèm hợp lệ khi loại được đặt thành media_library.','%s is a required property of acf.'=>'%s là thuộc tính bắt buộc của acf.','The value of icon to save.'=>'Giá trị của biểu tượng cần lưu.','The type of icon to save.'=>'Loại biểu tượng để lưu.','Yes Icon'=>'Biểu tượng có','WordPress Icon'=>'Biểu tượng WordPress','Warning Icon'=>'Biểu tượng cảnh báo','Visibility Icon'=>'Biểu tượng hiển thị','Vault Icon'=>'Biểu tượng két sắt','Upload Icon'=>'Biểu tượng tải lên','Update Icon'=>'Biểu tượng cập nhật','Unlock Icon'=>'Biểu tượng mở khóa','Universal Access Icon'=>'Biểu tượng truy cập toàn cầu','Undo Icon'=>'Biểu tượng hoàn tác','Twitter Icon'=>'Biểu tượng Twitter','Trash Icon'=>'Biểu tượng thùng rác','Translation Icon'=>'Biểu tượng dịch','Tickets Icon'=>'Biểu tượng vé Ticket','Thumbs Up Icon'=>'Biểu tượng thích','Thumbs Down Icon'=>'Biểu tượng ngón tay cái chỉ xuống','Text Icon'=>'Biểu tượng văn bản','Testimonial Icon'=>'Biểu tượng lời chứng thực','Tagcloud Icon'=>'Biểu tượng mây thẻ','Tag Icon'=>'Biểu tượng thẻ','Tablet Icon'=>'Biểu tượng máy tính bảng','Store Icon'=>'Biểu tượng cửa hàng','Sticky Icon'=>'Biểu tượng dính (sticky)','Star Half Icon'=>'Biểu tượng nửa ngôi sao','Star Filled Icon'=>'Biểu tượng đầy sao','Star Empty Icon'=>'Biểu tượng ngôi sao trống','Sos Icon'=>'Biểu tượng SOS','Sort Icon'=>'Biểu tượng sắp xếp','Smiley Icon'=>'Biểu tượng mặt cười','Smartphone Icon'=>'Biểu tượng điện thoại thông minh','Slides Icon'=>'Biểu tượng Slides','Shield Icon'=>'Biểu tượng khiên','Share Icon'=>'Biểu tượng chia sẻ','Search Icon'=>'Biểu tượng tìm kiếm','Screen Options Icon'=>'Biểu tượng tuỳ chọn trang','Schedule Icon'=>'Biểu tượng lịch trình','Redo Icon'=>'Biểu tượng làm lại','Randomize Icon'=>'Biểu tượng ngẫu nhiên','Products Icon'=>'Biểu tượng sản phẩm','Pressthis Icon'=>'Nhấn vào biểu tượng này','Post Status Icon'=>'Biểu tượng trạng thái bài viết','Portfolio Icon'=>'Biểu tượng danh mục đầu tư','Plus Icon'=>'Biểu tượng dấu cộng','Playlist Video Icon'=>'Biểu tượng danh sách video','Playlist Audio Icon'=>'Biểu tượng danh sách phát âm thanh','Phone Icon'=>'Biểu tượng điện thoại','Performance Icon'=>'Biểu tượng hiệu suất','Paperclip Icon'=>'Biểu tượng kẹp giấy','No Icon'=>'Không có biểu tượng','Networking Icon'=>'Biểu tượng mạng','Nametag Icon'=>'Biểu tượng thẻ tên','Move Icon'=>'Biểu tượng di chuyển','Money Icon'=>'Biểu tượng tiền','Minus Icon'=>'Biểu tượng trừ','Migrate Icon'=>'Biểu tượng di chuyển','Microphone Icon'=>'Biểu tượng Microphone','Megaphone Icon'=>'Biểu tượng loa phóng thanh','Marker Icon'=>'Biểu tượng đánh dấu','Lock Icon'=>'Biểu tượng khóa','Location Icon'=>'Biểu tượng vị trí','List View Icon'=>'Biểu tượng xem danh sách','Lightbulb Icon'=>'Biểu tượng bóng đèn','Left Right Icon'=>'Biểu tượng trái phải','Layout Icon'=>'Biểu tượng bố cục','Laptop Icon'=>'Biểu tượng Laptop','Info Icon'=>'Biểu tượng thông tin','Index Card Icon'=>'Biểu tượng thẻ chỉ mục','ID Icon'=>'Biểu tượng ID','Hidden Icon'=>'Biểu tượng ẩn','Heart Icon'=>'Biểu tượng trái tim','Hammer Icon'=>'Biểu tượng búa','Groups Icon'=>'Biểu tượng nhóm','Grid View Icon'=>'Biểu tượng xem lưới','Forms Icon'=>'Biểu tượng biểu mẫu','Flag Icon'=>'Biểu tượng lá cờ','Filter Icon'=>'Biểu tượng bộ lọc','Feedback Icon'=>'Biểu tượng phản hồi','Facebook (alt) Icon'=>'Biểu tượng Facebook (thay thế)','Facebook Icon'=>'Biểu tượng Facebook','External Icon'=>'Biểu tượng bên ngoài','Email (alt) Icon'=>'Biểu tượng Email (thay thế)','Email Icon'=>'Biểu tượng Email','Video Icon'=>'Biểu tượng video','Unlink Icon'=>'Biểu tượng hủy liên kết','Underline Icon'=>'Biểu tượng gạch dưới','Text Color Icon'=>'Biểu tượng màu văn bản','Table Icon'=>'Biểu tượng bảng','Strikethrough Icon'=>'Biểu tượng gạch ngang','Spellcheck Icon'=>'Biểu tượng kiểm tra chính tả','Remove Formatting Icon'=>'Biểu tượng gỡ bỏ định dạng','Quote Icon'=>'Biểu tượng trích dẫn','Paste Word Icon'=>'Biểu tượng dán từ word','Paste Text Icon'=>'Biểu tượng dán văn bản','Paragraph Icon'=>'Biểu tượng đoạn văn','Outdent Icon'=>'Biểu tượng thụt lề trái','Kitchen Sink Icon'=>'Biểu tượng bồn rửa chén','Justify Icon'=>'Biểu tượng căn chỉnh đều','Italic Icon'=>'Biểu tượng in nghiêng','Insert More Icon'=>'Chèn thêm biểu tượng','Indent Icon'=>'Biểu tượng thụt lề','Help Icon'=>'Biểu tượng trợ giúp','Expand Icon'=>'Mở rộng biểu tượng','Contract Icon'=>'Biểu tượng hợp đồng','Code Icon'=>'Biểu tượng mã Code','Break Icon'=>'Biểu tượng nghỉ','Bold Icon'=>'Biểu tượng đậm','Edit Icon'=>'Biểu tượng sửa','Download Icon'=>'Biểu tượng tải về','Dismiss Icon'=>'Biểu tượng loại bỏ','Desktop Icon'=>'Biểu tượng màn hình chính','Dashboard Icon'=>'Biểu tượng bảng điều khiển','Cloud Icon'=>'Biểu tượng đám mây','Clock Icon'=>'Biểu tượng đồng hồ','Clipboard Icon'=>'Biểu tượng bảng ghi nhớ','Chart Pie Icon'=>'Biểu tượng biểu đồ tròn','Chart Line Icon'=>'Biểu tượng đường biểu đồ','Chart Bar Icon'=>'Biểu tượng biểu đồ cột','Chart Area Icon'=>'Biểu tượng khu vực biểu đồ','Category Icon'=>'Biểu tượng danh mục','Cart Icon'=>'Biểu tượng giỏ hàng','Carrot Icon'=>'Biểu tượng cà rốt','Camera Icon'=>'Biểu tượng máy ảnh','Calendar (alt) Icon'=>'Biểu tượng lịch (thay thế)','Calendar Icon'=>'Biểu tượng Lịch','Businesswoman Icon'=>'Biểu tượng nữ doanh nhân','Building Icon'=>'Biểu tượng tòa nhà','Book Icon'=>'Biểu tượng sách','Backup Icon'=>'Biểu tượng sao lưu','Awards Icon'=>'Biểu tượng giải thưởng','Art Icon'=>'Biểu tượng nghệ thuật','Arrow Up Icon'=>'Biểu tượng mũi tên Lên','Arrow Right Icon'=>'Biểu tượng mũi tên phải','Arrow Left Icon'=>'Biểu tượng mũi tên trái','Arrow Down Icon'=>'Biểu tượng mũi tên xuống','Archive Icon'=>'Biểu tượng lưu trữ','Analytics Icon'=>'Biểu tượng phân tích','Align Right Icon'=>'Biểu tượng căn phải','Align None Icon'=>'Biểu tượng Căn chỉnh không','Align Left Icon'=>'Biểu tượng căn trái','Align Center Icon'=>'Biểu tượng căn giữa','Album Icon'=>'Biểu tượng Album','Users Icon'=>'Biểu tượng người dùng','Tools Icon'=>'Biểu tượng công cụ','Site Icon'=>'Biểu tượng trang web','Settings Icon'=>'Biểu tượng cài đặt','Post Icon'=>'Biểu tượng bài viết','Plugins Icon'=>'Biểu tượng Plugin','Page Icon'=>'Biểu tượng trang','Network Icon'=>'Biểu tượng mạng','Multisite Icon'=>'Biểu tượng nhiều trang web','Media Icon'=>'Biểu tượng media','Links Icon'=>'Biểu tượng liên kết','Home Icon'=>'Biểu tượng trang chủ','Customizer Icon'=>'Biểu tượng công cụ tùy chỉnh','Comments Icon'=>'Biểu tượng bình luận','Collapse Icon'=>'Biểu tượng thu gọn','Appearance Icon'=>'Biểu tượng giao diện','Generic Icon'=>'Biểu tượng chung','Icon picker requires a value.'=>'Bộ chọn biểu tượng yêu cầu một giá trị.','Icon picker requires an icon type.'=>'Bộ chọn biểu tượng yêu cầu loại biểu tượng.','The available icons matching your search query have been updated in the icon picker below.'=>'Các biểu tượng có sẵn phù hợp với truy vấn tìm kiếm của bạn đã được cập nhật trong bộ chọn biểu tượng bên dưới.','No results found for that search term'=>'Không tìm thấy kết quả cho thời gian tìm kiếm đó','Array'=>'Array','String'=>'Chuỗi','Specify the return format for the icon. %s'=>'Chọn định dạng trở lại cho biểu tượng. %s','Select where content editors can choose the icon from.'=>'Chọn nơi các trình chỉnh sửa nội dung có thể chọn biểu tượng từ.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URL cho biểu tượng bạn muốn sử dụng, hoặc Svg như dữ liệu Uri','Browse Media Library'=>'Duyệt thư viện Media','The currently selected image preview'=>'Xem trước hình ảnh hiện đang được chọn','Click to change the icon in the Media Library'=>'Click để thay đổi biểu tượng trong thư viện Media','Search icons...'=>'Biểu tượng tìm kiếm...','Media Library'=>'Thư viện media','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Một UI tương tác để chọn một biểu tượng. Chọn từ Dashicons, thư viện phương tiện Media, hoặc nhập URL độc lập.','Icon Picker'=>'Bộ chọn biểu tượng','JSON Load Paths'=>'Json tải đường','JSON Save Paths'=>'Đường dẫn lưu JSON','Registered ACF Forms'=>'Các mẫu ACF đăng ký','Shortcode Enabled'=>'Shortcode được kích hoạt','Field Settings Tabs Enabled'=>'Bảng cài đặt trường được bật','Field Type Modal Enabled'=>'Chất loại hộp cửa sổ được kích hoạt','Admin UI Enabled'=>'Giao diện quản trị đã bật','Block Preloading Enabled'=>'Tải trước khối đã bật','Blocks Per ACF Block Version'=>'Các khối theo phiên bản khối ACF','Blocks Per API Version'=>'Khóa theo phiên bản API','Registered ACF Blocks'=>'Các khối ACF đã đăng ký','Light'=>'Sáng','Standard'=>'Tiêu chuẩn','REST API Format'=>'Khởi động API','Registered Options Pages (PHP)'=>'Trang cài đặt đăng ký (PHP)','Registered Options Pages (JSON)'=>'Trang cài đặt đăng ký (JSON)','Registered Options Pages (UI)'=>'Trang cài đặt đăng ký (UI)','Options Pages UI Enabled'=>'Giao diện trang cài đặt đã bật','Registered Taxonomies (JSON)'=>'Phân loại đã đăng ký (JSON)','Registered Taxonomies (UI)'=>'Phân loại đã đăng ký (UI)','Registered Post Types (JSON)'=>'Loại nội dung đã đăng ký (JSON)','Registered Post Types (UI)'=>'Loại nội dung đã đăng ký (UI)','Post Types and Taxonomies Enabled'=>'Loại nội dung và phân loại đã được bật','Number of Third Party Fields by Field Type'=>'Số trường bên thứ ba theo loại trường','Number of Fields by Field Type'=>'Số trường theo loại trường','Field Groups Enabled for GraphQL'=>'Nhóm trường đã được kích hoạt cho GraphQL','Field Groups Enabled for REST API'=>'Nhóm trường đã được kích hoạt cho REST API','Registered Field Groups (JSON)'=>'Nhóm trường đã đăng ký (JSON)','Registered Field Groups (PHP)'=>'Nhóm trường đã đăng ký (PHP)','Registered Field Groups (UI)'=>'Nhóm trường đã đăng ký (UI)','Active Plugins'=>'Plugin hoạt động','Parent Theme'=>'Giao diện cha','Active Theme'=>'Giao diện hoạt động','Is Multisite'=>'Là nhiều trang','MySQL Version'=>'Phiên bản MySQL','WordPress Version'=>'Phiên bản WordPress','Subscription Expiry Date'=>'Đăng ký ngày hết hạn','License Status'=>'Trạng thái bản quyền','License Type'=>'Loại bản quyền','Licensed URL'=>'URL được cấp phép','License Activated'=>'Bản quyền được kích hoạt','Free'=>'Miễn phí','Plugin Type'=>'Plugin loại','Plugin Version'=>'Phiên bản plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Phần này chứa thông tin gỡ lỗi về cấu hình ACF của bạn, có thể hữu ích để cung cấp cho bộ phận hỗ trợ.','An ACF Block on this page requires attention before you can save.'=>'Một khối ACF trên trang này cần được chú ý trước khi bạn có thể lưu.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Dữ liệu này được ghi lại khi chúng tôi phát hiện các giá trị đã bị thay đổi trong quá trình xuất. %1$sXóa nhật ký và đóng thông báo%2$s sau khi bạn đã thoát các giá trị trong mã của mình. Thông báo sẽ xuất hiện lại nếu chúng tôi phát hiện các giá trị bị thay đổi lần nữa.','Dismiss permanently'=>'Xóa vĩnh viễn','Instructions for content editors. Shown when submitting data.'=>'Hướng dẫn dành cho người trình chỉnh sửa nội dung. Hiển thị khi gửi dữ liệu.','Has no term selected'=>'Không có thời hạn được chọn','Has any term selected'=>'Có bất kỳ mục phân loại nào được chọn','Terms do not contain'=>'Các mục phân loại không chứa','Terms contain'=>'Mục phân loại chứa','Term is not equal to'=>'Thời gian không tương đương với','Term is equal to'=>'Thời gian tương đương với','Has no user selected'=>'Không có người dùng được chọn','Has any user selected'=>'Có người dùng đã chọn','Users do not contain'=>'Người dùng không chứa','Users contain'=>'Người dùng có chứa','User is not equal to'=>'Người dùng không bình đẳng với','User is equal to'=>'Người dùng cũng giống như','Has no page selected'=>'Không có trang được chọn','Has any page selected'=>'Có bất kỳ trang nào được chọn','Pages do not contain'=>'Các trang không chứa','Pages contain'=>'Các trang chứa','Page is not equal to'=>'Trang không tương đương với','Page is equal to'=>'Trang này tương đương với','Has no relationship selected'=>'Không có mối quan hệ được chọn','Has any relationship selected'=>'Có bất kỳ mối quan hệ nào được chọn','Has no post selected'=>'Không có bài viết được chọn','Has any post selected'=>'Có bất kỳ bài viết nào được chọn','Posts do not contain'=>'Các bài viết không chứa','Posts contain'=>'Bài viết chứa','Post is not equal to'=>'Bài viết không bằng với','Post is equal to'=>'Bài viết tương đương với','Relationships do not contain'=>'Mối quan hệ không chứa','Relationships contain'=>'Mối quan hệ bao gồm','Relationship is not equal to'=>'Mối quan hệ không tương đương với','Relationship is equal to'=>'Mối quan hệ tương đương với','The core ACF block binding source name for fields on the current pageACF Fields'=>'Các trường ACF','ACF PRO Feature'=>'Tính năng ACF PRO','Renew PRO to Unlock'=>'Gia hạn PRO để mở khóa','Renew PRO License'=>'Gia hạn giấy phép PRO','PRO fields cannot be edited without an active license.'=>'Không thể chỉnh sửa các trường PRO mà không có giấy phép hoạt động.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Vui lòng kích hoạt giấy phép ACF PRO của bạn để chỉnh sửa các nhóm trường được gán cho một Khối ACF.','Please activate your ACF PRO license to edit this options page.'=>'Vui lòng kích hoạt giấy phép ACF PRO của bạn để chỉnh sửa Trang cài đặt này.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Chỉ có thể trả lại các giá trị HTML đã thoát khi format_value cũng là đúng. Các giá trị trường chưa được trả lại vì lý do bảo mật.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Chỉ có thể trả lại một giá trị HTML đã thoát khi format_value cũng là đúng. Giá trị trường chưa được trả lại vì lý do bảo mật.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF giờ đây tự động thoát HTML không an toàn khi được hiển thị bởi the_field hoặc mã ngắn ACF. Chúng tôi đã phát hiện đầu ra của một số trường của bạn đã được sửa đổi bởi thay đổi này, nhưng đây có thể không phải là một thay đổi đột ngột. %2$s.','Please contact your site administrator or developer for more details.'=>'Vui lòng liên hệ với quản trị viên hoặc nhà phát triển trang web của bạn để biết thêm chi tiết.','Learn more'=>'Tìm hiểu thêm','Hide details'=>'Ẩn chi tiết','Show details'=>'Hiển thị chi tiết','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - được hiển thị qua %3$s','Renew ACF PRO License'=>'Gia hạn bản quyền ACF PRO','Renew License'=>'Gia hạn bản quyền','Manage License'=>'Quản lý bản quyền','\'High\' position not supported in the Block Editor'=>'\'Vị trí cao\' không được hỗ trợ trong Trình chỉnh sửa Khối','Upgrade to ACF PRO'=>'Nâng cấp lên ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Trang cài đặt ACF là các trang quản trị tùy chỉnh để quản lý cài đặt toàn cầu thông qua các trường. Bạn có thể tạo nhiều trang và trang con.','Add Options Page'=>'Thêm trang cài đặt','In the editor used as the placeholder of the title.'=>'Trong trình chỉnh sửa được sử dụng như là văn bản gọi ý của tiêu đề.','Title Placeholder'=>'Văn bản gợi ý cho tiêu đề','4 Months Free'=>'Miễn phí 4 tháng','(Duplicated from %s)'=>'(Đã sao chép từ %s)','Select Options Pages'=>'Chọn trang cài đặt','Duplicate taxonomy'=>'Sao chép phân loại','Create taxonomy'=>'Tạo phân loại','Duplicate post type'=>'Sao chép loại nội dung','Create post type'=>'Tạo loại nội dung','Link field groups'=>'Liên kết nhóm trường','Add fields'=>'Thêm trường','This Field'=>'Trường này','ACF PRO'=>'ACF PRO','Feedback'=>'Phản hồi','Support'=>'Hỗ trợ','is developed and maintained by'=>'được phát triển và duy trì bởi','Add this %s to the location rules of the selected field groups.'=>'Thêm %s này vào quy tắc vị trí của các nhóm trường đã chọn.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Kích hoạt cài đặt hai chiều cho phép bạn cập nhật một giá trị trong các trường mục tiêu cho mỗi giá trị được chọn cho trường này, thêm hoặc xóa ID bài viết, ID phân loại hoặc ID người dùng của mục đang được cập nhật. Để biết thêm thông tin, vui lòng đọc tài liệu.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Chọn trường để lưu trữ tham chiếu trở lại mục đang được cập nhật. Bạn có thể chọn trường này. Các trường mục tiêu phải tương thích với nơi trường này được hiển thị. Ví dụ, nếu trường này được hiển thị trên một Phân loại, trường mục tiêu của bạn nên là loại Phân loại','Target Field'=>'Trường mục tiêu','Update a field on the selected values, referencing back to this ID'=>'Cập nhật một trường trên các giá trị đã chọn, tham chiếu trở lại ID này','Bidirectional'=>'Hai chiều','%s Field'=>'Trường %s','Select Multiple'=>'Chọn nhiều','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Chỉ sử dụng chữ cái thường, dấu gạch dưới và dấu gạch ngang, tối đa 32 ký tự.','The capability name for assigning terms of this taxonomy.'=>'Tên khả năng để gán các mục phân loại của phân loại này.','Assign Terms Capability'=>'Khả năng gán mục phân loại','The capability name for deleting terms of this taxonomy.'=>'Tên khả năng để xóa các mục phân loại của phân loại này.','Delete Terms Capability'=>'Khả năng xóa mục phân loại','The capability name for editing terms of this taxonomy.'=>'Tên khả năng để chỉnh sửa các mục phân loại của phân loại này.','Edit Terms Capability'=>'Khả năng chỉnh sửa mục phân loại','The capability name for managing terms of this taxonomy.'=>'Tên khả năng để quản lý các mục phân loại của phân loại này.','Manage Terms Capability'=>'Khả năng quản lý mục phân loại','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Đặt xem các bài viết có nên được loại khỏi kết quả tìm kiếm và trang lưu trữ phân loại hay không.','More Tools from WP Engine'=>'Thêm công cụ từ WP Engine','Built for those that build with WordPress, by the team at %s'=>'Được tạo cho những người xây dựng với WordPress, bởi đội ngũ %s','View Pricing & Upgrade'=>'Xem giá & Nâng cấp','Learn More'=>'Tìm hiểu thêm','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Tăng tốc độ công việc và phát triển các trang web tốt hơn với các tính năng như Khối ACF và Trang cài đặt, và Các loại trường phức tạp như Lặp lại, Nội dung linh hoạt, Tạo bản sao và Album ảnh.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Mở khóa các tính năng nâng cao và xây dựng thêm nhiều hơn với ACF PRO','%s fields'=>'Các trường %s','No terms'=>'Không có mục phân loại','No post types'=>'Không có loại nội dung','No posts'=>'Không có bài viết','No taxonomies'=>'Không có phân loại','No field groups'=>'Không có nhóm trường','No fields'=>'Không có trường','No description'=>'Không có mô tả','Any post status'=>'Bất kỳ trạng thái bài viết nào','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Khóa phân loại này đã được sử dụng bởi một phân loại khác đã đăng ký bên ngoài ACF và không thể sử dụng.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Khóa phân loại này đã được sử dụng bởi một phân loại khác trong ACF và không thể sử dụng.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Khóa phân loại chỉ được chứa các ký tự chữ và số viết thường, dấu gạch dưới hoặc dấu gạch ngang.','The taxonomy key must be under 32 characters.'=>'Khóa phân loại phải dưới 32 ký tự.','No Taxonomies found in Trash'=>'Không tìm thấy phân loại nào trong thùng rác','No Taxonomies found'=>'Không tìm thấy phân loại','Search Taxonomies'=>'Tìm kiếm phân loại','View Taxonomy'=>'Xem phân loại','New Taxonomy'=>'Phân loại mới','Edit Taxonomy'=>'Chỉnh sửa phân loại','Add New Taxonomy'=>'Thêm phân loại mới','No Post Types found in Trash'=>'Không tìm thấy loại nội dung trong thùng rác','No Post Types found'=>'Không tìm thấy loại nội dung','Search Post Types'=>'Tìm kiếm loại nội dung','View Post Type'=>'Xem loại nội dung','New Post Type'=>'Loại nội dung mới','Edit Post Type'=>'Chỉnh sửa loại nội dung','Add New Post Type'=>'Thêm loại nội dung mới','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Khóa loại nội dung này đã được sử dụng bởi một loại nội dung khác đã được đăng ký bên ngoài ACF và không thể sử dụng.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Khóa loại nội dung này đã được sử dụng bởi một loại nội dung khác trong ACF và không thể sử dụng.','This field must not be a WordPress reserved term.'=>'Trường này không được là một mục phân loại dành riêng của WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Khóa loại nội dung chỉ được chứa các ký tự chữ và số viết thường, dấu gạch dưới hoặc dấu gạch ngang.','The post type key must be under 20 characters.'=>'Khóa loại nội dung phải dưới 20 ký tự.','We do not recommend using this field in ACF Blocks.'=>'Chúng tôi không khuyến nghị sử dụng trường này trong ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Hiển thị trình soạn thảo WYSIWYG của WordPress như được thấy trong Bài viết và Trang cho phép trải nghiệm chỉnh sửa văn bản phong phú cũng như cho phép nội dung đa phương tiện.','WYSIWYG Editor'=>'Trình soạn thảo trực quan','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Cho phép chọn một hoặc nhiều người dùng có thể được sử dụng để tạo mối quan hệ giữa các đối tượng dữ liệu.','A text input specifically designed for storing web addresses.'=>'Một đầu vào văn bản được thiết kế đặc biệt để lưu trữ địa chỉ web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Một công tắc cho phép bạn chọn một giá trị 1 hoặc 0 (bật hoặc tắt, đúng hoặc sai, v.v.). Có thể được trình bày dưới dạng một công tắc hoặc hộp kiểm có kiểu.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn thời gian. Định dạng thời gian có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','A basic textarea input for storing paragraphs of text.'=>'Một ô nhập liệu dạng văn bản cơ bản để lưu trữ các đoạn văn bản.','A basic text input, useful for storing single string values.'=>'Một đầu vào văn bản cơ bản, hữu ích để lưu trữ các giá trị chuỗi đơn.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Cho phép chọn một hoặc nhiều mục phân loại phân loại dựa trên tiêu chí và tùy chọn được chỉ định trong cài đặt trường.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Cho phép bạn nhóm các trường vào các phần có tab trong màn hình chỉnh sửa. Hữu ích để giữ cho các trường được tổ chức và có cấu trúc.','A dropdown list with a selection of choices that you specify.'=>'Một danh sách thả xuống với một lựa chọn các lựa chọn mà bạn chỉ định.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Giao diện hai cột để chọn một hoặc nhiều bài viết, trang hoặc mục loại nội dung tùy chỉnh để tạo mối quan hệ với mục bạn đang chỉnh sửa. Bao gồm các tùy chọn để tìm kiếm và lọc.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Một đầu vào để chọn một giá trị số trong một phạm vi đã chỉ định bằng cách sử dụng một phần tử thanh trượt phạm vi.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Một nhóm các đầu vào nút radio cho phép người dùng thực hiện một lựa chọn duy nhất từ các giá trị mà bạn chỉ định.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Giao diện người dùng tương tác và tùy chỉnh để chọn một hoặc nhiều bài viết, trang hoặc mục loại nội dung với tùy chọn tìm kiếm. ','An input for providing a password using a masked field.'=>'Một đầu vào để cung cấp mật khẩu bằng cách sử dụng một trường đã được che.','Filter by Post Status'=>'Lọc theo Trạng thái Bài viết','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Một danh sách thả xuống tương tác để chọn một hoặc nhiều bài viết, trang, mục loại nội dung tùy chỉnh hoặc URL lưu trữ, với tùy chọn tìm kiếm.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Một thành phần tương tác để nhúng video, hình ảnh, tweet, âm thanh và nội dung khác bằng cách sử dụng chức năng oEmbed gốc của WordPress.','An input limited to numerical values.'=>'Một đầu vào giới hạn cho các giá trị số.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Được sử dụng để hiển thị một thông điệp cho các trình chỉnh sửa cùng với các trường khác. Hữu ích để cung cấp ngữ cảnh hoặc hướng dẫn bổ sung xung quanh các trường của bạn.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Cho phép bạn chỉ định một liên kết và các thuộc tính của nó như tiêu đề và mục tiêu bằng cách sử dụng công cụ chọn liên kết gốc của WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Sử dụng công cụ chọn phương tiện gốc của WordPress để tải lên hoặc chọn hình ảnh.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Cung cấp một cách để cấu trúc các trường thành các nhóm để tổ chức dữ liệu và màn hình chỉnh sửa tốt hơn.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Giao diện người dùng tương tác để chọn một vị trí bằng cách sử dụng Google Maps. Yêu cầu một khóa API Google Maps và cấu hình bổ sung để hiển thị chính xác.','Uses the native WordPress media picker to upload, or choose files.'=>'Sử dụng công cụ chọn phương tiện gốc của WordPress để tải lên hoặc chọn tệp.','A text input specifically designed for storing email addresses.'=>'Một đầu vào văn bản được thiết kế đặc biệt để lưu trữ địa chỉ email.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn ngày và giờ. Định dạng trả về ngày có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn ngày. Định dạng trả về ngày có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Giao diện người dùng tương tác để chọn màu hoặc chỉ định giá trị Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Một nhóm các đầu vào hộp kiểm cho phép người dùng chọn một hoặc nhiều giá trị mà bạn chỉ định.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Một nhóm các nút với các giá trị mà bạn chỉ định, người dùng có thể chọn một tùy chọn từ các giá trị được cung cấp.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Cho phép bạn nhóm và tổ chức các trường tùy chỉnh vào các bảng có thể thu gọn được hiển thị trong khi chỉnh sửa nội dung. Hữu ích để giữ cho các tập dữ liệu lớn gọn gàng.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Điều này cung cấp một giải pháp để lặp lại nội dung như slide, thành viên nhóm và ô kêu gọi hành động, bằng cách hoạt động như một cha cho một tập hợp các trường con có thể được lặp lại đi lặp lại.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Điều này cung cấp một giao diện tương tác để quản lý một bộ sưu tập các tệp đính kèm. Hầu hết các cài đặt tương tự như loại trường Hình ảnh. Cài đặt bổ sung cho phép bạn chỉ định nơi thêm tệp đính kèm mới trong thư viện và số lượng tệp đính kèm tối thiểu / tối đa được cho phép.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Điều này cung cấp một trình soạn thảo dựa trên bố cục, có cấu trúc, đơn giản. Trường nội dung linh hoạt cho phép bạn định nghĩa, tạo và quản lý nội dung với quyền kiểm soát tuyệt đối bằng cách sử dụng bố cục và trường con để thiết kế các khối có sẵn.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Điều này cho phép bạn chọn và hiển thị các trường hiện có. Nó không sao chép bất kỳ trường nào trong cơ sở dữ liệu, nhưng tải và hiển thị các trường đã chọn tại thời gian chạy. Trường Clone có thể thay thế chính nó bằng các trường đã chọn hoặc hiển thị các trường đã chọn dưới dạng một nhóm trường con.','nounClone'=>'Sao chép','PRO'=>'PRO','Advanced'=>'Nâng cao','JSON (newer)'=>'JSON (mới hơn)','Original'=>'Gốc','Invalid post ID.'=>'ID bài viết không hợp lệ.','Invalid post type selected for review.'=>'Loại nội dung được chọn để xem xét không hợp lệ.','More'=>'Xem thêm','Tutorial'=>'Hướng dẫn','Select Field'=>'Chọn trường','Try a different search term or browse %s'=>'Thử một từ khóa tìm kiếm khác hoặc duyệt %s','Popular fields'=>'Các trường phổ biến','No search results for \'%s\''=>'Không có kết quả tìm kiếm cho \'%s\'','Search fields...'=>'Tìm kiếm trường...','Select Field Type'=>'Chọn loại trường','Popular'=>'Phổ biến','Add Taxonomy'=>'Thêm phân loại','Create custom taxonomies to classify post type content'=>'Tạo phân loại tùy chỉnh để phân loại nội dung loại nội dung','Add Your First Taxonomy'=>'Thêm phân loại đầu tiên của bạn','Hierarchical taxonomies can have descendants (like categories).'=>'Phân loại theo hệ thống có thể có các mục con (như các danh mục).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hiển thị phân loại trên giao diện người dùng và trên bảng điều khiển quản trị.','One or many post types that can be classified with this taxonomy.'=>'Một hoặc nhiều loại nội dung có thể được phân loại bằng phân loại này.','genre'=>'thể loại','Genre'=>'Thể loại','Genres'=>'Các thể loại','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Bộ điều khiển tùy chỉnh tùy chọn để sử dụng thay vì `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Tiết lộ loại nội dung này trong REST API.','Customize the query variable name'=>'Tùy chỉnh tên biến truy vấn','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Các mục phân loại có thể được truy cập bằng cách sử dụng đường dẫn cố định không đẹp, ví dụ, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Các mục phân loại cha-con trong URL cho các phân loại theo hệ thống.','Customize the slug used in the URL'=>'Tùy chỉnh đường dẫn cố định được sử dụng trong URL','Permalinks for this taxonomy are disabled.'=>'Liên kết cố định cho phân loại này đã bị vô hiệu hóa.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng khóa phân loại làm đường dẫn cố định. Cấu trúc đường dẫn cố định của bạn sẽ là','Taxonomy Key'=>'Liên kết phân loại','Select the type of permalink to use for this taxonomy.'=>'Chọn loại liên kết cố định để sử dụng cho phân loại này.','Display a column for the taxonomy on post type listing screens.'=>'Hiển thị một cột cho phân loại trên màn hình liệt kê loại nội dung.','Show Admin Column'=>'Hiển thị cột quản trị','Show the taxonomy in the quick/bulk edit panel.'=>'Hiển thị phân loại trong bảng chỉnh sửa nhanh / hàng loạt.','Quick Edit'=>'Chỉnh sửa nhanh','List the taxonomy in the Tag Cloud Widget controls.'=>'Liệt kê phân loại trong các điều khiển Widget mây thẻ.','Tag Cloud'=>'Mây thẻ','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Tên hàm PHP sẽ được gọi để làm sạch dữ liệu phân loại được lưu từ một hộp meta.','Meta Box Sanitization Callback'=>'Hàm Gọi lại Làm sạch Hộp Meta','Register Meta Box Callback'=>'Đăng ký Hàm Gọi lại Hộp Meta','No Meta Box'=>'Không có Hộp Meta','Custom Meta Box'=>'Hộp Meta tùy chỉnh','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Điều khiển hộp meta trên màn hình trình chỉnh sửa nội dung. Theo mặc định, hộp meta danh mục được hiển thị cho các phân loại theo hệ thống, và hộp meta Thẻ được hiển thị cho các phân loại không theo hệ thống.','Meta Box'=>'Hộp Meta','Categories Meta Box'=>'Hộp Meta danh mục','Tags Meta Box'=>'Hộp Meta Thẻ','A link to a tag'=>'Một liên kết đến một thẻ','Describes a navigation link block variation used in the block editor.'=>'Mô tả một biến thể khối liên kết điều hướng được sử dụng trong trình chỉnh sửa khối.','A link to a %s'=>'Một liên kết đến một %s','Tag Link'=>'Liên kết Thẻ','Assigns a title for navigation link block variation used in the block editor.'=>'Gán một tiêu đề cho biến thể khối liên kết điều hướng được sử dụng trong trình chỉnh sửa khối.','← Go to tags'=>'← Đi đến thẻ','Assigns the text used to link back to the main index after updating a term.'=>'Gán văn bản được sử dụng để liên kết trở lại chỉ mục chính sau khi cập nhật một mục phân loại.','Back To Items'=>'Quay lại mục','← Go to %s'=>'← Quay lại %s','Tags list'=>'Danh sách thẻ','Assigns text to the table hidden heading.'=>'Gán văn bản cho tiêu đề bảng ẩn.','Tags list navigation'=>'Danh sách điều hướng thẻ','Assigns text to the table pagination hidden heading.'=>'Gán văn bản cho tiêu đề ẩn của phân trang bảng.','Filter by category'=>'Lọc theo danh mục','Assigns text to the filter button in the posts lists table.'=>'Gán văn bản cho nút lọc trong bảng danh sách bài viết.','Filter By Item'=>'Lọc theo mục','Filter by %s'=>'Lọc theo %s','The description is not prominent by default; however, some themes may show it.'=>'Mô tả không nổi bật theo mặc định; tuy nhiên, một số chủ đề có thể hiển thị nó.','Describes the Description field on the Edit Tags screen.'=>'Thông tin về trường mô tả trên màn hình chỉnh sửa thẻ.','Description Field Description'=>'Thông tin về trường mô tả','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Gán một mục phân loại cha để tạo ra một hệ thống phân cấp. Thuật ngữ Jazz, ví dụ, sẽ là cha của Bebop và Big Band','Describes the Parent field on the Edit Tags screen.'=>'Mô tả trường cha trên màn hình chỉnh sửa thẻ.','Parent Field Description'=>'Mô tả trường cha','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"Đường dẫn cố định" là phiên bản thân thiện với URL của tên. Nó thường là tất cả chữ thường và chỉ chứa các chữ cái, số và dấu gạch ngang.','Describes the Slug field on the Edit Tags screen.'=>'Mô tả trường đường dẫn cố định trên màn hình chỉnh sửa thẻ.','Slug Field Description'=>'Mô tả trường đường dẫn cố định','The name is how it appears on your site'=>'Tên là cách nó xuất hiện trên trang web của bạn','Describes the Name field on the Edit Tags screen.'=>'Mô tả trường tên trên màn hình chỉnh sửa thẻ.','Name Field Description'=>'Mô tả trường Tên','No tags'=>'Không có thẻ','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Gán văn bản hiển thị trong bảng danh sách bài viết và phương tiện khi không có thẻ hoặc danh mục nào có sẵn.','No Terms'=>'Không có mục phân loại','No %s'=>'Không có %s','No tags found'=>'Không tìm thấy thẻ','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Gán văn bản hiển thị khi nhấp vào văn bản \'chọn từ những thẻ được sử dụng nhiều nhất\' trong hộp meta phân loại khi không có thẻ nào có sẵn, và gán văn bản được sử dụng trong bảng danh sách mục phân loại khi không có mục nào cho một phân loại.','Not Found'=>'Không tìm thấy','Assigns text to the Title field of the Most Used tab.'=>'Gán văn bản cho trường Tiêu đề của tab Được sử dụng nhiều nhất.','Most Used'=>'Được sử dụng nhiều nhất','Choose from the most used tags'=>'Chọn từ những thẻ được sử dụng nhiều nhất','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Gán văn bản \'chọn từ những thẻ được sử dụng nhiều nhất\' được sử dụng trong hộp meta khi JavaScript bị vô hiệu hóa. Chỉ được sử dụng trên các phân loại không phân cấp.','Choose From Most Used'=>'Chọn từ những thẻ được sử dụng nhiều nhất','Choose from the most used %s'=>'Chọn từ những %s được sử dụng nhiều nhất','Add or remove tags'=>'Thêm hoặc xóa thẻ','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Gán văn bản thêm hoặc xóa mục được sử dụng trong hộp meta khi JavaScript bị vô hiệu hóa. Chỉ được sử dụng trên các phân loại không phân cấp.','Add Or Remove Items'=>'Thêm hoặc xóa mục','Add or remove %s'=>'Thêm hoặc xóa %s','Separate tags with commas'=>'Tách các thẻ bằng dấu phẩy','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Gán văn bản tách mục bằng dấu phẩy được sử dụng trong hộp meta phân loại. Chỉ được sử dụng trên các phân loại không phân cấp.','Separate Items With Commas'=>'Tách các mục bằng dấu phẩy','Separate %s with commas'=>'Tách %s bằng dấu phẩy','Popular Tags'=>'Thẻ phổ biến','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Gán văn bản mục phổ biến. Chỉ được sử dụng cho các phân loại không phân cấp.','Popular Items'=>'Mục phổ biến','Popular %s'=>'%s phổ biến','Search Tags'=>'Tìm kiếm thẻ','Assigns search items text.'=>'Gán văn bản tìm kiếm mục.','Parent Category:'=>'Danh mục cha:','Assigns parent item text, but with a colon (:) added to the end.'=>'Gán văn bản mục cha, nhưng với dấu hai chấm (:) được thêm vào cuối.','Parent Item With Colon'=>'Mục cha với dấu hai chấm','Parent Category'=>'Danh mục cha','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Gán văn bản mục cha. Chỉ được sử dụng trên các phân loại phân cấp.','Parent Item'=>'Mục cha','Parent %s'=>'%s cha','New Tag Name'=>'Tên thẻ mới','Assigns the new item name text.'=>'Gán văn bản tên mục mới.','New Item Name'=>'Tên mục mới','New %s Name'=>'Tên mới %s','Add New Tag'=>'Thêm thẻ mới','Assigns the add new item text.'=>'Gán văn bản thêm mục mới.','Update Tag'=>'Cập nhật thẻ','Assigns the update item text.'=>'Gán văn bản cập nhật mục.','Update Item'=>'Cập nhật mục','Update %s'=>'Cập nhật %s','View Tag'=>'Xem thẻ','In the admin bar to view term during editing.'=>'Trong thanh quản trị để xem mục phân loại trong quá trình chỉnh sửa.','Edit Tag'=>'Chỉnh sửa thẻ','At the top of the editor screen when editing a term.'=>'Ở đầu màn hình trình chỉnh sửa khi sửa một mục phân loại.','All Tags'=>'Tất cả thẻ','Assigns the all items text.'=>'Gán văn bản tất cả mục.','Assigns the menu name text.'=>'Gán văn bản tên menu.','Menu Label'=>'Nhãn menu','Active taxonomies are enabled and registered with WordPress.'=>'Các phân loại đang hoạt động được kích hoạt và đăng ký với WordPress.','A descriptive summary of the taxonomy.'=>'Một tóm tắt mô tả về phân loại.','A descriptive summary of the term.'=>'Một tóm tắt mô tả về mục phân loại.','Term Description'=>'Mô tả mục phân loại','Single word, no spaces. Underscores and dashes allowed.'=>'Một từ, không có khoảng trắng. Cho phép dấu gạch dưới và dấu gạch ngang.','Term Slug'=>'Đường dẫn cố định mục phân loại','The name of the default term.'=>'Tên của mục phân loại mặc định.','Term Name'=>'Tên mục phân loại','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Tạo một mục cho phân loại không thể bị xóa. Nó sẽ không được chọn cho bài viết theo mặc định.','Default Term'=>'Mục phân loại mặc định','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Có nên sắp xếp các mục phân loại trong phân loại này theo thứ tự chúng được cung cấp cho `wp_set_object_terms()` hay không.','Sort Terms'=>'Sắp xếp mục phân loại','Add Post Type'=>'Thêm loại nội dung','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Mở rộng chức năng của WordPress vượt ra khỏi bài viết và trang tiêu chuẩn với các loại nội dung tùy chỉnh.','Add Your First Post Type'=>'Thêm loại nội dung đầu tiên của bạn','I know what I\'m doing, show me all the options.'=>'Tôi biết tôi đang làm gì, hãy cho tôi xem tất cả các tùy chọn.','Advanced Configuration'=>'Cấu hình nâng cao','Hierarchical post types can have descendants (like pages).'=>'Tùy chọn này giúp loại nội dung có thể tạo các mục con (như trang).','Hierarchical'=>'Phân cấp','Visible on the frontend and in the admin dashboard.'=>'Hiển thị trên giao diện người dùng và trên bảng điều khiển quản trị.','Public'=>'Công khai','movie'=>'phim','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Chỉ sử dụng chữ cái thường, dấu gạch dưới và dấu gạch ngang, tối đa 20 ký tự.','Movie'=>'Phim','Singular Label'=>'Tên số ít','Movies'=>'Phim','Plural Label'=>'Tên số nhiều','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Tùy chọn sử dụng bộ điều khiển tùy chỉnh thay vì `WP_REST_Posts_Controller`.','Controller Class'=>'Lớp điều khiển','The namespace part of the REST API URL.'=>'Phần không gian tên của URL REST API.','Namespace Route'=>'Namespace Route','The base URL for the post type REST API URLs.'=>'URL cơ sở cho các URL API REST của loại nội dung.','Base URL'=>'Base URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Tiết lộ loại nội dung này trong API REST. Yêu cầu sử dụng trình soạn thảo khối.','Show In REST API'=>'Hiển thị trong REST API','Customize the query variable name.'=>'Tùy chỉnh tên biến truy vấn.','Query Variable'=>'Biến truy Vấn','No Query Variable Support'=>'Không hỗ trợ biến truy vấn','Custom Query Variable'=>'Biến truy vấn tùy chỉnh','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Các mục có thể được truy cập bằng cách sử dụng đường dẫn cố định không đẹp, ví dụ: {post_type}={post_slug}.','Query Variable Support'=>'Hỗ trợ biến truy vấn','URLs for an item and items can be accessed with a query string.'=>'URL cho một mục và các mục có thể được truy cập bằng một chuỗi truy vấn.','Publicly Queryable'=>'Có thể truy vấn công khai','Custom slug for the Archive URL.'=>'Đường dẫn cố định tùy chỉnh cho URL trang lưu trữ.','Archive Slug'=>'Slug trang lưu trữ','Has an item archive that can be customized with an archive template file in your theme.'=>'Có một kho lưu trữ mục có thể được tùy chỉnh với một tệp mẫu lưu trữ trong giao diện của bạn.','Archive'=>'Trang lưu trữ','Pagination support for the items URLs such as the archives.'=>'Hỗ trợ phân trang cho các URL mục như lưu trữ.','Pagination'=>'Phân trang','RSS feed URL for the post type items.'=>'URL nguồn cấp dữ liệu RSS cho các mục loại nội dung.','Feed URL'=>'URL nguồn cấp dữ liệu','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Thay đổi cấu trúc liên kết cố định để thêm tiền tố `WP_Rewrite::$front` vào URL.','Front URL Prefix'=>'Tiền tố URL phía trước','Customize the slug used in the URL.'=>'Tùy chỉnh đường dẫn cố định được sử dụng trong URL.','URL Slug'=>'Đường dẫn cố định URL','Permalinks for this post type are disabled.'=>'Liên kết cố định cho loại nội dung này đã bị vô hiệu hóa.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng đường dẫn cố định tùy chỉnh được định nghĩa trong đầu vào dưới đây. Cấu trúc đường dẫn cố định của bạn sẽ là','No Permalink (prevent URL rewriting)'=>'Không có liên kết cố định (ngăn chặn việc viết lại URL)','Custom Permalink'=>'Liên kết tĩnh tùy chỉnh','Post Type Key'=>'Khóa loại nội dung','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng khóa loại nội dung làm đường dẫn cố định. Cấu trúc liên kết cố định của bạn sẽ là','Permalink Rewrite'=>'Thay đổi liên kết cố định','Delete items by a user when that user is deleted.'=>'Xóa các mục của một người dùng khi người dùng đó bị xóa.','Delete With User'=>'Xóa với người dùng','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Cho phép loại nội dung được xuất từ \'Công cụ\' > \'Xuất\'.','Can Export'=>'Có thể xuất','Optionally provide a plural to be used in capabilities.'=>'Tùy chọn cung cấp một số nhiều để sử dụng trong khả năng.','Plural Capability Name'=>'Tên khả năng số nhiều','Choose another post type to base the capabilities for this post type.'=>'Chọn một loại nội dung khác để cơ sở các khả năng cho loại nội dung này.','Singular Capability Name'=>'Tên khả năng số ít','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Theo mặc định, các khả năng của loại nội dung sẽ kế thừa tên khả năng \'Bài viết\', ví dụ: edit_post, delete_posts. Kích hoạt để sử dụng khả năng cụ thể của loại nội dung, ví dụ: edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Đổi tên quyền người dùng','Exclude From Search'=>'Loại trừ khỏi tìm kiếm','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Cho phép các mục được thêm vào menu trong màn hình \'Giao diện\' > \'Menu\'. Phải được bật trong \'Tùy chọn màn hình\'.','Appearance Menus Support'=>'Hỗ trợ menu giao diện','Appears as an item in the \'New\' menu in the admin bar.'=>'Xuất hiện như một mục trong menu \'Mới\' trên thanh quản trị.','Show In Admin Bar'=>'Hiển thị trong thanh quản trị','Custom Meta Box Callback'=>'Hàm gọi lại hộp meta tùy chỉnh','Menu Icon'=>'Biểu tượng menu','The position in the sidebar menu in the admin dashboard.'=>'Vị trí trong menu thanh bên trên bảng điều khiển quản trị.','Menu Position'=>'Vị trí menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Theo mặc định, loại nội dung sẽ nhận được một mục cấp cao mới trong menu quản trị. Nếu một mục cấp cao hiện có được cung cấp ở đây, loại bài viết sẽ được thêm dưới dạng mục con dưới nó.','Admin Menu Parent'=>'Menu quản trị cấp trên','Admin editor navigation in the sidebar menu.'=>'Điều hướng trình chỉnh sửa của quản trị trong menu thanh bên.','Show In Admin Menu'=>'Hiển thị trong menu quản trị','Items can be edited and managed in the admin dashboard.'=>'Các mục có thể được chỉnh sửa và quản lý trong bảng điều khiển quản trị.','Show In UI'=>'Hiển thị trong giao diện người dùng','A link to a post.'=>'Một liên kết đến một bài viết.','Description for a navigation link block variation.'=>'Mô tả cho biến thể khối liên kết điều hướng.','Item Link Description'=>'Mô tả liên kết mục','A link to a %s.'=>'Một liên kết đến %s.','Post Link'=>'Liên kết bài viết','Title for a navigation link block variation.'=>'Tiêu đề cho biến thể khối liên kết điều hướng.','Item Link'=>'Liên kết mục','%s Link'=>'Liên kết %s','Post updated.'=>'Bài viết đã được cập nhật.','In the editor notice after an item is updated.'=>'Trong thông báo trình soạn thảo sau khi một mục được cập nhật.','Item Updated'=>'Mục đã được cập nhật','%s updated.'=>'%s đã được cập nhật.','Post scheduled.'=>'Bài viết đã được lên lịch.','In the editor notice after scheduling an item.'=>'Trong thông báo trình soạn thảo sau khi lên lịch một mục.','Item Scheduled'=>'Mục đã được lên lịch','%s scheduled.'=>'%s đã được lên lịch.','Post reverted to draft.'=>'Bài viết đã được chuyển về nháp.','In the editor notice after reverting an item to draft.'=>'Trong thông báo trình soạn thảo sau khi chuyển một mục về nháp.','Item Reverted To Draft'=>'Mục đã được chuyển về nháp','%s reverted to draft.'=>'%s đã được chuyển về nháp.','Post published privately.'=>'Bài viết đã được xuất bản riêng tư.','In the editor notice after publishing a private item.'=>'Trong thông báo trình soạn thảo sau khi xuất bản một mục riêng tư.','Item Published Privately'=>'Mục đã được xuất bản riêng tư','%s published privately.'=>'%s đã được xuất bản riêng tư.','Post published.'=>'Bài viết đã được xuất bản.','In the editor notice after publishing an item.'=>'Trong thông báo trình soạn thảo sau khi xuất bản một mục.','Item Published'=>'Mục đã được xuất bản','%s published.'=>'%s đã được xuất bản.','Posts list'=>'Danh sách bài viết','Used by screen readers for the items list on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho danh sách mục trên màn hình danh sách loại nội dung.','Items List'=>'Danh sách mục','%s list'=>'Danh sách %s','Posts list navigation'=>'Điều hướng danh sách bài viết','Used by screen readers for the filter list pagination on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho phân trang danh sách bộ lọc trên màn hình danh sách loại nội dung.','Items List Navigation'=>'Điều hướng danh sách mục','%s list navigation'=>'Điều hướng danh sách %s','Filter posts by date'=>'Lọc bài viết theo ngày','Used by screen readers for the filter by date heading on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho tiêu đề lọc theo ngày trên màn hình danh sách loại nội dung.','Filter Items By Date'=>'Lọc mục theo ngày','Filter %s by date'=>'Lọc %s theo ngày','Filter posts list'=>'Lọc danh sách bài viết','Used by screen readers for the filter links heading on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho tiêu đề liên kết bộ lọc trên màn hình danh sách loại nội dung.','Filter Items List'=>'Lọc danh sách mục','Filter %s list'=>'Lọc danh sách %s','In the media modal showing all media uploaded to this item.'=>'Trong modal phương tiện hiển thị tất cả phương tiện đã tải lên cho mục này.','Uploaded To This Item'=>'Đã tải lên mục này','Uploaded to this %s'=>'Đã tải lên %s này','Insert into post'=>'Chèn vào bài viết','As the button label when adding media to content.'=>'Như nhãn nút khi thêm phương tiện vào nội dung.','Insert Into Media Button'=>'Chèn vào nút Media','Insert into %s'=>'Chèn vào %s','Use as featured image'=>'Sử dụng làm hình ảnh nổi bật','As the button label for selecting to use an image as the featured image.'=>'Như nhãn nút để chọn sử dụng hình ảnh làm hình ảnh nổi bật.','Use Featured Image'=>'Sử dụng hình ảnh nổi bật','Remove featured image'=>'Xóa hình ảnh nổi bật','As the button label when removing the featured image.'=>'Như nhãn nút khi xóa hình ảnh nổi bật.','Remove Featured Image'=>'Xóa hình ảnh nổi bật','Set featured image'=>'Đặt hình ảnh nổi bật','As the button label when setting the featured image.'=>'Như nhãn nút khi đặt hình ảnh nổi bật.','Set Featured Image'=>'Đặt hình ảnh nổi bật','Featured image'=>'Hình ảnh nổi bật','In the editor used for the title of the featured image meta box.'=>'Trong trình soạn thảo được sử dụng cho tiêu đề của hộp meta hình ảnh nổi bật.','Featured Image Meta Box'=>'Hộp meta hình ảnh nổi bật','Post Attributes'=>'Thuộc tính bài viết','In the editor used for the title of the post attributes meta box.'=>'Trong trình soạn thảo được sử dụng cho tiêu đề của hộp meta thuộc tính bài viết.','Attributes Meta Box'=>'Hộp meta thuộc tính','%s Attributes'=>'Thuộc tính %s','Post Archives'=>'Lưu trữ bài viết','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Thêm các mục \'Lưu trữ loại nội dung\' với nhãn này vào danh sách bài viết hiển thị khi thêm mục vào menu hiện tại trong CPT có kích hoạt lưu trữ. Chỉ xuất hiện khi chỉnh sửa menu trong chế độ \'Xem trước trực tiếp\' và đã cung cấp đường dẫn cố định lưu trữ tùy chỉnh.','Archives Nav Menu'=>'Menu điều hướng trang lưu trữ','%s Archives'=>'%s Trang lưu trữ','No posts found in Trash'=>'Không tìm thấy bài viết nào trong thùng rác','At the top of the post type list screen when there are no posts in the trash.'=>'Ở đầu màn hình danh sách loại nội dung khi không có bài viết nào trong thùng rác.','No Items Found in Trash'=>'Không tìm thấy mục nào trong thùng rác','No %s found in Trash'=>'Không tìm thấy %s trong thùng rác','No posts found'=>'Không tìm thấy bài viết nào','At the top of the post type list screen when there are no posts to display.'=>'Ở đầu màn hình danh sách loại nội dung khi không có bài viết nào để hiển thị.','No Items Found'=>'Không tìm thấy mục nào','No %s found'=>'Không tìm thấy %s','Search Posts'=>'Tìm kiếm bài viết','At the top of the items screen when searching for an item.'=>'Ở đầu màn hình mục khi tìm kiếm một mục.','Search Items'=>'Tìm kiếm mục','Search %s'=>'Tìm kiếm %s','Parent Page:'=>'Trang cha:','For hierarchical types in the post type list screen.'=>'Đối với các loại phân cấp trong màn hình danh sách loại nội dung.','Parent Item Prefix'=>'Tiền tố mục cha','Parent %s:'=>'Cha %s:','New Post'=>'Bài viết mới','New Item'=>'Mục mới','New %s'=>'%s mới','Add New Post'=>'Thêm bài viết mới','At the top of the editor screen when adding a new item.'=>'Ở đầu màn hình trình chỉnh sửa khi thêm một mục mới.','Add New Item'=>'Thêm mục mới','Add New %s'=>'Thêm %s mới','View Posts'=>'Xem bài viết','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Xuất hiện trong thanh quản trị trong chế độ xem \'Tất cả bài viết\', miễn là loại nội dung hỗ trợ lưu trữ và trang chủ không phải là lưu trữ của loại nội dung đó.','View Items'=>'Xem mục','View Post'=>'Xem bài viết','In the admin bar to view item when editing it.'=>'Trong thanh quản trị để xem mục khi đang chỉnh sửa nó.','View Item'=>'Xem mục','View %s'=>'Xem %s','Edit Post'=>'Chỉnh sửa bài viết','At the top of the editor screen when editing an item.'=>'Ở đầu màn hình trình chỉnh sửa khi sửa một mục.','Edit Item'=>'Chỉnh sửa mục','Edit %s'=>'Chỉnh sửa %s','All Posts'=>'Tất cả bài viết','In the post type submenu in the admin dashboard.'=>'Trong submenu loại nội dung trong bảng điều khiển quản trị.','All Items'=>'Tất cả mục','All %s'=>'Tất cả %s','Admin menu name for the post type.'=>'Tên menu quản trị cho loại nội dung.','Menu Name'=>'Tên menu','Regenerate all labels using the Singular and Plural labels'=>'Tạo lại tất cả các tên bằng cách sử dụng tên số ít và tên số nhiều','Regenerate'=>'Tạo lại','Active post types are enabled and registered with WordPress.'=>'Các loại nội dung đang hoạt động đã được kích hoạt và đăng ký với WordPress.','A descriptive summary of the post type.'=>'Một tóm tắt mô tả về loại nội dung.','Add Custom'=>'Thêm tùy chỉnh','Enable various features in the content editor.'=>'Kích hoạt các tính năng khác nhau trong trình chỉnh sửa nội dung.','Post Formats'=>'Định dạng bài viết','Editor'=>'Trình chỉnh sửa','Trackbacks'=>'Theo dõi liên kết','Select existing taxonomies to classify items of the post type.'=>'Chọn các phân loại hiện có để phân loại các mục của loại nội dung.','Browse Fields'=>'Duyệt các trường','Nothing to import'=>'Không có gì để nhập','. The Custom Post Type UI plugin can be deactivated.'=>'. Plugin Giao diện người dùng loại nội dung tùy chỉnh có thể được hủy kích hoạt.','Imported %d item from Custom Post Type UI -'=>'Đã nhập %d mục từ giao diện người dùng loại nội dung tùy chỉnh -','Failed to import taxonomies.'=>'Không thể nhập phân loại.','Failed to import post types.'=>'Không thể nhập loại nội dung.','Nothing from Custom Post Type UI plugin selected for import.'=>'Không có gì từ plugin Giao diện người dùng loại nội dung tùy chỉnh được chọn để nhập.','Imported 1 item'=>'Đã nhập %s mục','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Nhập một loại nội dung hoặc Phân loại với khóa giống như một cái đã tồn tại sẽ ghi đè các cài đặt cho loại nội dung hoặc Phân loại hiện tại với những cái của nhập khẩu.','Import from Custom Post Type UI'=>'Nhập từ Giao diện người dùng loại nội dung Tùy chỉnh','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Mã sau đây có thể được sử dụng để đăng ký một phiên bản địa phương của các mục đã chọn. Lưu trữ nhóm trường, loại nội dung hoặc phân loại một cách địa phương có thể mang lại nhiều lợi ích như thời gian tải nhanh hơn, kiểm soát phiên bản và trường/cài đặt động. Chỉ cần sao chép và dán mã sau vào tệp functions.php giao diện của bạn hoặc bao gồm nó trong một tệp bên ngoài, sau đó hủy kích hoạt hoặc xóa các mục từ quản trị ACF.','Export - Generate PHP'=>'Xuất - Tạo PHP','Export'=>'Xuất','Select Taxonomies'=>'Chọn Phân loại','Select Post Types'=>'Chọn loại nội dung','Exported 1 item.'=>'Đã xuất %s mục.','Category'=>'Danh mục','Tag'=>'Thẻ','%s taxonomy created'=>'%s đã tạo phân loại','%s taxonomy updated'=>'%s đã cập nhật phân loại','Taxonomy draft updated.'=>'Bản nháp phân loại đã được cập nhật.','Taxonomy scheduled for.'=>'Phân loại được lên lịch cho.','Taxonomy submitted.'=>'Phân loại đã được gửi.','Taxonomy saved.'=>'Phân loại đã được lưu.','Taxonomy deleted.'=>'Phân loại đã được xóa.','Taxonomy updated.'=>'Phân loại đã được cập nhật.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Phân loại này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một phân loại khác được đăng ký bởi một plugin hoặc giao diện khác.','Taxonomy synchronized.'=>'Đã đồng bộ hóa %s phân loại.','Taxonomy duplicated.'=>'Đã nhân đôi %s phân loại.','Taxonomy deactivated.'=>'Đã hủy kích hoạt %s phân loại.','Taxonomy activated.'=>'Đã kích hoạt %s phân loại.','Terms'=>'Mục phân loại','Post type synchronized.'=>'Đã đồng bộ hóa %s loại nội dung.','Post type duplicated.'=>'Đã nhân đôi %s loại nội dung.','Post type deactivated.'=>'Đã hủy kích hoạt %s loại nội dung.','Post type activated.'=>'Đã kích hoạt %s loại nội dung.','Post Types'=>'Loại nội dung','Advanced Settings'=>'Cài đặt nâng cao','Basic Settings'=>'Cài đặt cơ bản','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Loại nội dung này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một loại nội dung khác được đăng ký bởi một plugin hoặc giao diện khác.','Pages'=>'Trang','Link Existing Field Groups'=>'Liên kết Nhóm Trường Hiện tại','%s post type created'=>'%s Đã tạo loại nội dung','Add fields to %s'=>'Thêm trường vào %s','%s post type updated'=>'%s Đã cập nhật loại nội dung','Post type draft updated.'=>'Bản nháp loại nội dung đã được cập nhật.','Post type scheduled for.'=>'Loại nội dung được lên lịch cho.','Post type submitted.'=>'Loại nội dung đã được gửi.','Post type saved.'=>'Loại nội dung đã được lưu.','Post type updated.'=>'Loại nội dung đã được cập nhật.','Post type deleted.'=>'Loại nội dung đã được xóa.','Type to search...'=>'Nhập để tìm kiếm...','PRO Only'=>'Chỉ dành cho PRO','Field groups linked successfully.'=>'Nhóm trường đã được liên kết thành công.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Nhập loại nội dung và Phân loại đã đăng ký với Giao diện người dùng loại nội dung Tùy chỉnh và quản lý chúng với ACF. Bắt đầu.','ACF'=>'ACF','taxonomy'=>'phân loại','post type'=>'loại nội dung','Done'=>'Hoàn tất','Field Group(s)'=>'Nhóm trường','Select one or many field groups...'=>'Chọn một hoặc nhiều nhóm trường...','Please select the field groups to link.'=>'Vui lòng chọn nhóm trường để liên kết.','Field group linked successfully.'=>'Nhóm trường đã được liên kết thành công.','post statusRegistration Failed'=>'Đăng ký Thất bại','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Mục này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một mục khác được đăng ký bởi một plugin hoặc giao diện khác.','REST API'=>'REST API','Permissions'=>'Quyền','URLs'=>'URL','Visibility'=>'Khả năng hiển thị','Labels'=>'Nhãn','Field Settings Tabs'=>'Thẻ thiết lập trường','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Giá trị shortcode ACF bị tắt xem trước]','Close Modal'=>'Thoát hộp cửa sổ','Field moved to other group'=>'Trường được chuyển đến nhóm khác','Close modal'=>'Thoát hộp cửa sổ','Start a new group of tabs at this tab.'=>'Bắt đầu một nhóm mới của các tab tại tab này.','New Tab Group'=>'Nhóm Tab mới','Use a stylized checkbox using select2'=>'Sử dụng hộp kiểm được tạo kiểu bằng select2','Save Other Choice'=>'Lưu Lựa chọn khác','Allow Other Choice'=>'Cho phép lựa chọn khác','Add Toggle All'=>'Thêm chuyển đổi tất cả','Save Custom Values'=>'Lưu Giá trị Tùy chỉnh','Allow Custom Values'=>'Cho phép giá trị tùy chỉnh','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Giá trị tùy chỉnh của hộp kiểm không thể trống. Bỏ chọn bất kỳ giá trị trống nào.','Updates'=>'Cập nhật','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Lưu thay đổi','Field Group Title'=>'Tiêu đề nhóm trường','Add title'=>'Thêm tiêu đề','New to ACF? Take a look at our getting started guide.'=>'Mới sử dụng ACF? Hãy xem qua hướng dẫn bắt đầu của chúng tôi.','Add Field Group'=>'Thêm nhóm trường','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF sử dụng nhóm trường để nhóm các trường tùy chỉnh lại với nhau, sau đó gắn các trường đó vào màn hình chỉnh sửa.','Add Your First Field Group'=>'Thêm nhóm trường đầu tiên của bạn','Options Pages'=>'Trang cài đặt','ACF Blocks'=>'Khối ACF','Gallery Field'=>'Trường Album ảnh','Flexible Content Field'=>'Trường nội dung linh hoạt','Repeater Field'=>'Trường lặp lại','Unlock Extra Features with ACF PRO'=>'Mở khóa tính năng mở rộng với ACF PRO','Delete Field Group'=>'Xóa nhóm trường','Created on %1$s at %2$s'=>'Được tạo vào %1$s lúc %2$s','Group Settings'=>'Cài đặt nhóm','Location Rules'=>'Quy tắc vị trí','Choose from over 30 field types. Learn more.'=>'Chọn từ hơn 30 loại trường. Tìm hiểu thêm.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Bắt đầu tạo các trường tùy chỉnh mới cho bài viết, trang, loại nội dung tùy chỉnh và nội dung WordPress khác của bạn.','Add Your First Field'=>'Thêm trường đầu tiên của bạn','#'=>'#','Add Field'=>'Thêm trường','Presentation'=>'Trình bày','Validation'=>'Xác thực','General'=>'Tổng quan','Import JSON'=>'Nhập JSON','Export As JSON'=>'Xuất JSON','Field group deactivated.'=>'Nhóm trường %s đã bị ngừng kích hoạt.','Field group activated.'=>'Nhóm trường %s đã được kích hoạt.','Deactivate'=>'Ngừng kích hoạt','Deactivate this item'=>'Ngừng kích hoạt mục này','Activate'=>'Kích hoạt','Activate this item'=>'Kích hoạt mục này','Move field group to trash?'=>'Chuyển nhóm trường vào thùng rác?','post statusInactive'=>'Không hoạt động','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields và Advanced Custom Fields PRO không nên hoạt động cùng một lúc. Chúng tôi đã tự động tắt Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields và Advanced Custom Fields PRO không nên hoạt động cùng một lúc. Chúng tôi đã tự động tắt Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Chúng tôi đã phát hiện một hoặc nhiều cuộc gọi để lấy giá trị trường ACF trước khi ACF được khởi tạo. Điều này không được hỗ trợ và có thể dẫn đến dữ liệu bị hỏng hoặc thiếu. Tìm hiểu cách khắc phục điều này.','%1$s must have a user with the %2$s role.'=>'%1$s phải có một người dùng với vai trò %2$s.','%1$s must have a valid user ID.'=>'%1$s phải có một ID người dùng hợp lệ.','Invalid request.'=>'Yêu cầu không hợp lệ.','%1$s is not one of %2$s'=>'%1$s không phải là một trong %2$s','%1$s must have term %2$s.'=>'%1$s phải có mục phân loại %2$s.','%1$s must be of post type %2$s.'=>'%1$s phải là loại nội dung %2$s.','%1$s must have a valid post ID.'=>'%1$s phải có một ID bài viết hợp lệ.','%s requires a valid attachment ID.'=>'%s yêu cầu một ID đính kèm hợp lệ.','Show in REST API'=>'Hiển thị trong REST API','Enable Transparency'=>'Kích hoạt tính trong suốt','RGBA Array'=>'Array RGBA','RGBA String'=>'Chuỗi RGBA','Hex String'=>'Chuỗi Hex','Upgrade to PRO'=>'Nâng cấp lên PRO','post statusActive'=>'Hoạt động','\'%s\' is not a valid email address'=>'\'%s\' không phải là một địa chỉ email hợp lệ','Color value'=>'Giá trị màu','Select default color'=>'Chọn màu mặc định','Clear color'=>'Xóa màu','Blocks'=>'Khối','Options'=>'Tùy chọn','Users'=>'Người dùng','Menu items'=>'Mục menu','Widgets'=>'Tiện ích','Attachments'=>'Đính kèm các tệp','Taxonomies'=>'Phân loại','Posts'=>'Bài viết','Last updated: %s'=>'Cập nhật lần cuối: %s','Sorry, this post is unavailable for diff comparison.'=>'Xin lỗi, bài viết này không khả dụng để so sánh diff.','Invalid field group parameter(s).'=>'Tham số nhóm trường không hợp lệ.','Awaiting save'=>'Đang chờ lưu','Saved'=>'Đã lưu','Import'=>'Nhập','Review changes'=>'Xem xét thay đổi','Located in: %s'=>'Đặt tại: %s','Located in plugin: %s'=>'Đặt trong plugin: %s','Located in theme: %s'=>'Đặt trong giao diện: %s','Various'=>'Đa dạng','Sync changes'=>'Đồng bộ hóa thay đổi','Loading diff'=>'Đang tải diff','Review local JSON changes'=>'Xem xét thay đổi JSON cục bộ','Visit website'=>'Truy cập trang web','View details'=>'Xem chi tiết','Version %s'=>'Phiên bản %s','Information'=>'Thông tin','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Bàn Giúp đỡ. Các chuyên viên hỗ trợ tại Bàn Giúp đỡ của chúng tôi sẽ giúp bạn giải quyết các thách thức kỹ thuật sâu hơn.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Thảo luận. Chúng tôi có một cộng đồng năng động và thân thiện trên Diễn đàn Cộng đồng của chúng tôi, có thể giúp bạn tìm hiểu \'cách làm\' trong thế giới ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Tài liệu. Tài liệu rộng lớn của chúng tôi chứa các tài liệu tham khảo và hướng dẫn cho hầu hết các tình huống bạn có thể gặp phải.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Chúng tôi rất cuồng nhiệt về hỗ trợ, và muốn bạn có được những điều tốt nhất từ trang web của bạn với ACF. Nếu bạn gặp bất kỳ khó khăn nào, có một số nơi bạn có thể tìm kiếm sự giúp đỡ:','Help & Support'=>'Giúp đỡ & Hỗ trợ','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Vui lòng sử dụng tab Giúp đỡ & Hỗ trợ để liên hệ nếu bạn cần sự hỗ trợ.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Trước khi tạo Nhóm Trường đầu tiên của bạn, chúng tôi khuyên bạn nên đọc hướng dẫn Bắt đầu của chúng tôi để làm quen với triết lý và các phương pháp tốt nhất của plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Plugin Advanced Custom Fields cung cấp một trình xây dựng form trực quan để tùy chỉnh màn hình chỉnh sửa WordPress với các trường bổ sung, và một API trực quan để hiển thị giá trị trường tùy chỉnh trong bất kỳ tệp mẫu giao diện nào.','Overview'=>'Tổng quan','Location type "%s" is already registered.'=>'Loại vị trí "%s" đã được đăng ký.','Class "%s" does not exist.'=>'Lớp "%s" không tồn tại.','Invalid nonce.'=>'Số lần không hợp lệ.','Error loading field.'=>'Lỗi tải trường.','Error: %s'=>'Lỗi: %s','Widget'=>'Tiện ích','User Role'=>'Vai trò người dùng','Comment'=>'Bình luận','Post Format'=>'Định dạng bài viết','Menu Item'=>'Mục menu','Post Status'=>'Trang thái bài viết','Menus'=>'Menus','Menu Locations'=>'Vị trí menu','Menu'=>'Menu','Post Taxonomy'=>'Phân loại bài viết','Child Page (has parent)'=>'Trang con (có trang cha)','Parent Page (has children)'=>'Trang cha (có trang con)','Top Level Page (no parent)'=>'Trang cấp cao nhất (không có trang cha)','Posts Page'=>'Trang bài viết','Front Page'=>'Trang chủ','Page Type'=>'Loại trang','Viewing back end'=>'Đang xem phía sau','Viewing front end'=>'Đang xem phía trước','Logged in'=>'Đã đăng nhập','Current User'=>'Người dùng hiện tại','Page Template'=>'Mẫu trang','Register'=>'Register','Add / Edit'=>'Thêm / Chỉnh sửa','User Form'=>'Form người dùng','Page Parent'=>'Trang cha','Super Admin'=>'Quản trị viên cấp cao','Current User Role'=>'Vai trò người dùng hiện tại','Default Template'=>'Mẫu mặc định','Post Template'=>'Mẫu bài viết','Post Category'=>'Danh mục bài viết','All %s formats'=>'Tất cả %s các định dạng','Attachment'=>'Đính kèm tệp','%s value is required'=>'%s giá trị là bắt buộc','Show this field if'=>'Hiển thị trường này nếu','Conditional Logic'=>'Điều kiện logic','and'=>'và','Local JSON'=>'JSON cục bộ','Clone Field'=>'Trường tạo bản sao','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Vui lòng cũng kiểm tra tất cả các tiện ích mở rộng cao cấp (%s) đã được cập nhật lên phiên bản mới nhất.','This version contains improvements to your database and requires an upgrade.'=>'Phiên bản này chứa các cải tiến cho cơ sở dữ liệu của bạn và yêu cầu nâng cấp.','Thank you for updating to %1$s v%2$s!'=>'Cảm ơn bạn đã cập nhật lên %1$s v%2$s!','Database Upgrade Required'=>'Yêu cầu Nâng cấp Cơ sở dữ liệu','Options Page'=>'Trang cài đặt','Gallery'=>'Album ảnh','Flexible Content'=>'Nội dung linh hoạt','Repeater'=>'Lặp lại','Back to all tools'=>'Quay lại tất cả các công cụ','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)'=>'Nếu nhiều nhóm trường xuất hiện trên màn hình chỉnh sửa, các tùy chọn của nhóm trường đầu tiên sẽ được sử dụng (nhóm có số thứ tự thấp nhất)','Select items to hide them from the edit screen.'=>'Chọn các mục để ẩn chúng khỏi màn hình chỉnh sửa.','Hide on screen'=>'Ẩn trên màn hình','Send Trackbacks'=>'Gửi theo dõi liên kết','Tags'=>'Thẻ tag','Categories'=>'Danh mục','Page Attributes'=>'Thuộc tính trang','Format'=>'Định dạng','Author'=>'Tác giả','Slug'=>'Đường dẫn cố định','Revisions'=>'Bản sửa đổi','Comments'=>'Bình luận','Discussion'=>'Thảo luận','Excerpt'=>'Tóm tắt','Content Editor'=>'Trình chỉnh sửa nội dung','Permalink'=>'Liên kết cố định','Shown in field group list'=>'Hiển thị trong danh sách nhóm trường','Field groups with a lower order will appear first'=>'Nhóm trường có thứ tự thấp hơn sẽ xuất hiện đầu tiên','Order No.'=>'Số thứ tự','Below fields'=>'Các trường bên dưới','Below labels'=>'Dưới các nhãn','Instruction Placement'=>'Vị trí hướng dẫn','Label Placement'=>'Vị trí nhãn','Side'=>'Thanh bên','Normal (after content)'=>'Bình thường (sau nội dung)','High (after title)'=>'Cao (sau tiêu đề)','Position'=>'Vị trí','Seamless (no metabox)'=>'Liền mạch (không có metabox)','Standard (WP metabox)'=>'Tiêu chuẩn (WP metabox)','Style'=>'Kiểu','Type'=>'Loại','Key'=>'Khóa','Order'=>'Đặt hàng','Close Field'=>'Thoát trường','id'=>'id','class'=>'lớp','width'=>'chiều rộng','Wrapper Attributes'=>'Thuộc tính bao bọc','Required'=>'Yêu cầu','Instructions'=>'Hướng dẫn','Field Type'=>'Loại trường','Single word, no spaces. Underscores and dashes allowed'=>'Một từ, không có khoảng trắng. Cho phép dấu gạch dưới và dấu gạch ngang','Field Name'=>'Tên trường','This is the name which will appear on the EDIT page'=>'Đây là tên sẽ xuất hiện trên trang CHỈNH SỬA','Field Label'=>'Nhãn trường','Delete'=>'Xóa','Delete field'=>'Xóa trường','Move'=>'Di chuyển','Move field to another group'=>'Di chuyển trường sang nhóm khác','Duplicate field'=>'Trường Tạo bản sao','Edit field'=>'Chỉnh sửa trường','Drag to reorder'=>'Kéo để sắp xếp lại','Show this field group if'=>'Hiển thị nhóm trường này nếu','No updates available.'=>'Không có bản cập nhật nào.','Database upgrade complete. See what\'s new'=>'Nâng cấp cơ sở dữ liệu hoàn tất. Xem những gì mới','Reading upgrade tasks...'=>'Đang đọc các tác vụ nâng cấp...','Upgrade failed.'=>'Nâng cấp thất bại.','Upgrade complete.'=>'Nâng cấp hoàn tất.','Upgrading data to version %s'=>'Đang nâng cấp dữ liệu lên phiên bản %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Chúng tôi khuyến nghị bạn nên sao lưu cơ sở dữ liệu trước khi tiếp tục. Bạn có chắc chắn muốn chạy trình cập nhật ngay bây giờ không?','Please select at least one site to upgrade.'=>'Vui lòng chọn ít nhất một trang web để nâng cấp.','Database Upgrade complete. Return to network dashboard'=>'Nâng cấp Cơ sở dữ liệu hoàn tất. Quay lại bảng điều khiển mạng','Site is up to date'=>'Trang web đã được cập nhật','Site requires database upgrade from %1$s to %2$s'=>'Trang web yêu cầu nâng cấp cơ sở dữ liệu từ %1$s lên %2$s','Site'=>'Trang web','Upgrade Sites'=>'Nâng cấp trang web','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Các trang web sau đây yêu cầu nâng cấp DB. Kiểm tra những trang web bạn muốn cập nhật và sau đó nhấp %s.','Add rule group'=>'Thêm nhóm quy tắc','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Tạo một tập quy tắc để xác định màn hình chỉnh sửa nào sẽ sử dụng các trường tùy chỉnh nâng cao này','Rules'=>'Quy tắc','Copied'=>'Đã sao chép','Copy to clipboard'=>'Sao chép vào bảng nhớ tạm','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Chọn các mục bạn muốn xuất và sau đó chọn phương pháp xuất của bạn. Xuất dưới dạng JSON để xuất ra tệp .json mà sau đó bạn có thể nhập vào cài đặt ACF khác. Tạo PHP để xuất ra mã PHP mà bạn có thể đặt trong giao diện của mình.','Select Field Groups'=>'Chọn nhóm trường','No field groups selected'=>'Không có nhóm trường nào được chọn','Generate PHP'=>'Xuất PHP','Export Field Groups'=>'Xuất nhóm trường','Import file empty'=>'Tệp nhập trống','Incorrect file type'=>'Loại tệp không chính xác','Error uploading file. Please try again'=>'Lỗi tải lên tệp. Vui lòng thử lại','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Chọn tệp JSON Advanced Custom Fields mà bạn muốn nhập. Khi bạn nhấp vào nút nhập dưới đây, ACF sẽ nhập các mục trong tệp đó.','Import Field Groups'=>'Nhập nhóm trường','Sync'=>'Đồng bộ','Select %s'=>'Lự chọn %s','Duplicate'=>'Tạo bản sao','Duplicate this item'=>'Tạo bản sao mục này','Supports'=>'Hỗ trợ','Documentation'=>'Tài liệu hướng dẫn','Description'=>'Mô tả','Sync available'=>'Đồng bộ hóa có sẵn','Field group synchronized.'=>'Các nhóm trường %s đã được đồng bộ hóa.','Field group duplicated.'=>'%s nhóm trường bị trùng lặp.','Active (%s)'=>'Kích hoạt (%s)','Review sites & upgrade'=>'Xem xét các trang web & nâng cấp','Upgrade Database'=>'Nâng cấp cơ sở dữ liệu','Custom Fields'=>'Trường tùy chỉnh','Move Field'=>'Di chuyển trường','Please select the destination for this field'=>'Vui lòng chọn điểm đến cho trường này','The %1$s field can now be found in the %2$s field group'=>'Trường %1$s giờ đây có thể được tìm thấy trong nhóm trường %2$s','Move Complete.'=>'Di chuyển hoàn tất.','Active'=>'Hoạt động','Field Keys'=>'Khóa trường','Settings'=>'Cài đặt','Location'=>'Vị trí','Null'=>'Giá trị rỗng','copy'=>'sao chép','(this field)'=>'(trường này)','Checked'=>'Đã kiểm tra','Move Custom Field'=>'Di chuyển trường tùy chỉnh','No toggle fields available'=>'Không có trường chuyển đổi nào','Field group title is required'=>'Tiêu đề nhóm trường là bắt buộc','This field cannot be moved until its changes have been saved'=>'Trường này không thể di chuyển cho đến khi các thay đổi của nó đã được lưu','The string "field_" may not be used at the start of a field name'=>'Chuỗi "field_" không được sử dụng ở đầu tên trường','Field group draft updated.'=>'Bản nháp nhóm trường đã được cập nhật.','Field group scheduled for.'=>'Nhóm trường đã được lên lịch.','Field group submitted.'=>'Nhóm trường đã được gửi.','Field group saved.'=>'Nhóm trường đã được lưu.','Field group published.'=>'Nhóm trường đã được xuất bản.','Field group deleted.'=>'Nhóm trường đã bị xóa.','Field group updated.'=>'Nhóm trường đã được cập nhật.','Tools'=>'Công cụ','is not equal to'=>'không bằng với','is equal to'=>'bằng với','Forms'=>'Biểu mẫu','Page'=>'Trang','Post'=>'Bài viết','Relational'=>'Quan hệ','Choice'=>'Lựa chọn','Basic'=>'Cơ bản','Unknown'=>'Không rõ','Field type does not exist'=>'Loại trường không tồn tại','Spam Detected'=>'Phát hiện spam','Post updated'=>'Bài viết đã được cập nhật','Update'=>'Cập nhật','Validate Email'=>'Xác thực Email','Content'=>'Nội dung','Title'=>'Tiêu đề','Edit field group'=>'Chỉnh sửa nhóm trường','Selection is less than'=>'Lựa chọn ít hơn','Selection is greater than'=>'Lựa chọn nhiều hơn','Value is less than'=>'Giá trị nhỏ hơn','Value is greater than'=>'Giá trị lớn hơn','Value contains'=>'Giá trị chứa','Value matches pattern'=>'Giá trị phù hợp với mô hình','Value is not equal to'=>'Giá trị không bằng với','Value is equal to'=>'Giá trị bằng với','Has no value'=>'Không có giá trị','Has any value'=>'Có bất kỳ giá trị nào','Cancel'=>'Hủy','Are you sure?'=>'Bạn có chắc không?','%d fields require attention'=>'%d trường cần chú ý','1 field requires attention'=>'1 trường cần chú ý','Validation failed'=>'Xác thực thất bại','Validation successful'=>'Xác thực thành công','Restricted'=>'Bị hạn chế','Collapse Details'=>'Thu gọn chi tiết','Expand Details'=>'Mở rộng chi tiết','Uploaded to this post'=>'Đã tải lên bài viết này','verbUpdate'=>'Cập nhật','verbEdit'=>'Chỉnh sửa','The changes you made will be lost if you navigate away from this page'=>'Những thay đổi bạn đã thực hiện sẽ bị mất nếu bạn điều hướng ra khỏi trang này','File type must be %s.'=>'Loại tệp phải là %s.','or'=>'hoặc','File size must not exceed %s.'=>'Kích thước tệp không được vượt quá %s.','File size must be at least %s.'=>'Kích thước tệp phải ít nhất là %s.','Image height must not exceed %dpx.'=>'Chiều cao hình ảnh không được vượt quá %dpx.','Image height must be at least %dpx.'=>'Chiều cao hình ảnh phải ít nhất là %dpx.','Image width must not exceed %dpx.'=>'Chiều rộng hình ảnh không được vượt quá %dpx.','Image width must be at least %dpx.'=>'Chiều rộng hình ảnh phải ít nhất là %dpx.','(no title)'=>'(không tiêu đề)','Full Size'=>'Kích thước đầy đủ','Large'=>'Lớn','Medium'=>'Trung bình','Thumbnail'=>'Hình thu nhỏ','(no label)'=>'(không nhãn)','Sets the textarea height'=>'Đặt chiều cao của ô nhập liệu dạng văn bản','Rows'=>'Hàng','Text Area'=>'Vùng chứa văn bản','Prepend an extra checkbox to toggle all choices'=>'Thêm vào một hộp kiểm phụ để chuyển đổi tất cả các lựa chọn','Save \'custom\' values to the field\'s choices'=>'Lưu giá trị \'tùy chỉnh\' vào các lựa chọn của trường','Allow \'custom\' values to be added'=>'Cho phép thêm giá trị \'tùy chỉnh\'','Add new choice'=>'Thêm lựa chọn mới','Toggle All'=>'Chọn tất cả','Allow Archives URLs'=>'Cho phép URL lưu trữ','Archives'=>'Trang lưu trữ','Page Link'=>'Liên kết trang','Add'=>'Thêm','Name'=>'Tên','%s added'=>'%s đã được thêm','%s already exists'=>'%s đã tồn tại','User unable to add new %s'=>'Người dùng không thể thêm mới %s','Term ID'=>'ID mục phân loại','Term Object'=>'Đối tượng mục phân loại','Load value from posts terms'=>'Tải giá trị từ các mục phân loại bài viết','Load Terms'=>'Tải mục phân loại','Connect selected terms to the post'=>'Kết nối các mục phân loại đã chọn với bài viết','Save Terms'=>'Lưu mục phân loại','Allow new terms to be created whilst editing'=>'Cho phép tạo mục phân loại mới trong khi chỉnh sửa','Create Terms'=>'Tạo mục phân loại','Radio Buttons'=>'Các nút chọn','Single Value'=>'Giá trị đơn','Multi Select'=>'Chọn nhiều mục','Checkbox'=>'Hộp kiểm','Multiple Values'=>'Nhiều giá trị','Select the appearance of this field'=>'Chọn hiển thị của trường này','Appearance'=>'Hiển thị','Select the taxonomy to be displayed'=>'Chọn phân loại để hiển thị','No TermsNo %s'=>'Không %s','Value must be equal to or lower than %d'=>'Giá trị phải bằng hoặc thấp hơn %d','Value must be equal to or higher than %d'=>'Giá trị phải bằng hoặc cao hơn %d','Value must be a number'=>'Giá trị phải là một số','Number'=>'Dạng số','Save \'other\' values to the field\'s choices'=>'Lưu các giá trị \'khác\' vào lựa chọn của trường','Add \'other\' choice to allow for custom values'=>'Thêm lựa chọn \'khác\' để cho phép các giá trị tùy chỉnh','Other'=>'Khác','Radio Button'=>'Nút chọn','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Xác định một điểm cuối để accordion trước đó dừng lại. Accordion này sẽ không hiển thị.','Allow this accordion to open without closing others.'=>'Cho phép accordion này mở mà không đóng các accordion khác.','Multi-Expand'=>'Mở rộng đa dạng','Display this accordion as open on page load.'=>'Hiển thị accordion này như đang mở khi tải trang.','Open'=>'Mở','Accordion'=>'Mở rộng & Thu gọn','Restrict which files can be uploaded'=>'Hạn chế các tệp có thể tải lên','File ID'=>'ID tệp','File URL'=>'URL tệp','File Array'=>'Array tập tin','Add File'=>'Thêm tệp','No file selected'=>'Không có tệp nào được chọn','File name'=>'Tên tệp','Update File'=>'Cập nhật tệp tin','Edit File'=>'Sửa tệp tin','Select File'=>'Chọn tệp tin','File'=>'Tệp tin','Password'=>'Mật khẩu','Specify the value returned'=>'Chỉ định giá trị trả về','Use AJAX to lazy load choices?'=>'Sử dụng AJAX để tải lựa chọn một cách lười biếng?','Enter each default value on a new line'=>'Nhập mỗi giá trị mặc định trên một dòng mới','verbSelect'=>'Lựa chọn','Select2 JS load_failLoading failed'=>'Tải thất bại','Select2 JS searchingSearching…'=>'Đang tìm kiếm…','Select2 JS load_moreLoading more results…'=>'Đang tải thêm kết quả…','Select2 JS selection_too_long_nYou can only select %d items'=>'Bạn chỉ có thể chọn %d mục','Select2 JS selection_too_long_1You can only select 1 item'=>'Bạn chỉ có thể chọn 1 mục','Select2 JS input_too_long_nPlease delete %d characters'=>'Vui lòng xóa %d ký tự','Select2 JS input_too_long_1Please delete 1 character'=>'Vui lòng xóa 1 ký tự','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Vui lòng nhập %d ký tự hoặc nhiều hơn','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Vui lòng nhập 1 ký tự hoặc nhiều hơn','Select2 JS matches_0No matches found'=>'Không tìm thấy kết quả phù hợp','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d kết quả có sẵn, sử dụng các phím mũi tên lên và xuống để điều hướng.','Select2 JS matches_1One result is available, press enter to select it.'=>'Có một kết quả, nhấn enter để chọn.','nounSelect'=>'Lựa chọn','User ID'=>'ID Người dùng','User Object'=>'Đối tượng người dùng','User Array'=>'Array người dùng','All user roles'=>'Tất cả vai trò người dùng','Filter by Role'=>'Lọc theo Vai trò','User'=>'Người dùng','Separator'=>'Dấu phân cách','Select Color'=>'Chọn màu','Default'=>'Mặc định','Clear'=>'Xóa','Color Picker'=>'Bộ chọn màu','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'CH','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'SA','Date Time Picker JS selectTextSelect'=>'Chọn','Date Time Picker JS closeTextDone'=>'Hoàn tất','Date Time Picker JS currentTextNow'=>'Bây giờ','Date Time Picker JS timezoneTextTime Zone'=>'Múi giờ','Date Time Picker JS microsecTextMicrosecond'=>'Micro giây','Date Time Picker JS millisecTextMillisecond'=>'Mili giây','Date Time Picker JS secondTextSecond'=>'Giây','Date Time Picker JS minuteTextMinute'=>'Phút','Date Time Picker JS hourTextHour'=>'Giờ','Date Time Picker JS timeTextTime'=>'Thời gian','Date Time Picker JS timeOnlyTitleChoose Time'=>'Chọn thời gian','Date Time Picker'=>'Công cụ chọn ngày giờ','Endpoint'=>'Điểm cuối','Left aligned'=>'Căn lề trái','Top aligned'=>'Căn lề trên','Placement'=>'Vị trí','Tab'=>'Tab','Value must be a valid URL'=>'Giá trị phải là URL hợp lệ','Link URL'=>'URL liên kết','Link Array'=>'Array liên kết','Opens in a new window/tab'=>'Mở trong cửa sổ/tab mới','Select Link'=>'Chọn liên kết','Link'=>'Liên kết','Email'=>'Email','Step Size'=>'Kích thước bước','Maximum Value'=>'Giá trị tối đa','Minimum Value'=>'Giá trị tối thiểu','Range'=>'Thanh trượt phạm vi','Both (Array)'=>'Cả hai (Array)','Label'=>'Nhãn','Value'=>'Giá trị','Vertical'=>'Dọc','Horizontal'=>'Ngang','red : Red'=>'red : Đỏ','For more control, you may specify both a value and label like this:'=>'Để kiểm soát nhiều hơn, bạn có thể chỉ định cả giá trị và nhãn như thế này:','Enter each choice on a new line.'=>'Nhập mỗi lựa chọn trên một dòng mới.','Choices'=>'Lựa chọn','Button Group'=>'Nhóm nút','Allow Null'=>'Cho phép để trống','Parent'=>'Cha','TinyMCE will not be initialized until field is clicked'=>'TinyMCE sẽ không được khởi tạo cho đến khi trường được nhấp','Delay Initialization'=>'Trì hoãn khởi tạo','Show Media Upload Buttons'=>'Hiển thị nút tải lên Media','Toolbar'=>'Thanh công cụ','Text Only'=>'Chỉ văn bản','Visual Only'=>'Chỉ hình ảnh','Visual & Text'=>'Trực quan & văn bản','Tabs'=>'Tab','Click to initialize TinyMCE'=>'Nhấp để khởi tạo TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Văn bản','Visual'=>'Trực quan','Value must not exceed %d characters'=>'Giá trị không được vượt quá %d ký tự','Leave blank for no limit'=>'Để trống nếu không giới hạn','Character Limit'=>'Giới hạn ký tự','Appears after the input'=>'Xuất hiện sau khi nhập','Append'=>'Thêm vào','Appears before the input'=>'Xuất hiện trước đầu vào','Prepend'=>'Thêm vào đầu','Appears within the input'=>'Xuất hiện trong đầu vào','Placeholder Text'=>'Văn bản gợi ý','Appears when creating a new post'=>'Xuất hiện khi tạo một bài viết mới','Text'=>'Văn bản','%1$s requires at least %2$s selection'=>'%1$s yêu cầu ít nhất %2$s lựa chọn','Post ID'=>'ID bài viết','Post Object'=>'Đối tượng bài viết','Maximum Posts'=>'Số bài viết tối đa','Minimum Posts'=>'Số bài viết tối thiểu','Featured Image'=>'Ảnh đại diện','Selected elements will be displayed in each result'=>'Các phần tử đã chọn sẽ được hiển thị trong mỗi kết quả','Elements'=>'Các phần tử','Taxonomy'=>'Phân loại','Post Type'=>'Loại nội dung','Filters'=>'Bộ lọc','All taxonomies'=>'Tất cả các phân loại','Filter by Taxonomy'=>'Lọc theo phân loại','All post types'=>'Tất cả loại nội dung','Filter by Post Type'=>'Lọc theo loại nội dung','Search...'=>'Tìm kiếm...','Select taxonomy'=>'Chọn phân loại','Select post type'=>'Chọn loại nội dung','No matches found'=>'Không tìm thấy kết quả nào','Loading'=>'Đang tải','Maximum values reached ( {max} values )'=>'Đã đạt giá trị tối đa ( {max} giá trị )','Relationship'=>'Mối quan hệ','Comma separated list. Leave blank for all types'=>'Danh sách được phân tách bằng dấu phẩy. Để trống cho tất cả các loại','Allowed File Types'=>'Loại tệp được phép','Maximum'=>'Tối đa','File size'=>'Kích thước tệp','Restrict which images can be uploaded'=>'Hạn chế hình ảnh nào có thể được tải lên','Minimum'=>'Tối thiểu','Uploaded to post'=>'Đã tải lên bài viết','All'=>'Tất cả','Limit the media library choice'=>'Giới hạn lựa chọn thư viện phương tiện','Library'=>'Thư viện','Preview Size'=>'Kích thước xem trước','Image ID'=>'ID Hình ảnh','Image URL'=>'URL Hình ảnh','Image Array'=>'Array hình ảnh','Specify the returned value on front end'=>'Chỉ định giá trị trả về ở phía trước','Return Value'=>'Giá trị trả về','Add Image'=>'Thêm hình ảnh','No image selected'=>'Không có hình ảnh được chọn','Remove'=>'Xóa','Edit'=>'Chỉnh sửa','All images'=>'Tất cả hình ảnh','Update Image'=>'Cập nhật hình ảnh','Edit Image'=>'Chỉnh sửa hình ảnh','Select Image'=>'Chọn hình ảnh','Image'=>'Hình ảnh','Allow HTML markup to display as visible text instead of rendering'=>'Cho phép đánh dấu HTML hiển thị dưới dạng văn bản hiển thị thay vì hiển thị','Escape HTML'=>'Escape HTML','No Formatting'=>'Không định dạng','Automatically add <br>'=>'Tự động thêm <br>','Automatically add paragraphs'=>'Tự động thêm đoạn văn','Controls how new lines are rendered'=>'Điều khiển cách hiển thị các dòng mới','New Lines'=>'Dòng mới','Week Starts On'=>'Tuần bắt đầu vào','The format used when saving a value'=>'Định dạng được sử dụng khi lưu một giá trị','Save Format'=>'Định dạng lưu','Date Picker JS weekHeaderWk'=>'Tuần','Date Picker JS prevTextPrev'=>'Trước','Date Picker JS nextTextNext'=>'Tiếp theo','Date Picker JS currentTextToday'=>'Hôm nay','Date Picker JS closeTextDone'=>'Hoàn tất','Date Picker'=>'Công cụ chọn ngày','Width'=>'Chiều rộng','Embed Size'=>'Kích thước nhúng','Enter URL'=>'Nhập URL','oEmbed'=>'Nhúng','Text shown when inactive'=>'Văn bản hiển thị khi không hoạt động','Off Text'=>'Văn bản tắt','Text shown when active'=>'Văn bản hiển thị khi hoạt động','On Text'=>'Văn bản bật','Stylized UI'=>'Giao diện người dùng được tạo kiểu','Default Value'=>'Giá trị mặc định','Displays text alongside the checkbox'=>'Hiển thị văn bản cùng với hộp kiểm','Message'=>'Hiển thị thông điệp','No'=>'Không','Yes'=>'Có','True / False'=>'Đúng / Sai','Row'=>'Hàng','Table'=>'Bảng','Block'=>'Khối','Specify the style used to render the selected fields'=>'Chỉ định kiểu được sử dụng để hiển thị các trường đã chọn','Layout'=>'Bố cục','Sub Fields'=>'Các trường phụ','Group'=>'Nhóm','Customize the map height'=>'Tùy chỉnh chiều cao bản đồ','Height'=>'Chiều cao','Set the initial zoom level'=>'Đặt mức zoom ban đầu','Zoom'=>'Phóng to','Center the initial map'=>'Trung tâm bản đồ ban đầu','Center'=>'Trung tâm','Search for address...'=>'Tìm kiếm địa chỉ...','Find current location'=>'Tìm vị trí hiện tại','Clear location'=>'Xóa vị trí','Search'=>'Tìm kiếm','Sorry, this browser does not support geolocation'=>'Xin lỗi, trình duyệt này không hỗ trợ định vị','Google Map'=>'Bản đồ Google','The format returned via template functions'=>'Định dạng được trả về qua các hàm mẫu','Return Format'=>'Định dạng trả về','Custom:'=>'Tùy chỉnh:','The format displayed when editing a post'=>'Định dạng hiển thị khi chỉnh sửa bài viết','Display Format'=>'Định dạng hiển thị','Time Picker'=>'Công cụ chọn thời gian','Inactive (%s)'=>'(%s) không hoạt động','No Fields found in Trash'=>'Không tìm thấy trường nào trong thùng rác','No Fields found'=>'Không tìm thấy trường nào','Search Fields'=>'Tìm kiếm các trường','View Field'=>'Xem trường','New Field'=>'Trường mới','Edit Field'=>'Chỉnh sửa trường','Add New Field'=>'Thêm trường mới','Field'=>'Trường','Fields'=>'Các trường','No Field Groups found in Trash'=>'Không tìm thấy nhóm trường nào trong thùng rác','No Field Groups found'=>'Không tìm thấy nhóm trường nào','Search Field Groups'=>'Tìm kiếm nhóm trường','View Field Group'=>'Xem nhóm trường','New Field Group'=>'Nhóm trường mới','Edit Field Group'=>'Chỉnh sửa nhóm trường','Add New Field Group'=>'Thêm nhóm trường mới','Add New'=>'Thêm mới','Field Group'=>'Nhóm trường','Field Groups'=>'Nhóm trường','Customize WordPress with powerful, professional and intuitive fields.'=>'Tùy chỉnh WordPress với các trường mạnh mẽ, chuyên nghiệp và trực quan.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'Tìm hiểu thêm','ACF was unable to perform validation because the provided nonce failed verification.'=>'ACF không thể thực hiện xác thực vì nonce được cung cấp không xác minh được.','ACF was unable to perform validation because no nonce was received by the server.'=>'ACF không thể thực hiện xác thực vì máy chủ không nhận được mã nonce.','are developed and maintained by'=>'được phát triển và duy trì bởi','Update Source'=>'Cập nhật nguồn','By default only admin users can edit this setting.'=>'Mặc định chỉ có người dùng quản trị mới có thể sửa cài đặt này.','By default only super admin users can edit this setting.'=>'Mặc định chỉ có người dùng siêu quản trị mới có thể sửa cài đặt này.','Close and Add Field'=>'Đóng và thêm trường','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Một tên hàm PHP sẽ được gọi để xử lý nội dung của một meta box trên taxonomy của bạn. Để đảm bảo an toàn, callback này sẽ được thực thi trong một ngữ cảnh đặc biệt mà không có quyền truy cập vào bất kỳ superglobal nào như $_POST hoặc $_GET.','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'Một tên hàm PHP sẽ được gọi khi thiết lập các hộp meta cho trang sửa. Để đảm bảo an toàn, hàm gọi lại này sẽ được thực thi trong một ngữ cảnh đặc biệt mà không có quyền truy cập vào bất kỳ siêu toàn cục nào như $_POST hoặc $_GET.','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'Cho phép truy cập giá trị trong giao diện trình chỉnh sửa','Learn more.'=>'Xem thêm.','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'Cho phép người chỉnh sửa nội dung truy cập và hiển thị giá trị của trường trong giao diện trình chỉnh sửa bằng cách sử dụng Block Bindings hoặc ACF Shortcode. %s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'Loại trường ACF được yêu cầu không hỗ trợ xuất trong Block Bindings hoặc ACF Shortcode.','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'Trường ACF được yêu cầu không được phép xuất trong bindings hoặc ACF Shortcode.','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'Loại trường ACF được yêu cầu không hỗ trợ xuất trong bindings hoặc ACF Shortcode.','[The ACF shortcode cannot display fields from non-public posts]'=>'[Shortcode ACF không thể hiển thị các trường từ các bài viết không công khai]','[The ACF shortcode is disabled on this site]'=>'[Shortcode ACF đã bị tắt trên trang web này]','Businessman Icon'=>'Biểu tượng doanh nhân','Forums Icon'=>'Biểu tượng diễn đàn','YouTube Icon'=>'Biểu tượng YouTube','Yes (alt) Icon'=>'Biểu tượng có (thay thế)','Xing Icon'=>'Biểu tượng Xing','WordPress (alt) Icon'=>'Biểu tượng WordPress (thay thế)','WhatsApp Icon'=>'Biểu tượng WhatsApp','Write Blog Icon'=>'Biểu tượng viết Blog','Widgets Menus Icon'=>'Biểu tượng Menu tiện ích','View Site Icon'=>'Xem biểu tượng trang web','Learn More Icon'=>'Biểu tượng tìm hiểu thêm','Add Page Icon'=>'Thêm biểu tượng trang','Video (alt3) Icon'=>'Biểu tượng Video (alt3)','Video (alt2) Icon'=>'Biểu tượng Video (alt2)','Video (alt) Icon'=>'Biểu tượng video (thay thế)','Update (alt) Icon'=>'Cập nhật biểu tượng (thay thế)','Universal Access (alt) Icon'=>'Biểu tượng truy cập toàn diện (alt)','Twitter (alt) Icon'=>'Biểu tượng Twitter (thay thế)','Twitch Icon'=>'Biểu tượng Twitch','Tide Icon'=>'Biểu tượng Tide','Tickets (alt) Icon'=>'Biểu tượng Tickets (thay thế)','Text Page Icon'=>'Biểu tượng trang văn bản','Table Row Delete Icon'=>'Biểu tượng xoá hàng trong bảng','Table Row Before Icon'=>'Biểu tượng trước hàng trong bảng','Table Row After Icon'=>'Biểu tượng sau hàng trong bảng','Table Col Delete Icon'=>'Biểu tượng xoá cột trong bảng','Table Col Before Icon'=>'Biểu tượng thêm cột trước','Table Col After Icon'=>'Biểu tượng thêm cột sau','Superhero (alt) Icon'=>'Biểu tượng siêu anh hùng (thay thế)','Superhero Icon'=>'Biểu tượng siêu anh hùng','Spotify Icon'=>'Biểu tượng Spotify','Shortcode Icon'=>'Biểu tượng mã ngắn (shortcode)','Shield (alt) Icon'=>'Biểu tượng khiên (thay thế)','Share (alt2) Icon'=>'Biểu tượng chia sẻ (alt2)','Share (alt) Icon'=>'Biểu tượng chia sẻ (thay thế)','Saved Icon'=>'Biểu tượng đã lưu','RSS Icon'=>'Biểu tượng RSS','REST API Icon'=>'Biểu tượng REST API','Remove Icon'=>'Xóa biểu tượng','Reddit Icon'=>'Biểu tượng Reddit','Privacy Icon'=>'Biểu tượng quyền riêng tư','Printer Icon'=>'Biểu tượng máy in','Podio Icon'=>'Biểu tượng Podio','Plus (alt2) Icon'=>'Biểu tượng dấu cộng (alt2)','Plus (alt) Icon'=>'Biểu tượng dấu cộng (thay thế)','Plugins Checked Icon'=>'Biểu tượng đã kiểm tra plugin','Pinterest Icon'=>'Biểu tượng Pinterest','Pets Icon'=>'Biểu tượng thú cưng','PDF Icon'=>'Biểu tượng PDF','Palm Tree Icon'=>'Biểu tượng cây cọ','Open Folder Icon'=>'Biểu tượng mở thư mục','No (alt) Icon'=>'Không có biểu tượng (thay thế)','Money (alt) Icon'=>'Biểu tượng tiền (thay thế)','Menu (alt3) Icon'=>'Biểu tượng Menu (alt3)','Menu (alt2) Icon'=>'Biểu tượng Menu (alt2)','Menu (alt) Icon'=>'Biểu tượng Menu (alt)','Spreadsheet Icon'=>'Biểu tượng bảng tính','Interactive Icon'=>'Biểu tượng tương tác','Document Icon'=>'Biểu tượng tài liệu','Default Icon'=>'Biểu tượng mặc định','Location (alt) Icon'=>'Biểu tượng vị trí (thay thế)','LinkedIn Icon'=>'Biểu tượng LinkedIn','Instagram Icon'=>'Biểu tượng Instagram','Insert Before Icon'=>'Chèn trước biểu tượng','Insert After Icon'=>'Chèn sau biểu tượng','Insert Icon'=>'Thêm Icon','Info Outline Icon'=>'Biểu tượng đường viền thông tin','Images (alt2) Icon'=>'Biểu tượng ảnh (alt2)','Images (alt) Icon'=>'Biểu tượng ảnh (alt)','Rotate Right Icon'=>'Biểu tượng xoay phải','Rotate Left Icon'=>'Biểu tượng xoay trái','Rotate Icon'=>'Xoay biểu tượng','Flip Vertical Icon'=>'Biểu tượng lật dọc','Flip Horizontal Icon'=>'Biểu tượng lật ngang','Crop Icon'=>'Biểu tượng cắt','ID (alt) Icon'=>'Biểu tượng ID (thay thế)','HTML Icon'=>'Biểu tượng HTML','Hourglass Icon'=>'Biểu tượng đồng hồ cát','Heading Icon'=>'Biểu tượng tiêu đề','Google Icon'=>'Biểu tượng Google','Games Icon'=>'Biểu tượng trò chơi','Fullscreen Exit (alt) Icon'=>'Biểu tượng thoát toàn màn hình (alt)','Fullscreen (alt) Icon'=>'Biểu tượng toàn màn hình (alt)','Status Icon'=>'Biểu tượng trạng thái','Image Icon'=>'Biểu tượng ảnh','Gallery Icon'=>'Biểu tượng album ảnh','Chat Icon'=>'Biểu tượng trò chuyện','Audio Icon'=>'Biểu tượng âm thanh','Aside Icon'=>'Biểu tượng Aside','Food Icon'=>'Biểu tượng ẩm thực','Exit Icon'=>'Biểu tượng thoát','Excerpt View Icon'=>'Biểu tượng xem tóm tắt','Embed Video Icon'=>'Biểu tượng nhúng video','Embed Post Icon'=>'Biểu tượng nhúng bài viết','Embed Photo Icon'=>'Biểu tượng nhúng ảnh','Embed Generic Icon'=>'Biểu tượng nhúng chung','Embed Audio Icon'=>'Biểu tượng nhúng âm thanh','Email (alt2) Icon'=>'Biểu tượng Email (alt2)','Ellipsis Icon'=>'Biểu tượng dấu ba chấm','Unordered List Icon'=>'Biểu tượng danh sách không thứ tự','RTL Icon'=>'Biểu tượng RTL','Ordered List RTL Icon'=>'Biểu tượng danh sách thứ tự RTL','Ordered List Icon'=>'Biểu tượng danh sách có thứ tự','LTR Icon'=>'Biểu tượng LTR','Custom Character Icon'=>'Biểu tượng ký tự tùy chỉnh','Edit Page Icon'=>'Sửa biểu tượng trang','Edit Large Icon'=>'Sửa biểu tượng lớn','Drumstick Icon'=>'Biểu tượng dùi trống','Database View Icon'=>'Biểu tượng xem cơ sở dữ liệu','Database Remove Icon'=>'Biểu tượng gỡ bỏ cơ sở dữ liệu','Database Import Icon'=>'Biểu tượng nhập cơ sở dữ liệu','Database Export Icon'=>'Biểu tượng xuất cơ sở dữ liệu','Database Add Icon'=>'Biểu tượng thêm cơ sở dữ liệu','Database Icon'=>'Biểu tượng cơ sở dữ liệu','Cover Image Icon'=>'Biểu tượng ảnh bìa','Volume On Icon'=>'Biểu tượng bật âm lượng','Volume Off Icon'=>'Biểu tượng tắt âm lượng','Skip Forward Icon'=>'Biểu tượng bỏ qua chuyển tiếp','Skip Back Icon'=>'Biểu tượng quay lại','Repeat Icon'=>'Biểu tượng lặp lại','Play Icon'=>'Biểu tượng Play','Pause Icon'=>'Biểu tượng tạm dừng','Forward Icon'=>'Biểu tượng chuyển tiếp','Back Icon'=>'Biểu tượng quay lại','Columns Icon'=>'Biểu tượng cột','Color Picker Icon'=>'Biểu tượng chọn màu','Coffee Icon'=>'Biểu tượng cà phê','Code Standards Icon'=>'Biểu tượng tiêu chuẩn mã','Cloud Upload Icon'=>'Biểu tượng tải lên đám mây','Cloud Saved Icon'=>'Biểu tượng lưu trên đám mây','Car Icon'=>'Biểu tượng xe hơi','Camera (alt) Icon'=>'Biểu tượng máy ảnh (thay thế)','Calculator Icon'=>'Biểu tượng máy tính (calculator)','Button Icon'=>'Biểu tượng nút','Businessperson Icon'=>'Biểu tượng doanh nhân','Tracking Icon'=>'Biểu tượng theo dõi','Topics Icon'=>'Biểu tượng chủ đề','Replies Icon'=>'Biểu tượng trả lời','PM Icon'=>'Biểu tượng PM','Friends Icon'=>'Biểu tượng bạn bè','Community Icon'=>'Biểu tượng cộng đồng','BuddyPress Icon'=>'Biểu tượng BuddyPress','bbPress Icon'=>'Biểu tượng BbPress','Activity Icon'=>'Biểu tượng hoạt động','Book (alt) Icon'=>'Biểu tượng sách (thay thế)','Block Default Icon'=>'Biểu tượng khối mặc định','Bell Icon'=>'Biểu tượng chuông','Beer Icon'=>'Biểu tượng bia','Bank Icon'=>'Biểu tượng ngân hàng','Arrow Up (alt2) Icon'=>'Biểu tượng mũi tên lên (alt2)','Arrow Up (alt) Icon'=>'Biểu tượng mũi tên lên (alt)','Arrow Right (alt2) Icon'=>'Biểu tượng mũi tên phải (alt2)','Arrow Right (alt) Icon'=>'Biểu tượng mũi tên sang phải (thay thế)','Arrow Left (alt2) Icon'=>'Biểu tượng mũi tên trái (alt2)','Arrow Left (alt) Icon'=>'Biểu tượng mũi tên trái (alt)','Arrow Down (alt2) Icon'=>'Biểu tượng mũi tên xuống (alt2)','Arrow Down (alt) Icon'=>'Biểu tượng mũi tên xuống (alt)','Amazon Icon'=>'Biểu tượng Amazon','Align Wide Icon'=>'Biểu tượng căn rộng','Align Pull Right Icon'=>'Biểu tượng căn phải','Align Pull Left Icon'=>'Căn chỉnh biểu tượng kéo sang trái','Align Full Width Icon'=>'Biểu tượng căn chỉnh toàn chiều rộng','Airplane Icon'=>'Biểu tượng máy bay','Site (alt3) Icon'=>'Biểu tượng trang web (alt3)','Site (alt2) Icon'=>'Biểu tượng trang web (alt2)','Site (alt) Icon'=>'Biểu tượng trang web (thay thế)','Upgrade to ACF PRO to create options pages in just a few clicks'=>'Cập nhật lên ACF pro để tạo các Trang cài đặt chỉ trong vài cú nhấp chuột','Invalid request args.'=>'Yêu cầu không hợp lệ của Args.','Sorry, you do not have permission to do that.'=>'Xin lỗi, bạn không được phép làm điều đó.','Blocks Using Post Meta'=>'Các bài viết sử dụng Post Meta','ACF PRO logo'=>'Lời bài hát: Acf Pro Logo','ACF PRO Logo'=>'Lời bài hát: Acf Pro Logo','%s requires a valid attachment ID when type is set to media_library.'=>'%s yêu cầu ID đính kèm hợp lệ khi loại được đặt thành media_library.','%s is a required property of acf.'=>'%s là thuộc tính bắt buộc của acf.','The value of icon to save.'=>'Giá trị của biểu tượng cần lưu.','The type of icon to save.'=>'Loại biểu tượng để lưu.','Yes Icon'=>'Biểu tượng có','WordPress Icon'=>'Biểu tượng WordPress','Warning Icon'=>'Biểu tượng cảnh báo','Visibility Icon'=>'Biểu tượng hiển thị','Vault Icon'=>'Biểu tượng két sắt','Upload Icon'=>'Biểu tượng tải lên','Update Icon'=>'Biểu tượng cập nhật','Unlock Icon'=>'Biểu tượng mở khóa','Universal Access Icon'=>'Biểu tượng truy cập toàn cầu','Undo Icon'=>'Biểu tượng hoàn tác','Twitter Icon'=>'Biểu tượng Twitter','Trash Icon'=>'Biểu tượng thùng rác','Translation Icon'=>'Biểu tượng dịch','Tickets Icon'=>'Biểu tượng vé Ticket','Thumbs Up Icon'=>'Biểu tượng thích','Thumbs Down Icon'=>'Biểu tượng ngón tay cái chỉ xuống','Text Icon'=>'Biểu tượng văn bản','Testimonial Icon'=>'Biểu tượng lời chứng thực','Tagcloud Icon'=>'Biểu tượng mây thẻ','Tag Icon'=>'Biểu tượng thẻ','Tablet Icon'=>'Biểu tượng máy tính bảng','Store Icon'=>'Biểu tượng cửa hàng','Sticky Icon'=>'Biểu tượng dính (sticky)','Star Half Icon'=>'Biểu tượng nửa ngôi sao','Star Filled Icon'=>'Biểu tượng đầy sao','Star Empty Icon'=>'Biểu tượng ngôi sao trống','Sos Icon'=>'Biểu tượng SOS','Sort Icon'=>'Biểu tượng sắp xếp','Smiley Icon'=>'Biểu tượng mặt cười','Smartphone Icon'=>'Biểu tượng điện thoại thông minh','Slides Icon'=>'Biểu tượng Slides','Shield Icon'=>'Biểu tượng khiên','Share Icon'=>'Biểu tượng chia sẻ','Search Icon'=>'Biểu tượng tìm kiếm','Screen Options Icon'=>'Biểu tượng tuỳ chọn trang','Schedule Icon'=>'Biểu tượng lịch trình','Redo Icon'=>'Biểu tượng làm lại','Randomize Icon'=>'Biểu tượng ngẫu nhiên','Products Icon'=>'Biểu tượng sản phẩm','Pressthis Icon'=>'Nhấn vào biểu tượng này','Post Status Icon'=>'Biểu tượng trạng thái bài viết','Portfolio Icon'=>'Biểu tượng danh mục đầu tư','Plus Icon'=>'Biểu tượng dấu cộng','Playlist Video Icon'=>'Biểu tượng danh sách video','Playlist Audio Icon'=>'Biểu tượng danh sách phát âm thanh','Phone Icon'=>'Biểu tượng điện thoại','Performance Icon'=>'Biểu tượng hiệu suất','Paperclip Icon'=>'Biểu tượng kẹp giấy','No Icon'=>'Không có biểu tượng','Networking Icon'=>'Biểu tượng mạng','Nametag Icon'=>'Biểu tượng thẻ tên','Move Icon'=>'Biểu tượng di chuyển','Money Icon'=>'Biểu tượng tiền','Minus Icon'=>'Biểu tượng trừ','Migrate Icon'=>'Biểu tượng di chuyển','Microphone Icon'=>'Biểu tượng Microphone','Megaphone Icon'=>'Biểu tượng loa phóng thanh','Marker Icon'=>'Biểu tượng đánh dấu','Lock Icon'=>'Biểu tượng khóa','Location Icon'=>'Biểu tượng vị trí','List View Icon'=>'Biểu tượng xem danh sách','Lightbulb Icon'=>'Biểu tượng bóng đèn','Left Right Icon'=>'Biểu tượng trái phải','Layout Icon'=>'Biểu tượng bố cục','Laptop Icon'=>'Biểu tượng Laptop','Info Icon'=>'Biểu tượng thông tin','Index Card Icon'=>'Biểu tượng thẻ chỉ mục','ID Icon'=>'Biểu tượng ID','Hidden Icon'=>'Biểu tượng ẩn','Heart Icon'=>'Biểu tượng trái tim','Hammer Icon'=>'Biểu tượng búa','Groups Icon'=>'Biểu tượng nhóm','Grid View Icon'=>'Biểu tượng xem lưới','Forms Icon'=>'Biểu tượng biểu mẫu','Flag Icon'=>'Biểu tượng lá cờ','Filter Icon'=>'Biểu tượng bộ lọc','Feedback Icon'=>'Biểu tượng phản hồi','Facebook (alt) Icon'=>'Biểu tượng Facebook (thay thế)','Facebook Icon'=>'Biểu tượng Facebook','External Icon'=>'Biểu tượng bên ngoài','Email (alt) Icon'=>'Biểu tượng Email (thay thế)','Email Icon'=>'Biểu tượng Email','Video Icon'=>'Biểu tượng video','Unlink Icon'=>'Biểu tượng hủy liên kết','Underline Icon'=>'Biểu tượng gạch dưới','Text Color Icon'=>'Biểu tượng màu văn bản','Table Icon'=>'Biểu tượng bảng','Strikethrough Icon'=>'Biểu tượng gạch ngang','Spellcheck Icon'=>'Biểu tượng kiểm tra chính tả','Remove Formatting Icon'=>'Biểu tượng gỡ bỏ định dạng','Quote Icon'=>'Biểu tượng trích dẫn','Paste Word Icon'=>'Biểu tượng dán từ word','Paste Text Icon'=>'Biểu tượng dán văn bản','Paragraph Icon'=>'Biểu tượng đoạn văn','Outdent Icon'=>'Biểu tượng thụt lề trái','Kitchen Sink Icon'=>'Biểu tượng bồn rửa chén','Justify Icon'=>'Biểu tượng căn chỉnh đều','Italic Icon'=>'Biểu tượng in nghiêng','Insert More Icon'=>'Chèn thêm biểu tượng','Indent Icon'=>'Biểu tượng thụt lề','Help Icon'=>'Biểu tượng trợ giúp','Expand Icon'=>'Mở rộng biểu tượng','Contract Icon'=>'Biểu tượng hợp đồng','Code Icon'=>'Biểu tượng mã Code','Break Icon'=>'Biểu tượng nghỉ','Bold Icon'=>'Biểu tượng đậm','Edit Icon'=>'Biểu tượng sửa','Download Icon'=>'Biểu tượng tải về','Dismiss Icon'=>'Biểu tượng loại bỏ','Desktop Icon'=>'Biểu tượng màn hình chính','Dashboard Icon'=>'Biểu tượng bảng điều khiển','Cloud Icon'=>'Biểu tượng đám mây','Clock Icon'=>'Biểu tượng đồng hồ','Clipboard Icon'=>'Biểu tượng bảng ghi nhớ','Chart Pie Icon'=>'Biểu tượng biểu đồ tròn','Chart Line Icon'=>'Biểu tượng đường biểu đồ','Chart Bar Icon'=>'Biểu tượng biểu đồ cột','Chart Area Icon'=>'Biểu tượng khu vực biểu đồ','Category Icon'=>'Biểu tượng danh mục','Cart Icon'=>'Biểu tượng giỏ hàng','Carrot Icon'=>'Biểu tượng cà rốt','Camera Icon'=>'Biểu tượng máy ảnh','Calendar (alt) Icon'=>'Biểu tượng lịch (thay thế)','Calendar Icon'=>'Biểu tượng Lịch','Businesswoman Icon'=>'Biểu tượng nữ doanh nhân','Building Icon'=>'Biểu tượng tòa nhà','Book Icon'=>'Biểu tượng sách','Backup Icon'=>'Biểu tượng sao lưu','Awards Icon'=>'Biểu tượng giải thưởng','Art Icon'=>'Biểu tượng nghệ thuật','Arrow Up Icon'=>'Biểu tượng mũi tên Lên','Arrow Right Icon'=>'Biểu tượng mũi tên phải','Arrow Left Icon'=>'Biểu tượng mũi tên trái','Arrow Down Icon'=>'Biểu tượng mũi tên xuống','Archive Icon'=>'Biểu tượng lưu trữ','Analytics Icon'=>'Biểu tượng phân tích','Align Right Icon'=>'Biểu tượng căn phải','Align None Icon'=>'Biểu tượng Căn chỉnh không','Align Left Icon'=>'Biểu tượng căn trái','Align Center Icon'=>'Biểu tượng căn giữa','Album Icon'=>'Biểu tượng Album','Users Icon'=>'Biểu tượng người dùng','Tools Icon'=>'Biểu tượng công cụ','Site Icon'=>'Biểu tượng trang web','Settings Icon'=>'Biểu tượng cài đặt','Post Icon'=>'Biểu tượng bài viết','Plugins Icon'=>'Biểu tượng Plugin','Page Icon'=>'Biểu tượng trang','Network Icon'=>'Biểu tượng mạng','Multisite Icon'=>'Biểu tượng nhiều trang web','Media Icon'=>'Biểu tượng media','Links Icon'=>'Biểu tượng liên kết','Home Icon'=>'Biểu tượng trang chủ','Customizer Icon'=>'Biểu tượng công cụ tùy chỉnh','Comments Icon'=>'Biểu tượng bình luận','Collapse Icon'=>'Biểu tượng thu gọn','Appearance Icon'=>'Biểu tượng giao diện','Generic Icon'=>'Biểu tượng chung','Icon picker requires a value.'=>'Bộ chọn biểu tượng yêu cầu một giá trị.','Icon picker requires an icon type.'=>'Bộ chọn biểu tượng yêu cầu loại biểu tượng.','The available icons matching your search query have been updated in the icon picker below.'=>'Các biểu tượng có sẵn phù hợp với truy vấn tìm kiếm của bạn đã được cập nhật trong bộ chọn biểu tượng bên dưới.','No results found for that search term'=>'Không tìm thấy kết quả cho thời gian tìm kiếm đó','Array'=>'Array','String'=>'Chuỗi','Specify the return format for the icon. %s'=>'Chọn định dạng trở lại cho biểu tượng. %s','Select where content editors can choose the icon from.'=>'Chọn nơi các trình chỉnh sửa nội dung có thể chọn biểu tượng từ.','The URL to the icon you\'d like to use, or svg as Data URI'=>'URL cho biểu tượng bạn muốn sử dụng, hoặc Svg như dữ liệu Uri','Browse Media Library'=>'Duyệt thư viện Media','The currently selected image preview'=>'Xem trước hình ảnh hiện đang được chọn','Click to change the icon in the Media Library'=>'Click để thay đổi biểu tượng trong thư viện Media','Search icons...'=>'Biểu tượng tìm kiếm...','Media Library'=>'Thư viện media','Dashicons'=>'Dashicons','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'Một UI tương tác để chọn một biểu tượng. Chọn từ Dashicons, thư viện phương tiện Media, hoặc nhập URL độc lập.','Icon Picker'=>'Bộ chọn biểu tượng','JSON Load Paths'=>'Json tải đường','JSON Save Paths'=>'Đường dẫn lưu JSON','Registered ACF Forms'=>'Các mẫu ACF đăng ký','Shortcode Enabled'=>'Shortcode được kích hoạt','Field Settings Tabs Enabled'=>'Bảng cài đặt trường được bật','Field Type Modal Enabled'=>'Chất loại hộp cửa sổ được kích hoạt','Admin UI Enabled'=>'Giao diện quản trị đã bật','Block Preloading Enabled'=>'Tải trước khối đã bật','Blocks Per ACF Block Version'=>'Các khối theo phiên bản khối ACF','Blocks Per API Version'=>'Khóa theo phiên bản API','Registered ACF Blocks'=>'Các khối ACF đã đăng ký','Light'=>'Sáng','Standard'=>'Tiêu chuẩn','REST API Format'=>'Khởi động API','Registered Options Pages (PHP)'=>'Trang cài đặt đăng ký (PHP)','Registered Options Pages (JSON)'=>'Trang cài đặt đăng ký (JSON)','Registered Options Pages (UI)'=>'Trang cài đặt đăng ký (UI)','Options Pages UI Enabled'=>'Giao diện trang cài đặt đã bật','Registered Taxonomies (JSON)'=>'Phân loại đã đăng ký (JSON)','Registered Taxonomies (UI)'=>'Phân loại đã đăng ký (UI)','Registered Post Types (JSON)'=>'Loại nội dung đã đăng ký (JSON)','Registered Post Types (UI)'=>'Loại nội dung đã đăng ký (UI)','Post Types and Taxonomies Enabled'=>'Loại nội dung và phân loại đã được bật','Number of Third Party Fields by Field Type'=>'Số trường bên thứ ba theo loại trường','Number of Fields by Field Type'=>'Số trường theo loại trường','Field Groups Enabled for GraphQL'=>'Nhóm trường đã được kích hoạt cho GraphQL','Field Groups Enabled for REST API'=>'Nhóm trường đã được kích hoạt cho REST API','Registered Field Groups (JSON)'=>'Nhóm trường đã đăng ký (JSON)','Registered Field Groups (PHP)'=>'Nhóm trường đã đăng ký (PHP)','Registered Field Groups (UI)'=>'Nhóm trường đã đăng ký (UI)','Active Plugins'=>'Plugin hoạt động','Parent Theme'=>'Giao diện cha','Active Theme'=>'Giao diện hoạt động','Is Multisite'=>'Là nhiều trang','MySQL Version'=>'Phiên bản MySQL','WordPress Version'=>'Phiên bản WordPress','Subscription Expiry Date'=>'Đăng ký ngày hết hạn','License Status'=>'Trạng thái bản quyền','License Type'=>'Loại bản quyền','Licensed URL'=>'URL được cấp phép','License Activated'=>'Bản quyền được kích hoạt','Free'=>'Miễn phí','Plugin Type'=>'Plugin loại','Plugin Version'=>'Phiên bản plugin','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'Phần này chứa thông tin gỡ lỗi về cấu hình ACF của bạn, có thể hữu ích để cung cấp cho bộ phận hỗ trợ.','An ACF Block on this page requires attention before you can save.'=>'Một khối ACF trên trang này cần được chú ý trước khi bạn có thể lưu.','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'Dữ liệu này được ghi lại khi chúng tôi phát hiện các giá trị đã bị thay đổi trong quá trình xuất. %1$sXóa nhật ký và đóng thông báo%2$s sau khi bạn đã thoát các giá trị trong mã của mình. Thông báo sẽ xuất hiện lại nếu chúng tôi phát hiện các giá trị bị thay đổi lần nữa.','Dismiss permanently'=>'Xóa vĩnh viễn','Instructions for content editors. Shown when submitting data.'=>'Hướng dẫn dành cho người trình chỉnh sửa nội dung. Hiển thị khi gửi dữ liệu.','Has no term selected'=>'Không có thời hạn được chọn','Has any term selected'=>'Có bất kỳ mục phân loại nào được chọn','Terms do not contain'=>'Các mục phân loại không chứa','Terms contain'=>'Mục phân loại chứa','Term is not equal to'=>'Thời gian không tương đương với','Term is equal to'=>'Thời gian tương đương với','Has no user selected'=>'Không có người dùng được chọn','Has any user selected'=>'Có người dùng đã chọn','Users do not contain'=>'Người dùng không chứa','Users contain'=>'Người dùng có chứa','User is not equal to'=>'Người dùng không bình đẳng với','User is equal to'=>'Người dùng cũng giống như','Has no page selected'=>'Không có trang được chọn','Has any page selected'=>'Có bất kỳ trang nào được chọn','Pages do not contain'=>'Các trang không chứa','Pages contain'=>'Các trang chứa','Page is not equal to'=>'Trang không tương đương với','Page is equal to'=>'Trang này tương đương với','Has no relationship selected'=>'Không có mối quan hệ được chọn','Has any relationship selected'=>'Có bất kỳ mối quan hệ nào được chọn','Has no post selected'=>'Không có bài viết được chọn','Has any post selected'=>'Có bất kỳ bài viết nào được chọn','Posts do not contain'=>'Các bài viết không chứa','Posts contain'=>'Bài viết chứa','Post is not equal to'=>'Bài viết không bằng với','Post is equal to'=>'Bài viết tương đương với','Relationships do not contain'=>'Mối quan hệ không chứa','Relationships contain'=>'Mối quan hệ bao gồm','Relationship is not equal to'=>'Mối quan hệ không tương đương với','Relationship is equal to'=>'Mối quan hệ tương đương với','The core ACF block binding source name for fields on the current pageACF Fields'=>'Các trường ACF','ACF PRO Feature'=>'Tính năng ACF PRO','Renew PRO to Unlock'=>'Gia hạn PRO để mở khóa','Renew PRO License'=>'Gia hạn giấy phép PRO','PRO fields cannot be edited without an active license.'=>'Không thể chỉnh sửa các trường PRO mà không có giấy phép hoạt động.','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'Vui lòng kích hoạt giấy phép ACF PRO của bạn để chỉnh sửa các nhóm trường được gán cho một Khối ACF.','Please activate your ACF PRO license to edit this options page.'=>'Vui lòng kích hoạt giấy phép ACF PRO của bạn để chỉnh sửa Trang cài đặt này.','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'Chỉ có thể trả lại các giá trị HTML đã thoát khi format_value cũng là đúng. Các giá trị trường chưa được trả lại vì lý do bảo mật.','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'Chỉ có thể trả lại một giá trị HTML đã thoát khi format_value cũng là đúng. Giá trị trường chưa được trả lại vì lý do bảo mật.','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'%1$s ACF giờ đây tự động thoát HTML không an toàn khi được hiển thị bởi the_field hoặc mã ngắn ACF. Chúng tôi đã phát hiện đầu ra của một số trường của bạn đã được sửa đổi bởi thay đổi này, nhưng đây có thể không phải là một thay đổi đột ngột. %2$s.','Please contact your site administrator or developer for more details.'=>'Vui lòng liên hệ với quản trị viên hoặc nhà phát triển trang web của bạn để biết thêm chi tiết.','Learn more'=>'Tìm hiểu thêm','Hide details'=>'Ẩn chi tiết','Show details'=>'Hiển thị chi tiết','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - được hiển thị qua %3$s','Renew ACF PRO License'=>'Gia hạn bản quyền ACF PRO','Renew License'=>'Gia hạn bản quyền','Manage License'=>'Quản lý bản quyền','\'High\' position not supported in the Block Editor'=>'\'Vị trí cao\' không được hỗ trợ trong Trình chỉnh sửa Khối','Upgrade to ACF PRO'=>'Nâng cấp lên ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'Trang cài đặt ACF là các trang quản trị tùy chỉnh để quản lý cài đặt toàn cầu thông qua các trường. Bạn có thể tạo nhiều trang và trang con.','Add Options Page'=>'Thêm trang cài đặt','In the editor used as the placeholder of the title.'=>'Trong trình chỉnh sửa được sử dụng như là văn bản gọi ý của tiêu đề.','Title Placeholder'=>'Văn bản gợi ý cho tiêu đề','4 Months Free'=>'Miễn phí 4 tháng','(Duplicated from %s)'=>'(Đã sao chép từ %s)','Select Options Pages'=>'Chọn trang cài đặt','Duplicate taxonomy'=>'Sao chép phân loại','Create taxonomy'=>'Tạo phân loại','Duplicate post type'=>'Sao chép loại nội dung','Create post type'=>'Tạo loại nội dung','Link field groups'=>'Liên kết nhóm trường','Add fields'=>'Thêm trường','This Field'=>'Trường này','ACF PRO'=>'ACF PRO','Feedback'=>'Phản hồi','Support'=>'Hỗ trợ','is developed and maintained by'=>'được phát triển và duy trì bởi','Add this %s to the location rules of the selected field groups.'=>'Thêm %s này vào quy tắc vị trí của các nhóm trường đã chọn.','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'Kích hoạt cài đặt hai chiều cho phép bạn cập nhật một giá trị trong các trường mục tiêu cho mỗi giá trị được chọn cho trường này, thêm hoặc xóa ID bài viết, ID phân loại hoặc ID người dùng của mục đang được cập nhật. Để biết thêm thông tin, vui lòng đọc tài liệu.','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'Chọn trường để lưu trữ tham chiếu trở lại mục đang được cập nhật. Bạn có thể chọn trường này. Các trường mục tiêu phải tương thích với nơi trường này được hiển thị. Ví dụ, nếu trường này được hiển thị trên một Phân loại, trường mục tiêu của bạn nên là loại Phân loại','Target Field'=>'Trường mục tiêu','Update a field on the selected values, referencing back to this ID'=>'Cập nhật một trường trên các giá trị đã chọn, tham chiếu trở lại ID này','Bidirectional'=>'Hai chiều','%s Field'=>'Trường %s','Select Multiple'=>'Chọn nhiều','WP Engine logo'=>'Logo WP Engine','Lower case letters, underscores and dashes only, Max 32 characters.'=>'Chỉ sử dụng chữ cái thường, dấu gạch dưới và dấu gạch ngang, tối đa 32 ký tự.','The capability name for assigning terms of this taxonomy.'=>'Tên khả năng để gán các mục phân loại của phân loại này.','Assign Terms Capability'=>'Khả năng gán mục phân loại','The capability name for deleting terms of this taxonomy.'=>'Tên khả năng để xóa các mục phân loại của phân loại này.','Delete Terms Capability'=>'Khả năng xóa mục phân loại','The capability name for editing terms of this taxonomy.'=>'Tên khả năng để chỉnh sửa các mục phân loại của phân loại này.','Edit Terms Capability'=>'Khả năng chỉnh sửa mục phân loại','The capability name for managing terms of this taxonomy.'=>'Tên khả năng để quản lý các mục phân loại của phân loại này.','Manage Terms Capability'=>'Khả năng quản lý mục phân loại','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'Đặt xem các bài viết có nên được loại khỏi kết quả tìm kiếm và trang lưu trữ phân loại hay không.','More Tools from WP Engine'=>'Thêm công cụ từ WP Engine','Built for those that build with WordPress, by the team at %s'=>'Được tạo cho những người xây dựng với WordPress, bởi đội ngũ %s','View Pricing & Upgrade'=>'Xem giá & Nâng cấp','Learn More'=>'Tìm hiểu thêm','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'Tăng tốc độ công việc và phát triển các trang web tốt hơn với các tính năng như Khối ACF và Trang cài đặt, và Các loại trường phức tạp như Lặp lại, Nội dung linh hoạt, Tạo bản sao và Album ảnh.','Unlock Advanced Features and Build Even More with ACF PRO'=>'Mở khóa các tính năng nâng cao và xây dựng thêm nhiều hơn với ACF PRO','%s fields'=>'Các trường %s','No terms'=>'Không có mục phân loại','No post types'=>'Không có loại nội dung','No posts'=>'Không có bài viết','No taxonomies'=>'Không có phân loại','No field groups'=>'Không có nhóm trường','No fields'=>'Không có trường','No description'=>'Không có mô tả','Any post status'=>'Bất kỳ trạng thái bài viết nào','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'Khóa phân loại này đã được sử dụng bởi một phân loại khác đã đăng ký bên ngoài ACF và không thể sử dụng.','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'Khóa phân loại này đã được sử dụng bởi một phân loại khác trong ACF và không thể sử dụng.','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Khóa phân loại chỉ được chứa các ký tự chữ và số viết thường, dấu gạch dưới hoặc dấu gạch ngang.','The taxonomy key must be under 32 characters.'=>'Khóa phân loại phải dưới 32 ký tự.','No Taxonomies found in Trash'=>'Không tìm thấy phân loại nào trong thùng rác','No Taxonomies found'=>'Không tìm thấy phân loại','Search Taxonomies'=>'Tìm kiếm phân loại','View Taxonomy'=>'Xem phân loại','New Taxonomy'=>'Phân loại mới','Edit Taxonomy'=>'Chỉnh sửa phân loại','Add New Taxonomy'=>'Thêm phân loại mới','No Post Types found in Trash'=>'Không tìm thấy loại nội dung trong thùng rác','No Post Types found'=>'Không tìm thấy loại nội dung','Search Post Types'=>'Tìm kiếm loại nội dung','View Post Type'=>'Xem loại nội dung','New Post Type'=>'Loại nội dung mới','Edit Post Type'=>'Chỉnh sửa loại nội dung','Add New Post Type'=>'Thêm loại nội dung mới','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'Khóa loại nội dung này đã được sử dụng bởi một loại nội dung khác đã được đăng ký bên ngoài ACF và không thể sử dụng.','This post type key is already in use by another post type in ACF and cannot be used.'=>'Khóa loại nội dung này đã được sử dụng bởi một loại nội dung khác trong ACF và không thể sử dụng.','This field must not be a WordPress reserved term.'=>'Trường này không được là một mục phân loại dành riêng của WordPress.','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'Khóa loại nội dung chỉ được chứa các ký tự chữ và số viết thường, dấu gạch dưới hoặc dấu gạch ngang.','The post type key must be under 20 characters.'=>'Khóa loại nội dung phải dưới 20 ký tự.','We do not recommend using this field in ACF Blocks.'=>'Chúng tôi không khuyến nghị sử dụng trường này trong ACF Blocks.','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'Hiển thị trình soạn thảo WYSIWYG của WordPress như được thấy trong Bài viết và Trang cho phép trải nghiệm chỉnh sửa văn bản phong phú cũng như cho phép nội dung đa phương tiện.','WYSIWYG Editor'=>'Trình soạn thảo trực quan','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'Cho phép chọn một hoặc nhiều người dùng có thể được sử dụng để tạo mối quan hệ giữa các đối tượng dữ liệu.','A text input specifically designed for storing web addresses.'=>'Một đầu vào văn bản được thiết kế đặc biệt để lưu trữ địa chỉ web.','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'Một công tắc cho phép bạn chọn một giá trị 1 hoặc 0 (bật hoặc tắt, đúng hoặc sai, v.v.). Có thể được trình bày dưới dạng một công tắc hoặc hộp kiểm có kiểu.','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn thời gian. Định dạng thời gian có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','A basic textarea input for storing paragraphs of text.'=>'Một ô nhập liệu dạng văn bản cơ bản để lưu trữ các đoạn văn bản.','A basic text input, useful for storing single string values.'=>'Một đầu vào văn bản cơ bản, hữu ích để lưu trữ các giá trị chuỗi đơn.','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'Cho phép chọn một hoặc nhiều mục phân loại phân loại dựa trên tiêu chí và tùy chọn được chỉ định trong cài đặt trường.','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'Cho phép bạn nhóm các trường vào các phần có tab trong màn hình chỉnh sửa. Hữu ích để giữ cho các trường được tổ chức và có cấu trúc.','A dropdown list with a selection of choices that you specify.'=>'Một danh sách thả xuống với một lựa chọn các lựa chọn mà bạn chỉ định.','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'Giao diện hai cột để chọn một hoặc nhiều bài viết, trang hoặc mục loại nội dung tùy chỉnh để tạo mối quan hệ với mục bạn đang chỉnh sửa. Bao gồm các tùy chọn để tìm kiếm và lọc.','An input for selecting a numerical value within a specified range using a range slider element.'=>'Một đầu vào để chọn một giá trị số trong một phạm vi đã chỉ định bằng cách sử dụng một phần tử thanh trượt phạm vi.','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'Một nhóm các đầu vào nút radio cho phép người dùng thực hiện một lựa chọn duy nhất từ các giá trị mà bạn chỉ định.','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'Giao diện người dùng tương tác và tùy chỉnh để chọn một hoặc nhiều bài viết, trang hoặc mục loại nội dung với tùy chọn tìm kiếm. ','An input for providing a password using a masked field.'=>'Một đầu vào để cung cấp mật khẩu bằng cách sử dụng một trường đã được che.','Filter by Post Status'=>'Lọc theo Trạng thái Bài viết','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'Một danh sách thả xuống tương tác để chọn một hoặc nhiều bài viết, trang, mục loại nội dung tùy chỉnh hoặc URL lưu trữ, với tùy chọn tìm kiếm.','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'Một thành phần tương tác để nhúng video, hình ảnh, tweet, âm thanh và nội dung khác bằng cách sử dụng chức năng oEmbed gốc của WordPress.','An input limited to numerical values.'=>'Một đầu vào giới hạn cho các giá trị số.','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'Được sử dụng để hiển thị một thông điệp cho các trình chỉnh sửa cùng với các trường khác. Hữu ích để cung cấp ngữ cảnh hoặc hướng dẫn bổ sung xung quanh các trường của bạn.','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'Cho phép bạn chỉ định một liên kết và các thuộc tính của nó như tiêu đề và mục tiêu bằng cách sử dụng công cụ chọn liên kết gốc của WordPress.','Uses the native WordPress media picker to upload, or choose images.'=>'Sử dụng công cụ chọn phương tiện gốc của WordPress để tải lên hoặc chọn hình ảnh.','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'Cung cấp một cách để cấu trúc các trường thành các nhóm để tổ chức dữ liệu và màn hình chỉnh sửa tốt hơn.','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'Giao diện người dùng tương tác để chọn một vị trí bằng cách sử dụng Google Maps. Yêu cầu một khóa API Google Maps và cấu hình bổ sung để hiển thị chính xác.','Uses the native WordPress media picker to upload, or choose files.'=>'Sử dụng công cụ chọn phương tiện gốc của WordPress để tải lên hoặc chọn tệp.','A text input specifically designed for storing email addresses.'=>'Một đầu vào văn bản được thiết kế đặc biệt để lưu trữ địa chỉ email.','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn ngày và giờ. Định dạng trả về ngày có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'Giao diện người dùng tương tác để chọn ngày. Định dạng trả về ngày có thể được tùy chỉnh bằng cách sử dụng cài đặt trường.','An interactive UI for selecting a color, or specifying a Hex value.'=>'Giao diện người dùng tương tác để chọn màu hoặc chỉ định giá trị Hex.','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'Một nhóm các đầu vào hộp kiểm cho phép người dùng chọn một hoặc nhiều giá trị mà bạn chỉ định.','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'Một nhóm các nút với các giá trị mà bạn chỉ định, người dùng có thể chọn một tùy chọn từ các giá trị được cung cấp.','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'Cho phép bạn nhóm và tổ chức các trường tùy chỉnh vào các bảng có thể thu gọn được hiển thị trong khi chỉnh sửa nội dung. Hữu ích để giữ cho các tập dữ liệu lớn gọn gàng.','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'Điều này cung cấp một giải pháp để lặp lại nội dung như slide, thành viên nhóm và ô kêu gọi hành động, bằng cách hoạt động như một cha cho một tập hợp các trường con có thể được lặp lại đi lặp lại.','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'Điều này cung cấp một giao diện tương tác để quản lý một bộ sưu tập các tệp đính kèm. Hầu hết các cài đặt tương tự như loại trường Hình ảnh. Cài đặt bổ sung cho phép bạn chỉ định nơi thêm tệp đính kèm mới trong thư viện và số lượng tệp đính kèm tối thiểu / tối đa được cho phép.','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'Điều này cung cấp một trình soạn thảo dựa trên bố cục, có cấu trúc, đơn giản. Trường nội dung linh hoạt cho phép bạn định nghĩa, tạo và quản lý nội dung với quyền kiểm soát tuyệt đối bằng cách sử dụng bố cục và trường con để thiết kế các khối có sẵn.','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'Điều này cho phép bạn chọn và hiển thị các trường hiện có. Nó không sao chép bất kỳ trường nào trong cơ sở dữ liệu, nhưng tải và hiển thị các trường đã chọn tại thời gian chạy. Trường Clone có thể thay thế chính nó bằng các trường đã chọn hoặc hiển thị các trường đã chọn dưới dạng một nhóm trường con.','nounClone'=>'Sao chép','PRO'=>'PRO','Advanced'=>'Nâng cao','JSON (newer)'=>'JSON (mới hơn)','Original'=>'Gốc','Invalid post ID.'=>'ID bài viết không hợp lệ.','Invalid post type selected for review.'=>'Loại nội dung được chọn để xem xét không hợp lệ.','More'=>'Xem thêm','Tutorial'=>'Hướng dẫn','Select Field'=>'Chọn trường','Try a different search term or browse %s'=>'Thử một từ khóa tìm kiếm khác hoặc duyệt %s','Popular fields'=>'Các trường phổ biến','No search results for \'%s\''=>'Không có kết quả tìm kiếm cho \'%s\'','Search fields...'=>'Tìm kiếm trường...','Select Field Type'=>'Chọn loại trường','Popular'=>'Phổ biến','Add Taxonomy'=>'Thêm phân loại','Create custom taxonomies to classify post type content'=>'Tạo phân loại tùy chỉnh để phân loại nội dung loại nội dung','Add Your First Taxonomy'=>'Thêm phân loại đầu tiên của bạn','Hierarchical taxonomies can have descendants (like categories).'=>'Phân loại theo hệ thống có thể có các mục con (như các danh mục).','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'Hiển thị phân loại trên giao diện người dùng và trên bảng điều khiển quản trị.','One or many post types that can be classified with this taxonomy.'=>'Một hoặc nhiều loại nội dung có thể được phân loại bằng phân loại này.','genre'=>'thể loại','Genre'=>'Thể loại','Genres'=>'Các thể loại','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'Bộ điều khiển tùy chỉnh tùy chọn để sử dụng thay vì `WP_REST_Terms_Controller `.','Expose this post type in the REST API.'=>'Tiết lộ loại nội dung này trong REST API.','Customize the query variable name'=>'Tùy chỉnh tên biến truy vấn','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'Các mục phân loại có thể được truy cập bằng cách sử dụng đường dẫn cố định không đẹp, ví dụ, {query_var}={term_slug}.','Parent-child terms in URLs for hierarchical taxonomies.'=>'Các mục phân loại cha-con trong URL cho các phân loại theo hệ thống.','Customize the slug used in the URL'=>'Tùy chỉnh đường dẫn cố định được sử dụng trong URL','Permalinks for this taxonomy are disabled.'=>'Liên kết cố định cho phân loại này đã bị vô hiệu hóa.','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng khóa phân loại làm đường dẫn cố định. Cấu trúc đường dẫn cố định của bạn sẽ là','Taxonomy Key'=>'Liên kết phân loại','Select the type of permalink to use for this taxonomy.'=>'Chọn loại liên kết cố định để sử dụng cho phân loại này.','Display a column for the taxonomy on post type listing screens.'=>'Hiển thị một cột cho phân loại trên màn hình liệt kê loại nội dung.','Show Admin Column'=>'Hiển thị cột quản trị','Show the taxonomy in the quick/bulk edit panel.'=>'Hiển thị phân loại trong bảng chỉnh sửa nhanh / hàng loạt.','Quick Edit'=>'Chỉnh sửa nhanh','List the taxonomy in the Tag Cloud Widget controls.'=>'Liệt kê phân loại trong các điều khiển Widget mây thẻ.','Tag Cloud'=>'Mây thẻ','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'Tên hàm PHP sẽ được gọi để làm sạch dữ liệu phân loại được lưu từ một hộp meta.','Meta Box Sanitization Callback'=>'Hàm Gọi lại Làm sạch Hộp Meta','Register Meta Box Callback'=>'Đăng ký Hàm Gọi lại Hộp Meta','No Meta Box'=>'Không có Hộp Meta','Custom Meta Box'=>'Hộp Meta tùy chỉnh','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'Điều khiển hộp meta trên màn hình trình chỉnh sửa nội dung. Theo mặc định, hộp meta danh mục được hiển thị cho các phân loại theo hệ thống, và hộp meta Thẻ được hiển thị cho các phân loại không theo hệ thống.','Meta Box'=>'Hộp Meta','Categories Meta Box'=>'Hộp Meta danh mục','Tags Meta Box'=>'Hộp Meta Thẻ','A link to a tag'=>'Một liên kết đến một thẻ','Describes a navigation link block variation used in the block editor.'=>'Mô tả một biến thể khối liên kết điều hướng được sử dụng trong trình chỉnh sửa khối.','A link to a %s'=>'Một liên kết đến một %s','Tag Link'=>'Liên kết Thẻ','Assigns a title for navigation link block variation used in the block editor.'=>'Gán một tiêu đề cho biến thể khối liên kết điều hướng được sử dụng trong trình chỉnh sửa khối.','← Go to tags'=>'← Đi đến thẻ','Assigns the text used to link back to the main index after updating a term.'=>'Gán văn bản được sử dụng để liên kết trở lại chỉ mục chính sau khi cập nhật một mục phân loại.','Back To Items'=>'Quay lại mục','← Go to %s'=>'← Quay lại %s','Tags list'=>'Danh sách thẻ','Assigns text to the table hidden heading.'=>'Gán văn bản cho tiêu đề bảng ẩn.','Tags list navigation'=>'Danh sách điều hướng thẻ','Assigns text to the table pagination hidden heading.'=>'Gán văn bản cho tiêu đề ẩn của phân trang bảng.','Filter by category'=>'Lọc theo danh mục','Assigns text to the filter button in the posts lists table.'=>'Gán văn bản cho nút lọc trong bảng danh sách bài viết.','Filter By Item'=>'Lọc theo mục','Filter by %s'=>'Lọc theo %s','The description is not prominent by default; however, some themes may show it.'=>'Mô tả không nổi bật theo mặc định; tuy nhiên, một số chủ đề có thể hiển thị nó.','Describes the Description field on the Edit Tags screen.'=>'Thông tin về trường mô tả trên màn hình chỉnh sửa thẻ.','Description Field Description'=>'Thông tin về trường mô tả','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'Gán một mục phân loại cha để tạo ra một hệ thống phân cấp. Thuật ngữ Jazz, ví dụ, sẽ là cha của Bebop và Big Band','Describes the Parent field on the Edit Tags screen.'=>'Mô tả trường cha trên màn hình chỉnh sửa thẻ.','Parent Field Description'=>'Mô tả trường cha','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'"Đường dẫn cố định" là phiên bản thân thiện với URL của tên. Nó thường là tất cả chữ thường và chỉ chứa các chữ cái, số và dấu gạch ngang.','Describes the Slug field on the Edit Tags screen.'=>'Mô tả trường đường dẫn cố định trên màn hình chỉnh sửa thẻ.','Slug Field Description'=>'Mô tả trường đường dẫn cố định','The name is how it appears on your site'=>'Tên là cách nó xuất hiện trên trang web của bạn','Describes the Name field on the Edit Tags screen.'=>'Mô tả trường tên trên màn hình chỉnh sửa thẻ.','Name Field Description'=>'Mô tả trường Tên','No tags'=>'Không có thẻ','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'Gán văn bản hiển thị trong bảng danh sách bài viết và phương tiện khi không có thẻ hoặc danh mục nào có sẵn.','No Terms'=>'Không có mục phân loại','No %s'=>'Không có %s','No tags found'=>'Không tìm thấy thẻ','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'Gán văn bản hiển thị khi nhấp vào văn bản \'chọn từ những thẻ được sử dụng nhiều nhất\' trong hộp meta phân loại khi không có thẻ nào có sẵn, và gán văn bản được sử dụng trong bảng danh sách mục phân loại khi không có mục nào cho một phân loại.','Not Found'=>'Không tìm thấy','Assigns text to the Title field of the Most Used tab.'=>'Gán văn bản cho trường Tiêu đề của tab Được sử dụng nhiều nhất.','Most Used'=>'Được sử dụng nhiều nhất','Choose from the most used tags'=>'Chọn từ những thẻ được sử dụng nhiều nhất','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'Gán văn bản \'chọn từ những thẻ được sử dụng nhiều nhất\' được sử dụng trong hộp meta khi JavaScript bị vô hiệu hóa. Chỉ được sử dụng trên các phân loại không phân cấp.','Choose From Most Used'=>'Chọn từ những thẻ được sử dụng nhiều nhất','Choose from the most used %s'=>'Chọn từ những %s được sử dụng nhiều nhất','Add or remove tags'=>'Thêm hoặc xóa thẻ','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'Gán văn bản thêm hoặc xóa mục được sử dụng trong hộp meta khi JavaScript bị vô hiệu hóa. Chỉ được sử dụng trên các phân loại không phân cấp.','Add Or Remove Items'=>'Thêm hoặc xóa mục','Add or remove %s'=>'Thêm hoặc xóa %s','Separate tags with commas'=>'Tách các thẻ bằng dấu phẩy','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'Gán văn bản tách mục bằng dấu phẩy được sử dụng trong hộp meta phân loại. Chỉ được sử dụng trên các phân loại không phân cấp.','Separate Items With Commas'=>'Tách các mục bằng dấu phẩy','Separate %s with commas'=>'Tách %s bằng dấu phẩy','Popular Tags'=>'Thẻ phổ biến','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'Gán văn bản mục phổ biến. Chỉ được sử dụng cho các phân loại không phân cấp.','Popular Items'=>'Mục phổ biến','Popular %s'=>'%s phổ biến','Search Tags'=>'Tìm kiếm thẻ','Assigns search items text.'=>'Gán văn bản tìm kiếm mục.','Parent Category:'=>'Danh mục cha:','Assigns parent item text, but with a colon (:) added to the end.'=>'Gán văn bản mục cha, nhưng với dấu hai chấm (:) được thêm vào cuối.','Parent Item With Colon'=>'Mục cha với dấu hai chấm','Parent Category'=>'Danh mục cha','Assigns parent item text. Only used on hierarchical taxonomies.'=>'Gán văn bản mục cha. Chỉ được sử dụng trên các phân loại phân cấp.','Parent Item'=>'Mục cha','Parent %s'=>'%s cha','New Tag Name'=>'Tên thẻ mới','Assigns the new item name text.'=>'Gán văn bản tên mục mới.','New Item Name'=>'Tên mục mới','New %s Name'=>'Tên mới %s','Add New Tag'=>'Thêm thẻ mới','Assigns the add new item text.'=>'Gán văn bản thêm mục mới.','Update Tag'=>'Cập nhật thẻ','Assigns the update item text.'=>'Gán văn bản cập nhật mục.','Update Item'=>'Cập nhật mục','Update %s'=>'Cập nhật %s','View Tag'=>'Xem thẻ','In the admin bar to view term during editing.'=>'Trong thanh quản trị để xem mục phân loại trong quá trình chỉnh sửa.','Edit Tag'=>'Chỉnh sửa thẻ','At the top of the editor screen when editing a term.'=>'Ở đầu màn hình trình chỉnh sửa khi sửa một mục phân loại.','All Tags'=>'Tất cả thẻ','Assigns the all items text.'=>'Gán văn bản tất cả mục.','Assigns the menu name text.'=>'Gán văn bản tên menu.','Menu Label'=>'Nhãn menu','Active taxonomies are enabled and registered with WordPress.'=>'Các phân loại đang hoạt động được kích hoạt và đăng ký với WordPress.','A descriptive summary of the taxonomy.'=>'Một tóm tắt mô tả về phân loại.','A descriptive summary of the term.'=>'Một tóm tắt mô tả về mục phân loại.','Term Description'=>'Mô tả mục phân loại','Single word, no spaces. Underscores and dashes allowed.'=>'Một từ, không có khoảng trắng. Cho phép dấu gạch dưới và dấu gạch ngang.','Term Slug'=>'Đường dẫn cố định mục phân loại','The name of the default term.'=>'Tên của mục phân loại mặc định.','Term Name'=>'Tên mục phân loại','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'Tạo một mục cho phân loại không thể bị xóa. Nó sẽ không được chọn cho bài viết theo mặc định.','Default Term'=>'Mục phân loại mặc định','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'Có nên sắp xếp các mục phân loại trong phân loại này theo thứ tự chúng được cung cấp cho `wp_set_object_terms()` hay không.','Sort Terms'=>'Sắp xếp mục phân loại','Add Post Type'=>'Thêm loại nội dung','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'Mở rộng chức năng của WordPress vượt ra khỏi bài viết và trang tiêu chuẩn với các loại nội dung tùy chỉnh.','Add Your First Post Type'=>'Thêm loại nội dung đầu tiên của bạn','I know what I\'m doing, show me all the options.'=>'Tôi biết tôi đang làm gì, hãy cho tôi xem tất cả các tùy chọn.','Advanced Configuration'=>'Cấu hình nâng cao','Hierarchical post types can have descendants (like pages).'=>'Tùy chọn này giúp loại nội dung có thể tạo các mục con (như trang).','Hierarchical'=>'Phân cấp','Visible on the frontend and in the admin dashboard.'=>'Hiển thị trên giao diện người dùng và trên bảng điều khiển quản trị.','Public'=>'Công khai','movie'=>'phim','Lower case letters, underscores and dashes only, Max 20 characters.'=>'Chỉ sử dụng chữ cái thường, dấu gạch dưới và dấu gạch ngang, tối đa 20 ký tự.','Movie'=>'Phim','Singular Label'=>'Tên số ít','Movies'=>'Phim','Plural Label'=>'Tên số nhiều','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'Tùy chọn sử dụng bộ điều khiển tùy chỉnh thay vì `WP_REST_Posts_Controller`.','Controller Class'=>'Lớp điều khiển','The namespace part of the REST API URL.'=>'Phần không gian tên của URL REST API.','Namespace Route'=>'Namespace Route','The base URL for the post type REST API URLs.'=>'URL cơ sở cho các URL API REST của loại nội dung.','Base URL'=>'Base URL','Exposes this post type in the REST API. Required to use the block editor.'=>'Tiết lộ loại nội dung này trong API REST. Yêu cầu sử dụng trình soạn thảo khối.','Show In REST API'=>'Hiển thị trong REST API','Customize the query variable name.'=>'Tùy chỉnh tên biến truy vấn.','Query Variable'=>'Biến truy Vấn','No Query Variable Support'=>'Không hỗ trợ biến truy vấn','Custom Query Variable'=>'Biến truy vấn tùy chỉnh','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'Các mục có thể được truy cập bằng cách sử dụng đường dẫn cố định không đẹp, ví dụ: {post_type}={post_slug}.','Query Variable Support'=>'Hỗ trợ biến truy vấn','URLs for an item and items can be accessed with a query string.'=>'URL cho một mục và các mục có thể được truy cập bằng một chuỗi truy vấn.','Publicly Queryable'=>'Có thể truy vấn công khai','Custom slug for the Archive URL.'=>'Đường dẫn cố định tùy chỉnh cho URL trang lưu trữ.','Archive Slug'=>'Slug trang lưu trữ','Has an item archive that can be customized with an archive template file in your theme.'=>'Có một kho lưu trữ mục có thể được tùy chỉnh với một tệp mẫu lưu trữ trong giao diện của bạn.','Archive'=>'Trang lưu trữ','Pagination support for the items URLs such as the archives.'=>'Hỗ trợ phân trang cho các URL mục như lưu trữ.','Pagination'=>'Phân trang','RSS feed URL for the post type items.'=>'URL nguồn cấp dữ liệu RSS cho các mục loại nội dung.','Feed URL'=>'URL nguồn cấp dữ liệu','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'Thay đổi cấu trúc liên kết cố định để thêm tiền tố `WP_Rewrite::$front` vào URL.','Front URL Prefix'=>'Tiền tố URL phía trước','Customize the slug used in the URL.'=>'Tùy chỉnh đường dẫn cố định được sử dụng trong URL.','URL Slug'=>'Đường dẫn cố định URL','Permalinks for this post type are disabled.'=>'Liên kết cố định cho loại nội dung này đã bị vô hiệu hóa.','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng đường dẫn cố định tùy chỉnh được định nghĩa trong đầu vào dưới đây. Cấu trúc đường dẫn cố định của bạn sẽ là','No Permalink (prevent URL rewriting)'=>'Không có liên kết cố định (ngăn chặn việc viết lại URL)','Custom Permalink'=>'Liên kết tĩnh tùy chỉnh','Post Type Key'=>'Khóa loại nội dung','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'Thay đổi URL bằng cách sử dụng khóa loại nội dung làm đường dẫn cố định. Cấu trúc liên kết cố định của bạn sẽ là','Permalink Rewrite'=>'Thay đổi liên kết cố định','Delete items by a user when that user is deleted.'=>'Xóa các mục của một người dùng khi người dùng đó bị xóa.','Delete With User'=>'Xóa với người dùng','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'Cho phép loại nội dung được xuất từ \'Công cụ\' > \'Xuất\'.','Can Export'=>'Có thể xuất','Optionally provide a plural to be used in capabilities.'=>'Tùy chọn cung cấp một số nhiều để sử dụng trong khả năng.','Plural Capability Name'=>'Tên khả năng số nhiều','Choose another post type to base the capabilities for this post type.'=>'Chọn một loại nội dung khác để cơ sở các khả năng cho loại nội dung này.','Singular Capability Name'=>'Tên khả năng số ít','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'Theo mặc định, các khả năng của loại nội dung sẽ kế thừa tên khả năng \'Bài viết\', ví dụ: edit_post, delete_posts. Kích hoạt để sử dụng khả năng cụ thể của loại nội dung, ví dụ: edit_{singular}, delete_{plural}.','Rename Capabilities'=>'Đổi tên quyền người dùng','Exclude From Search'=>'Loại trừ khỏi tìm kiếm','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'Cho phép các mục được thêm vào menu trong màn hình \'Giao diện\' > \'Menu\'. Phải được bật trong \'Tùy chọn màn hình\'.','Appearance Menus Support'=>'Hỗ trợ menu giao diện','Appears as an item in the \'New\' menu in the admin bar.'=>'Xuất hiện như một mục trong menu \'Mới\' trên thanh quản trị.','Show In Admin Bar'=>'Hiển thị trong thanh quản trị','Custom Meta Box Callback'=>'Hàm gọi lại hộp meta tùy chỉnh','Menu Icon'=>'Biểu tượng menu','The position in the sidebar menu in the admin dashboard.'=>'Vị trí trong menu thanh bên trên bảng điều khiển quản trị.','Menu Position'=>'Vị trí menu','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'Theo mặc định, loại nội dung sẽ nhận được một mục cấp cao mới trong menu quản trị. Nếu một mục cấp cao hiện có được cung cấp ở đây, loại bài viết sẽ được thêm dưới dạng mục con dưới nó.','Admin Menu Parent'=>'Menu quản trị cấp trên','Admin editor navigation in the sidebar menu.'=>'Điều hướng trình chỉnh sửa của quản trị trong menu thanh bên.','Show In Admin Menu'=>'Hiển thị trong menu quản trị','Items can be edited and managed in the admin dashboard.'=>'Các mục có thể được chỉnh sửa và quản lý trong bảng điều khiển quản trị.','Show In UI'=>'Hiển thị trong giao diện người dùng','A link to a post.'=>'Một liên kết đến một bài viết.','Description for a navigation link block variation.'=>'Mô tả cho biến thể khối liên kết điều hướng.','Item Link Description'=>'Mô tả liên kết mục','A link to a %s.'=>'Một liên kết đến %s.','Post Link'=>'Liên kết bài viết','Title for a navigation link block variation.'=>'Tiêu đề cho biến thể khối liên kết điều hướng.','Item Link'=>'Liên kết mục','%s Link'=>'Liên kết %s','Post updated.'=>'Bài viết đã được cập nhật.','In the editor notice after an item is updated.'=>'Trong thông báo trình soạn thảo sau khi một mục được cập nhật.','Item Updated'=>'Mục đã được cập nhật','%s updated.'=>'%s đã được cập nhật.','Post scheduled.'=>'Bài viết đã được lên lịch.','In the editor notice after scheduling an item.'=>'Trong thông báo trình soạn thảo sau khi lên lịch một mục.','Item Scheduled'=>'Mục đã được lên lịch','%s scheduled.'=>'%s đã được lên lịch.','Post reverted to draft.'=>'Bài viết đã được chuyển về nháp.','In the editor notice after reverting an item to draft.'=>'Trong thông báo trình soạn thảo sau khi chuyển một mục về nháp.','Item Reverted To Draft'=>'Mục đã được chuyển về nháp','%s reverted to draft.'=>'%s đã được chuyển về nháp.','Post published privately.'=>'Bài viết đã được xuất bản riêng tư.','In the editor notice after publishing a private item.'=>'Trong thông báo trình soạn thảo sau khi xuất bản một mục riêng tư.','Item Published Privately'=>'Mục đã được xuất bản riêng tư','%s published privately.'=>'%s đã được xuất bản riêng tư.','Post published.'=>'Bài viết đã được xuất bản.','In the editor notice after publishing an item.'=>'Trong thông báo trình soạn thảo sau khi xuất bản một mục.','Item Published'=>'Mục đã được xuất bản','%s published.'=>'%s đã được xuất bản.','Posts list'=>'Danh sách bài viết','Used by screen readers for the items list on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho danh sách mục trên màn hình danh sách loại nội dung.','Items List'=>'Danh sách mục','%s list'=>'Danh sách %s','Posts list navigation'=>'Điều hướng danh sách bài viết','Used by screen readers for the filter list pagination on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho phân trang danh sách bộ lọc trên màn hình danh sách loại nội dung.','Items List Navigation'=>'Điều hướng danh sách mục','%s list navigation'=>'Điều hướng danh sách %s','Filter posts by date'=>'Lọc bài viết theo ngày','Used by screen readers for the filter by date heading on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho tiêu đề lọc theo ngày trên màn hình danh sách loại nội dung.','Filter Items By Date'=>'Lọc mục theo ngày','Filter %s by date'=>'Lọc %s theo ngày','Filter posts list'=>'Lọc danh sách bài viết','Used by screen readers for the filter links heading on the post type list screen.'=>'Được sử dụng bởi máy đọc màn hình cho tiêu đề liên kết bộ lọc trên màn hình danh sách loại nội dung.','Filter Items List'=>'Lọc danh sách mục','Filter %s list'=>'Lọc danh sách %s','In the media modal showing all media uploaded to this item.'=>'Trong modal phương tiện hiển thị tất cả phương tiện đã tải lên cho mục này.','Uploaded To This Item'=>'Đã tải lên mục này','Uploaded to this %s'=>'Đã tải lên %s này','Insert into post'=>'Chèn vào bài viết','As the button label when adding media to content.'=>'Như nhãn nút khi thêm phương tiện vào nội dung.','Insert Into Media Button'=>'Chèn vào nút Media','Insert into %s'=>'Chèn vào %s','Use as featured image'=>'Sử dụng làm hình ảnh nổi bật','As the button label for selecting to use an image as the featured image.'=>'Như nhãn nút để chọn sử dụng hình ảnh làm hình ảnh nổi bật.','Use Featured Image'=>'Sử dụng hình ảnh nổi bật','Remove featured image'=>'Xóa hình ảnh nổi bật','As the button label when removing the featured image.'=>'Như nhãn nút khi xóa hình ảnh nổi bật.','Remove Featured Image'=>'Xóa hình ảnh nổi bật','Set featured image'=>'Đặt hình ảnh nổi bật','As the button label when setting the featured image.'=>'Như nhãn nút khi đặt hình ảnh nổi bật.','Set Featured Image'=>'Đặt hình ảnh nổi bật','Featured image'=>'Hình ảnh nổi bật','In the editor used for the title of the featured image meta box.'=>'Trong trình soạn thảo được sử dụng cho tiêu đề của hộp meta hình ảnh nổi bật.','Featured Image Meta Box'=>'Hộp meta hình ảnh nổi bật','Post Attributes'=>'Thuộc tính bài viết','In the editor used for the title of the post attributes meta box.'=>'Trong trình soạn thảo được sử dụng cho tiêu đề của hộp meta thuộc tính bài viết.','Attributes Meta Box'=>'Hộp meta thuộc tính','%s Attributes'=>'Thuộc tính %s','Post Archives'=>'Lưu trữ bài viết','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'Thêm các mục \'Lưu trữ loại nội dung\' với nhãn này vào danh sách bài viết hiển thị khi thêm mục vào menu hiện tại trong CPT có kích hoạt lưu trữ. Chỉ xuất hiện khi chỉnh sửa menu trong chế độ \'Xem trước trực tiếp\' và đã cung cấp đường dẫn cố định lưu trữ tùy chỉnh.','Archives Nav Menu'=>'Menu điều hướng trang lưu trữ','%s Archives'=>'%s Trang lưu trữ','No posts found in Trash'=>'Không tìm thấy bài viết nào trong thùng rác','At the top of the post type list screen when there are no posts in the trash.'=>'Ở đầu màn hình danh sách loại nội dung khi không có bài viết nào trong thùng rác.','No Items Found in Trash'=>'Không tìm thấy mục nào trong thùng rác','No %s found in Trash'=>'Không tìm thấy %s trong thùng rác','No posts found'=>'Không tìm thấy bài viết nào','At the top of the post type list screen when there are no posts to display.'=>'Ở đầu màn hình danh sách loại nội dung khi không có bài viết nào để hiển thị.','No Items Found'=>'Không tìm thấy mục nào','No %s found'=>'Không tìm thấy %s','Search Posts'=>'Tìm kiếm bài viết','At the top of the items screen when searching for an item.'=>'Ở đầu màn hình mục khi tìm kiếm một mục.','Search Items'=>'Tìm kiếm mục','Search %s'=>'Tìm kiếm %s','Parent Page:'=>'Trang cha:','For hierarchical types in the post type list screen.'=>'Đối với các loại phân cấp trong màn hình danh sách loại nội dung.','Parent Item Prefix'=>'Tiền tố mục cha','Parent %s:'=>'Cha %s:','New Post'=>'Bài viết mới','New Item'=>'Mục mới','New %s'=>'%s mới','Add New Post'=>'Thêm bài viết mới','At the top of the editor screen when adding a new item.'=>'Ở đầu màn hình trình chỉnh sửa khi thêm một mục mới.','Add New Item'=>'Thêm mục mới','Add New %s'=>'Thêm %s mới','View Posts'=>'Xem bài viết','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'Xuất hiện trong thanh quản trị trong chế độ xem \'Tất cả bài viết\', miễn là loại nội dung hỗ trợ lưu trữ và trang chủ không phải là lưu trữ của loại nội dung đó.','View Items'=>'Xem mục','View Post'=>'Xem bài viết','In the admin bar to view item when editing it.'=>'Trong thanh quản trị để xem mục khi đang chỉnh sửa nó.','View Item'=>'Xem mục','View %s'=>'Xem %s','Edit Post'=>'Chỉnh sửa bài viết','At the top of the editor screen when editing an item.'=>'Ở đầu màn hình trình chỉnh sửa khi sửa một mục.','Edit Item'=>'Chỉnh sửa mục','Edit %s'=>'Chỉnh sửa %s','All Posts'=>'Tất cả bài viết','In the post type submenu in the admin dashboard.'=>'Trong submenu loại nội dung trong bảng điều khiển quản trị.','All Items'=>'Tất cả mục','All %s'=>'Tất cả %s','Admin menu name for the post type.'=>'Tên menu quản trị cho loại nội dung.','Menu Name'=>'Tên menu','Regenerate all labels using the Singular and Plural labels'=>'Tạo lại tất cả các tên bằng cách sử dụng tên số ít và tên số nhiều','Regenerate'=>'Tạo lại','Active post types are enabled and registered with WordPress.'=>'Các loại nội dung đang hoạt động đã được kích hoạt và đăng ký với WordPress.','A descriptive summary of the post type.'=>'Một tóm tắt mô tả về loại nội dung.','Add Custom'=>'Thêm tùy chỉnh','Enable various features in the content editor.'=>'Kích hoạt các tính năng khác nhau trong trình chỉnh sửa nội dung.','Post Formats'=>'Định dạng bài viết','Editor'=>'Trình chỉnh sửa','Trackbacks'=>'Theo dõi liên kết','Select existing taxonomies to classify items of the post type.'=>'Chọn các phân loại hiện có để phân loại các mục của loại nội dung.','Browse Fields'=>'Duyệt các trường','Nothing to import'=>'Không có gì để nhập','. The Custom Post Type UI plugin can be deactivated.'=>'. Plugin Giao diện người dùng loại nội dung tùy chỉnh có thể được hủy kích hoạt.','Imported %d item from Custom Post Type UI -'=>'Đã nhập %d mục từ giao diện người dùng loại nội dung tùy chỉnh -','Failed to import taxonomies.'=>'Không thể nhập phân loại.','Failed to import post types.'=>'Không thể nhập loại nội dung.','Nothing from Custom Post Type UI plugin selected for import.'=>'Không có gì từ plugin Giao diện người dùng loại nội dung tùy chỉnh được chọn để nhập.','Imported 1 item'=>'Đã nhập %s mục','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'Nhập một loại nội dung hoặc Phân loại với khóa giống như một cái đã tồn tại sẽ ghi đè các cài đặt cho loại nội dung hoặc Phân loại hiện tại với những cái của nhập khẩu.','Import from Custom Post Type UI'=>'Nhập từ Giao diện người dùng loại nội dung Tùy chỉnh','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'Mã sau đây có thể được sử dụng để đăng ký một phiên bản địa phương của các mục đã chọn. Lưu trữ nhóm trường, loại nội dung hoặc phân loại một cách địa phương có thể mang lại nhiều lợi ích như thời gian tải nhanh hơn, kiểm soát phiên bản và trường/cài đặt động. Chỉ cần sao chép và dán mã sau vào tệp functions.php giao diện của bạn hoặc bao gồm nó trong một tệp bên ngoài, sau đó hủy kích hoạt hoặc xóa các mục từ quản trị ACF.','Export - Generate PHP'=>'Xuất - Tạo PHP','Export'=>'Xuất','Select Taxonomies'=>'Chọn Phân loại','Select Post Types'=>'Chọn loại nội dung','Exported 1 item.'=>'Đã xuất %s mục.','Category'=>'Danh mục','Tag'=>'Thẻ','%s taxonomy created'=>'%s đã tạo phân loại','%s taxonomy updated'=>'%s đã cập nhật phân loại','Taxonomy draft updated.'=>'Bản nháp phân loại đã được cập nhật.','Taxonomy scheduled for.'=>'Phân loại được lên lịch cho.','Taxonomy submitted.'=>'Phân loại đã được gửi.','Taxonomy saved.'=>'Phân loại đã được lưu.','Taxonomy deleted.'=>'Phân loại đã được xóa.','Taxonomy updated.'=>'Phân loại đã được cập nhật.','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'Phân loại này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một phân loại khác được đăng ký bởi một plugin hoặc giao diện khác.','Taxonomy synchronized.'=>'Đã đồng bộ hóa %s phân loại.','Taxonomy duplicated.'=>'Đã nhân đôi %s phân loại.','Taxonomy deactivated.'=>'Đã hủy kích hoạt %s phân loại.','Taxonomy activated.'=>'Đã kích hoạt %s phân loại.','Terms'=>'Mục phân loại','Post type synchronized.'=>'Đã đồng bộ hóa %s loại nội dung.','Post type duplicated.'=>'Đã nhân đôi %s loại nội dung.','Post type deactivated.'=>'Đã hủy kích hoạt %s loại nội dung.','Post type activated.'=>'Đã kích hoạt %s loại nội dung.','Post Types'=>'Loại nội dung','Advanced Settings'=>'Cài đặt nâng cao','Basic Settings'=>'Cài đặt cơ bản','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'Loại nội dung này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một loại nội dung khác được đăng ký bởi một plugin hoặc giao diện khác.','Pages'=>'Trang','Link Existing Field Groups'=>'Liên kết Nhóm Trường Hiện tại','%s post type created'=>'%s Đã tạo loại nội dung','Add fields to %s'=>'Thêm trường vào %s','%s post type updated'=>'%s Đã cập nhật loại nội dung','Post type draft updated.'=>'Bản nháp loại nội dung đã được cập nhật.','Post type scheduled for.'=>'Loại nội dung được lên lịch cho.','Post type submitted.'=>'Loại nội dung đã được gửi.','Post type saved.'=>'Loại nội dung đã được lưu.','Post type updated.'=>'Loại nội dung đã được cập nhật.','Post type deleted.'=>'Loại nội dung đã được xóa.','Type to search...'=>'Nhập để tìm kiếm...','PRO Only'=>'Chỉ dành cho PRO','Field groups linked successfully.'=>'Nhóm trường đã được liên kết thành công.','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'Nhập loại nội dung và Phân loại đã đăng ký với Giao diện người dùng loại nội dung Tùy chỉnh và quản lý chúng với ACF. Bắt đầu.','ACF'=>'ACF','taxonomy'=>'phân loại','post type'=>'loại nội dung','Done'=>'Hoàn tất','Field Group(s)'=>'Nhóm trường','Select one or many field groups...'=>'Chọn một hoặc nhiều nhóm trường...','Please select the field groups to link.'=>'Vui lòng chọn nhóm trường để liên kết.','Field group linked successfully.'=>'Nhóm trường đã được liên kết thành công.','post statusRegistration Failed'=>'Đăng ký Thất bại','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'Mục này không thể được đăng ký vì khóa của nó đang được sử dụng bởi một mục khác được đăng ký bởi một plugin hoặc giao diện khác.','REST API'=>'REST API','Permissions'=>'Quyền','URLs'=>'URL','Visibility'=>'Khả năng hiển thị','Labels'=>'Nhãn','Field Settings Tabs'=>'Thẻ thiết lập trường','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[Giá trị shortcode ACF bị tắt xem trước]','Close Modal'=>'Thoát hộp cửa sổ','Field moved to other group'=>'Trường được chuyển đến nhóm khác','Close modal'=>'Thoát hộp cửa sổ','Start a new group of tabs at this tab.'=>'Bắt đầu một nhóm mới của các tab tại tab này.','New Tab Group'=>'Nhóm Tab mới','Use a stylized checkbox using select2'=>'Sử dụng hộp kiểm được tạo kiểu bằng select2','Save Other Choice'=>'Lưu Lựa chọn khác','Allow Other Choice'=>'Cho phép lựa chọn khác','Add Toggle All'=>'Thêm chuyển đổi tất cả','Save Custom Values'=>'Lưu Giá trị Tùy chỉnh','Allow Custom Values'=>'Cho phép giá trị tùy chỉnh','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'Giá trị tùy chỉnh của hộp kiểm không thể trống. Bỏ chọn bất kỳ giá trị trống nào.','Updates'=>'Cập nhật','Advanced Custom Fields logo'=>'Logo Advanced Custom Fields','Save Changes'=>'Lưu thay đổi','Field Group Title'=>'Tiêu đề nhóm trường','Add title'=>'Thêm tiêu đề','New to ACF? Take a look at our getting started guide.'=>'Mới sử dụng ACF? Hãy xem qua hướng dẫn bắt đầu của chúng tôi.','Add Field Group'=>'Thêm nhóm trường','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF sử dụng nhóm trường để nhóm các trường tùy chỉnh lại với nhau, sau đó gắn các trường đó vào màn hình chỉnh sửa.','Add Your First Field Group'=>'Thêm nhóm trường đầu tiên của bạn','Options Pages'=>'Trang cài đặt','ACF Blocks'=>'Khối ACF','Gallery Field'=>'Trường Album ảnh','Flexible Content Field'=>'Trường nội dung linh hoạt','Repeater Field'=>'Trường lặp lại','Unlock Extra Features with ACF PRO'=>'Mở khóa tính năng mở rộng với ACF PRO','Delete Field Group'=>'Xóa nhóm trường','Created on %1$s at %2$s'=>'Được tạo vào %1$s lúc %2$s','Group Settings'=>'Cài đặt nhóm','Location Rules'=>'Quy tắc vị trí','Choose from over 30 field types. Learn more.'=>'Chọn từ hơn 30 loại trường. Tìm hiểu thêm.','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'Bắt đầu tạo các trường tùy chỉnh mới cho bài viết, trang, loại nội dung tùy chỉnh và nội dung WordPress khác của bạn.','Add Your First Field'=>'Thêm trường đầu tiên của bạn','#'=>'#','Add Field'=>'Thêm trường','Presentation'=>'Trình bày','Validation'=>'Xác thực','General'=>'Tổng quan','Import JSON'=>'Nhập JSON','Export As JSON'=>'Xuất JSON','Field group deactivated.'=>'Nhóm trường %s đã bị ngừng kích hoạt.','Field group activated.'=>'Nhóm trường %s đã được kích hoạt.','Deactivate'=>'Ngừng kích hoạt','Deactivate this item'=>'Ngừng kích hoạt mục này','Activate'=>'Kích hoạt','Activate this item'=>'Kích hoạt mục này','Move field group to trash?'=>'Chuyển nhóm trường vào thùng rác?','post statusInactive'=>'Không hoạt động','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'Advanced Custom Fields và Advanced Custom Fields PRO không nên hoạt động cùng một lúc. Chúng tôi đã tự động tắt Advanced Custom Fields PRO.','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'Advanced Custom Fields và Advanced Custom Fields PRO không nên hoạt động cùng một lúc. Chúng tôi đã tự động tắt Advanced Custom Fields.','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - Chúng tôi đã phát hiện một hoặc nhiều cuộc gọi để lấy giá trị trường ACF trước khi ACF được khởi tạo. Điều này không được hỗ trợ và có thể dẫn đến dữ liệu bị hỏng hoặc thiếu. Tìm hiểu cách khắc phục điều này.','%1$s must have a user with the %2$s role.'=>'%1$s phải có một người dùng với vai trò %2$s.','%1$s must have a valid user ID.'=>'%1$s phải có một ID người dùng hợp lệ.','Invalid request.'=>'Yêu cầu không hợp lệ.','%1$s is not one of %2$s'=>'%1$s không phải là một trong %2$s','%1$s must have term %2$s.'=>'%1$s phải có mục phân loại %2$s.','%1$s must be of post type %2$s.'=>'%1$s phải là loại nội dung %2$s.','%1$s must have a valid post ID.'=>'%1$s phải có một ID bài viết hợp lệ.','%s requires a valid attachment ID.'=>'%s yêu cầu một ID đính kèm hợp lệ.','Show in REST API'=>'Hiển thị trong REST API','Enable Transparency'=>'Kích hoạt tính trong suốt','RGBA Array'=>'Array RGBA','RGBA String'=>'Chuỗi RGBA','Hex String'=>'Chuỗi Hex','Upgrade to PRO'=>'Nâng cấp lên PRO','post statusActive'=>'Hoạt động','\'%s\' is not a valid email address'=>'\'%s\' không phải là một địa chỉ email hợp lệ','Color value'=>'Giá trị màu','Select default color'=>'Chọn màu mặc định','Clear color'=>'Xóa màu','Blocks'=>'Khối','Options'=>'Tùy chọn','Users'=>'Người dùng','Menu items'=>'Mục menu','Widgets'=>'Tiện ích','Attachments'=>'Đính kèm các tệp','Taxonomies'=>'Phân loại','Posts'=>'Bài viết','Last updated: %s'=>'Cập nhật lần cuối: %s','Sorry, this post is unavailable for diff comparison.'=>'Xin lỗi, bài viết này không khả dụng để so sánh diff.','Invalid field group parameter(s).'=>'Tham số nhóm trường không hợp lệ.','Awaiting save'=>'Đang chờ lưu','Saved'=>'Đã lưu','Import'=>'Nhập','Review changes'=>'Xem xét thay đổi','Located in: %s'=>'Đặt tại: %s','Located in plugin: %s'=>'Đặt trong plugin: %s','Located in theme: %s'=>'Đặt trong giao diện: %s','Various'=>'Đa dạng','Sync changes'=>'Đồng bộ hóa thay đổi','Loading diff'=>'Đang tải diff','Review local JSON changes'=>'Xem xét thay đổi JSON cục bộ','Visit website'=>'Truy cập trang web','View details'=>'Xem chi tiết','Version %s'=>'Phiên bản %s','Information'=>'Thông tin','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'Bàn Giúp đỡ. Các chuyên viên hỗ trợ tại Bàn Giúp đỡ của chúng tôi sẽ giúp bạn giải quyết các thách thức kỹ thuật sâu hơn.','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'Thảo luận. Chúng tôi có một cộng đồng năng động và thân thiện trên Diễn đàn Cộng đồng của chúng tôi, có thể giúp bạn tìm hiểu \'cách làm\' trong thế giới ACF.','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'Tài liệu. Tài liệu rộng lớn của chúng tôi chứa các tài liệu tham khảo và hướng dẫn cho hầu hết các tình huống bạn có thể gặp phải.','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'Chúng tôi rất cuồng nhiệt về hỗ trợ, và muốn bạn có được những điều tốt nhất từ trang web của bạn với ACF. Nếu bạn gặp bất kỳ khó khăn nào, có một số nơi bạn có thể tìm kiếm sự giúp đỡ:','Help & Support'=>'Giúp đỡ & Hỗ trợ','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'Vui lòng sử dụng tab Giúp đỡ & Hỗ trợ để liên hệ nếu bạn cần sự hỗ trợ.','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'Trước khi tạo Nhóm Trường đầu tiên của bạn, chúng tôi khuyên bạn nên đọc hướng dẫn Bắt đầu của chúng tôi để làm quen với triết lý và các phương pháp tốt nhất của plugin.','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Plugin Advanced Custom Fields cung cấp một trình xây dựng form trực quan để tùy chỉnh màn hình chỉnh sửa WordPress với các trường bổ sung, và một API trực quan để hiển thị giá trị trường tùy chỉnh trong bất kỳ tệp mẫu giao diện nào.','Overview'=>'Tổng quan','Location type "%s" is already registered.'=>'Loại vị trí "%s" đã được đăng ký.','Class "%s" does not exist.'=>'Lớp "%s" không tồn tại.','Invalid nonce.'=>'Số lần không hợp lệ.','Error loading field.'=>'Lỗi tải trường.','Error: %s'=>'Lỗi: %s','Widget'=>'Tiện ích','User Role'=>'Vai trò người dùng','Comment'=>'Bình luận','Post Format'=>'Định dạng bài viết','Menu Item'=>'Mục menu','Post Status'=>'Trang thái bài viết','Menus'=>'Menus','Menu Locations'=>'Vị trí menu','Menu'=>'Menu','Post Taxonomy'=>'Phân loại bài viết','Child Page (has parent)'=>'Trang con (có trang cha)','Parent Page (has children)'=>'Trang cha (có trang con)','Top Level Page (no parent)'=>'Trang cấp cao nhất (không có trang cha)','Posts Page'=>'Trang bài viết','Front Page'=>'Trang chủ','Page Type'=>'Loại trang','Viewing back end'=>'Đang xem phía sau','Viewing front end'=>'Đang xem phía trước','Logged in'=>'Đã đăng nhập','Current User'=>'Người dùng hiện tại','Page Template'=>'Mẫu trang','Register'=>'Register','Add / Edit'=>'Thêm / Chỉnh sửa','User Form'=>'Form người dùng','Page Parent'=>'Trang cha','Super Admin'=>'Quản trị viên cấp cao','Current User Role'=>'Vai trò người dùng hiện tại','Default Template'=>'Mẫu mặc định','Post Template'=>'Mẫu bài viết','Post Category'=>'Danh mục bài viết','All %s formats'=>'Tất cả %s các định dạng','Attachment'=>'Đính kèm tệp','%s value is required'=>'%s giá trị là bắt buộc','Show this field if'=>'Hiển thị trường này nếu','Conditional Logic'=>'Điều kiện logic','and'=>'và','Local JSON'=>'JSON cục bộ','Clone Field'=>'Trường tạo bản sao','Please also check all premium add-ons (%s) are updated to the latest version.'=>'Vui lòng cũng kiểm tra tất cả các tiện ích mở rộng cao cấp (%s) đã được cập nhật lên phiên bản mới nhất.','This version contains improvements to your database and requires an upgrade.'=>'Phiên bản này chứa các cải tiến cho cơ sở dữ liệu của bạn và yêu cầu nâng cấp.','Thank you for updating to %1$s v%2$s!'=>'Cảm ơn bạn đã cập nhật lên %1$s v%2$s!','Database Upgrade Required'=>'Yêu cầu Nâng cấp Cơ sở dữ liệu','Options Page'=>'Trang cài đặt','Gallery'=>'Album ảnh','Flexible Content'=>'Nội dung linh hoạt','Repeater'=>'Lặp lại','Back to all tools'=>'Quay lại tất cả các công cụ','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)'=>'Nếu nhiều nhóm trường xuất hiện trên màn hình chỉnh sửa, các tùy chọn của nhóm trường đầu tiên sẽ được sử dụng (nhóm có số thứ tự thấp nhất)','Select items to hide them from the edit screen.'=>'Chọn các mục để ẩn chúng khỏi màn hình chỉnh sửa.','Hide on screen'=>'Ẩn trên màn hình','Send Trackbacks'=>'Gửi theo dõi liên kết','Tags'=>'Thẻ tag','Categories'=>'Danh mục','Page Attributes'=>'Thuộc tính trang','Format'=>'Định dạng','Author'=>'Tác giả','Slug'=>'Đường dẫn cố định','Revisions'=>'Bản sửa đổi','Comments'=>'Bình luận','Discussion'=>'Thảo luận','Excerpt'=>'Tóm tắt','Content Editor'=>'Trình chỉnh sửa nội dung','Permalink'=>'Liên kết cố định','Shown in field group list'=>'Hiển thị trong danh sách nhóm trường','Field groups with a lower order will appear first'=>'Nhóm trường có thứ tự thấp hơn sẽ xuất hiện đầu tiên','Order No.'=>'Số thứ tự','Below fields'=>'Các trường bên dưới','Below labels'=>'Dưới các nhãn','Instruction Placement'=>'Vị trí hướng dẫn','Label Placement'=>'Vị trí nhãn','Side'=>'Thanh bên','Normal (after content)'=>'Bình thường (sau nội dung)','High (after title)'=>'Cao (sau tiêu đề)','Position'=>'Vị trí','Seamless (no metabox)'=>'Liền mạch (không có metabox)','Standard (WP metabox)'=>'Tiêu chuẩn (WP metabox)','Style'=>'Kiểu','Type'=>'Loại','Key'=>'Khóa','Order'=>'Đặt hàng','Close Field'=>'Thoát trường','id'=>'id','class'=>'lớp','width'=>'chiều rộng','Wrapper Attributes'=>'Thuộc tính bao bọc','Required'=>'Yêu cầu','Instructions'=>'Hướng dẫn','Field Type'=>'Loại trường','Single word, no spaces. Underscores and dashes allowed'=>'Một từ, không có khoảng trắng. Cho phép dấu gạch dưới và dấu gạch ngang','Field Name'=>'Tên trường','This is the name which will appear on the EDIT page'=>'Đây là tên sẽ xuất hiện trên trang CHỈNH SỬA','Field Label'=>'Nhãn trường','Delete'=>'Xóa','Delete field'=>'Xóa trường','Move'=>'Di chuyển','Move field to another group'=>'Di chuyển trường sang nhóm khác','Duplicate field'=>'Trường Tạo bản sao','Edit field'=>'Chỉnh sửa trường','Drag to reorder'=>'Kéo để sắp xếp lại','Show this field group if'=>'Hiển thị nhóm trường này nếu','No updates available.'=>'Không có bản cập nhật nào.','Database upgrade complete. See what\'s new'=>'Nâng cấp cơ sở dữ liệu hoàn tất. Xem những gì mới','Reading upgrade tasks...'=>'Đang đọc các tác vụ nâng cấp...','Upgrade failed.'=>'Nâng cấp thất bại.','Upgrade complete.'=>'Nâng cấp hoàn tất.','Upgrading data to version %s'=>'Đang nâng cấp dữ liệu lên phiên bản %s','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'Chúng tôi khuyến nghị bạn nên sao lưu cơ sở dữ liệu trước khi tiếp tục. Bạn có chắc chắn muốn chạy trình cập nhật ngay bây giờ không?','Please select at least one site to upgrade.'=>'Vui lòng chọn ít nhất một trang web để nâng cấp.','Database Upgrade complete. Return to network dashboard'=>'Nâng cấp Cơ sở dữ liệu hoàn tất. Quay lại bảng điều khiển mạng','Site is up to date'=>'Trang web đã được cập nhật','Site requires database upgrade from %1$s to %2$s'=>'Trang web yêu cầu nâng cấp cơ sở dữ liệu từ %1$s lên %2$s','Site'=>'Trang web','Upgrade Sites'=>'Nâng cấp trang web','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'Các trang web sau đây yêu cầu nâng cấp DB. Kiểm tra những trang web bạn muốn cập nhật và sau đó nhấp %s.','Add rule group'=>'Thêm nhóm quy tắc','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'Tạo một tập quy tắc để xác định màn hình chỉnh sửa nào sẽ sử dụng các trường tùy chỉnh nâng cao này','Rules'=>'Quy tắc','Copied'=>'Đã sao chép','Copy to clipboard'=>'Sao chép vào bảng nhớ tạm','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'Chọn các mục bạn muốn xuất và sau đó chọn phương pháp xuất của bạn. Xuất dưới dạng JSON để xuất ra tệp .json mà sau đó bạn có thể nhập vào cài đặt ACF khác. Tạo PHP để xuất ra mã PHP mà bạn có thể đặt trong giao diện của mình.','Select Field Groups'=>'Chọn nhóm trường','No field groups selected'=>'Không có nhóm trường nào được chọn','Generate PHP'=>'Xuất PHP','Export Field Groups'=>'Xuất nhóm trường','Import file empty'=>'Tệp nhập trống','Incorrect file type'=>'Loại tệp không chính xác','Error uploading file. Please try again'=>'Lỗi tải lên tệp. Vui lòng thử lại','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'Chọn tệp JSON Advanced Custom Fields mà bạn muốn nhập. Khi bạn nhấp vào nút nhập dưới đây, ACF sẽ nhập các mục trong tệp đó.','Import Field Groups'=>'Nhập nhóm trường','Sync'=>'Đồng bộ','Select %s'=>'Lự chọn %s','Duplicate'=>'Tạo bản sao','Duplicate this item'=>'Tạo bản sao mục này','Supports'=>'Hỗ trợ','Documentation'=>'Tài liệu hướng dẫn','Description'=>'Mô tả','Sync available'=>'Đồng bộ hóa có sẵn','Field group synchronized.'=>'Các nhóm trường %s đã được đồng bộ hóa.','Field group duplicated.'=>'%s nhóm trường bị trùng lặp.','Active (%s)'=>'Kích hoạt (%s)','Review sites & upgrade'=>'Xem xét các trang web & nâng cấp','Upgrade Database'=>'Nâng cấp cơ sở dữ liệu','Custom Fields'=>'Trường tùy chỉnh','Move Field'=>'Di chuyển trường','Please select the destination for this field'=>'Vui lòng chọn điểm đến cho trường này','The %1$s field can now be found in the %2$s field group'=>'Trường %1$s giờ đây có thể được tìm thấy trong nhóm trường %2$s','Move Complete.'=>'Di chuyển hoàn tất.','Active'=>'Hoạt động','Field Keys'=>'Khóa trường','Settings'=>'Cài đặt','Location'=>'Vị trí','Null'=>'Giá trị rỗng','copy'=>'sao chép','(this field)'=>'(trường này)','Checked'=>'Đã kiểm tra','Move Custom Field'=>'Di chuyển trường tùy chỉnh','No toggle fields available'=>'Không có trường chuyển đổi nào','Field group title is required'=>'Tiêu đề nhóm trường là bắt buộc','This field cannot be moved until its changes have been saved'=>'Trường này không thể di chuyển cho đến khi các thay đổi của nó đã được lưu','The string "field_" may not be used at the start of a field name'=>'Chuỗi "field_" không được sử dụng ở đầu tên trường','Field group draft updated.'=>'Bản nháp nhóm trường đã được cập nhật.','Field group scheduled for.'=>'Nhóm trường đã được lên lịch.','Field group submitted.'=>'Nhóm trường đã được gửi.','Field group saved.'=>'Nhóm trường đã được lưu.','Field group published.'=>'Nhóm trường đã được xuất bản.','Field group deleted.'=>'Nhóm trường đã bị xóa.','Field group updated.'=>'Nhóm trường đã được cập nhật.','Tools'=>'Công cụ','is not equal to'=>'không bằng với','is equal to'=>'bằng với','Forms'=>'Biểu mẫu','Page'=>'Trang','Post'=>'Bài viết','Relational'=>'Quan hệ','Choice'=>'Lựa chọn','Basic'=>'Cơ bản','Unknown'=>'Không rõ','Field type does not exist'=>'Loại trường không tồn tại','Spam Detected'=>'Phát hiện spam','Post updated'=>'Bài viết đã được cập nhật','Update'=>'Cập nhật','Validate Email'=>'Xác thực Email','Content'=>'Nội dung','Title'=>'Tiêu đề','Edit field group'=>'Chỉnh sửa nhóm trường','Selection is less than'=>'Lựa chọn ít hơn','Selection is greater than'=>'Lựa chọn nhiều hơn','Value is less than'=>'Giá trị nhỏ hơn','Value is greater than'=>'Giá trị lớn hơn','Value contains'=>'Giá trị chứa','Value matches pattern'=>'Giá trị phù hợp với mô hình','Value is not equal to'=>'Giá trị không bằng với','Value is equal to'=>'Giá trị bằng với','Has no value'=>'Không có giá trị','Has any value'=>'Có bất kỳ giá trị nào','Cancel'=>'Hủy','Are you sure?'=>'Bạn có chắc không?','%d fields require attention'=>'%d trường cần chú ý','1 field requires attention'=>'1 trường cần chú ý','Validation failed'=>'Xác thực thất bại','Validation successful'=>'Xác thực thành công','Restricted'=>'Bị hạn chế','Collapse Details'=>'Thu gọn chi tiết','Expand Details'=>'Mở rộng chi tiết','Uploaded to this post'=>'Đã tải lên bài viết này','verbUpdate'=>'Cập nhật','verbEdit'=>'Chỉnh sửa','The changes you made will be lost if you navigate away from this page'=>'Những thay đổi bạn đã thực hiện sẽ bị mất nếu bạn điều hướng ra khỏi trang này','File type must be %s.'=>'Loại tệp phải là %s.','or'=>'hoặc','File size must not exceed %s.'=>'Kích thước tệp không được vượt quá %s.','File size must be at least %s.'=>'Kích thước tệp phải ít nhất là %s.','Image height must not exceed %dpx.'=>'Chiều cao hình ảnh không được vượt quá %dpx.','Image height must be at least %dpx.'=>'Chiều cao hình ảnh phải ít nhất là %dpx.','Image width must not exceed %dpx.'=>'Chiều rộng hình ảnh không được vượt quá %dpx.','Image width must be at least %dpx.'=>'Chiều rộng hình ảnh phải ít nhất là %dpx.','(no title)'=>'(không tiêu đề)','Full Size'=>'Kích thước đầy đủ','Large'=>'Lớn','Medium'=>'Trung bình','Thumbnail'=>'Hình thu nhỏ','(no label)'=>'(không nhãn)','Sets the textarea height'=>'Đặt chiều cao của ô nhập liệu dạng văn bản','Rows'=>'Hàng','Text Area'=>'Vùng chứa văn bản','Prepend an extra checkbox to toggle all choices'=>'Thêm vào một hộp kiểm phụ để chuyển đổi tất cả các lựa chọn','Save \'custom\' values to the field\'s choices'=>'Lưu giá trị \'tùy chỉnh\' vào các lựa chọn của trường','Allow \'custom\' values to be added'=>'Cho phép thêm giá trị \'tùy chỉnh\'','Add new choice'=>'Thêm lựa chọn mới','Toggle All'=>'Chọn tất cả','Allow Archives URLs'=>'Cho phép URL lưu trữ','Archives'=>'Trang lưu trữ','Page Link'=>'Liên kết trang','Add'=>'Thêm','Name'=>'Tên','%s added'=>'%s đã được thêm','%s already exists'=>'%s đã tồn tại','User unable to add new %s'=>'Người dùng không thể thêm mới %s','Term ID'=>'ID mục phân loại','Term Object'=>'Đối tượng mục phân loại','Load value from posts terms'=>'Tải giá trị từ các mục phân loại bài viết','Load Terms'=>'Tải mục phân loại','Connect selected terms to the post'=>'Kết nối các mục phân loại đã chọn với bài viết','Save Terms'=>'Lưu mục phân loại','Allow new terms to be created whilst editing'=>'Cho phép tạo mục phân loại mới trong khi chỉnh sửa','Create Terms'=>'Tạo mục phân loại','Radio Buttons'=>'Các nút chọn','Single Value'=>'Giá trị đơn','Multi Select'=>'Chọn nhiều mục','Checkbox'=>'Hộp kiểm','Multiple Values'=>'Nhiều giá trị','Select the appearance of this field'=>'Chọn hiển thị của trường này','Appearance'=>'Hiển thị','Select the taxonomy to be displayed'=>'Chọn phân loại để hiển thị','No TermsNo %s'=>'Không %s','Value must be equal to or lower than %d'=>'Giá trị phải bằng hoặc thấp hơn %d','Value must be equal to or higher than %d'=>'Giá trị phải bằng hoặc cao hơn %d','Value must be a number'=>'Giá trị phải là một số','Number'=>'Dạng số','Save \'other\' values to the field\'s choices'=>'Lưu các giá trị \'khác\' vào lựa chọn của trường','Add \'other\' choice to allow for custom values'=>'Thêm lựa chọn \'khác\' để cho phép các giá trị tùy chỉnh','Other'=>'Khác','Radio Button'=>'Nút chọn','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'Xác định một điểm cuối để accordion trước đó dừng lại. Accordion này sẽ không hiển thị.','Allow this accordion to open without closing others.'=>'Cho phép accordion này mở mà không đóng các accordion khác.','Multi-Expand'=>'Mở rộng đa dạng','Display this accordion as open on page load.'=>'Hiển thị accordion này như đang mở khi tải trang.','Open'=>'Mở','Accordion'=>'Mở rộng & Thu gọn','Restrict which files can be uploaded'=>'Hạn chế các tệp có thể tải lên','File ID'=>'ID tệp','File URL'=>'URL tệp','File Array'=>'Array tập tin','Add File'=>'Thêm tệp','No file selected'=>'Không có tệp nào được chọn','File name'=>'Tên tệp','Update File'=>'Cập nhật tệp tin','Edit File'=>'Sửa tệp tin','Select File'=>'Chọn tệp tin','File'=>'Tệp tin','Password'=>'Mật khẩu','Specify the value returned'=>'Chỉ định giá trị trả về','Use AJAX to lazy load choices?'=>'Sử dụng AJAX để tải lựa chọn một cách lười biếng?','Enter each default value on a new line'=>'Nhập mỗi giá trị mặc định trên một dòng mới','verbSelect'=>'Lựa chọn','Select2 JS load_failLoading failed'=>'Tải thất bại','Select2 JS searchingSearching…'=>'Đang tìm kiếm…','Select2 JS load_moreLoading more results…'=>'Đang tải thêm kết quả…','Select2 JS selection_too_long_nYou can only select %d items'=>'Bạn chỉ có thể chọn %d mục','Select2 JS selection_too_long_1You can only select 1 item'=>'Bạn chỉ có thể chọn 1 mục','Select2 JS input_too_long_nPlease delete %d characters'=>'Vui lòng xóa %d ký tự','Select2 JS input_too_long_1Please delete 1 character'=>'Vui lòng xóa 1 ký tự','Select2 JS input_too_short_nPlease enter %d or more characters'=>'Vui lòng nhập %d ký tự hoặc nhiều hơn','Select2 JS input_too_short_1Please enter 1 or more characters'=>'Vui lòng nhập 1 ký tự hoặc nhiều hơn','Select2 JS matches_0No matches found'=>'Không tìm thấy kết quả phù hợp','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'%d kết quả có sẵn, sử dụng các phím mũi tên lên và xuống để điều hướng.','Select2 JS matches_1One result is available, press enter to select it.'=>'Có một kết quả, nhấn enter để chọn.','nounSelect'=>'Lựa chọn','User ID'=>'ID Người dùng','User Object'=>'Đối tượng người dùng','User Array'=>'Array người dùng','All user roles'=>'Tất cả vai trò người dùng','Filter by Role'=>'Lọc theo Vai trò','User'=>'Người dùng','Separator'=>'Dấu phân cách','Select Color'=>'Chọn màu','Default'=>'Mặc định','Clear'=>'Xóa','Color Picker'=>'Bộ chọn màu','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'CH','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'SA','Date Time Picker JS selectTextSelect'=>'Chọn','Date Time Picker JS closeTextDone'=>'Hoàn tất','Date Time Picker JS currentTextNow'=>'Bây giờ','Date Time Picker JS timezoneTextTime Zone'=>'Múi giờ','Date Time Picker JS microsecTextMicrosecond'=>'Micro giây','Date Time Picker JS millisecTextMillisecond'=>'Mili giây','Date Time Picker JS secondTextSecond'=>'Giây','Date Time Picker JS minuteTextMinute'=>'Phút','Date Time Picker JS hourTextHour'=>'Giờ','Date Time Picker JS timeTextTime'=>'Thời gian','Date Time Picker JS timeOnlyTitleChoose Time'=>'Chọn thời gian','Date Time Picker'=>'Công cụ chọn ngày giờ','Endpoint'=>'Điểm cuối','Left aligned'=>'Căn lề trái','Top aligned'=>'Căn lề trên','Placement'=>'Vị trí','Tab'=>'Tab','Value must be a valid URL'=>'Giá trị phải là URL hợp lệ','Link URL'=>'URL liên kết','Link Array'=>'Array liên kết','Opens in a new window/tab'=>'Mở trong cửa sổ/tab mới','Select Link'=>'Chọn liên kết','Link'=>'Liên kết','Email'=>'Email','Step Size'=>'Kích thước bước','Maximum Value'=>'Giá trị tối đa','Minimum Value'=>'Giá trị tối thiểu','Range'=>'Thanh trượt phạm vi','Both (Array)'=>'Cả hai (Array)','Label'=>'Nhãn','Value'=>'Giá trị','Vertical'=>'Dọc','Horizontal'=>'Ngang','red : Red'=>'red : Đỏ','For more control, you may specify both a value and label like this:'=>'Để kiểm soát nhiều hơn, bạn có thể chỉ định cả giá trị và nhãn như thế này:','Enter each choice on a new line.'=>'Nhập mỗi lựa chọn trên một dòng mới.','Choices'=>'Lựa chọn','Button Group'=>'Nhóm nút','Allow Null'=>'Cho phép để trống','Parent'=>'Cha','TinyMCE will not be initialized until field is clicked'=>'TinyMCE sẽ không được khởi tạo cho đến khi trường được nhấp','Delay Initialization'=>'Trì hoãn khởi tạo','Show Media Upload Buttons'=>'Hiển thị nút tải lên Media','Toolbar'=>'Thanh công cụ','Text Only'=>'Chỉ văn bản','Visual Only'=>'Chỉ hình ảnh','Visual & Text'=>'Trực quan & văn bản','Tabs'=>'Tab','Click to initialize TinyMCE'=>'Nhấp để khởi tạo TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'Văn bản','Visual'=>'Trực quan','Value must not exceed %d characters'=>'Giá trị không được vượt quá %d ký tự','Leave blank for no limit'=>'Để trống nếu không giới hạn','Character Limit'=>'Giới hạn ký tự','Appears after the input'=>'Xuất hiện sau khi nhập','Append'=>'Thêm vào','Appears before the input'=>'Xuất hiện trước đầu vào','Prepend'=>'Thêm vào đầu','Appears within the input'=>'Xuất hiện trong đầu vào','Placeholder Text'=>'Văn bản gợi ý','Appears when creating a new post'=>'Xuất hiện khi tạo một bài viết mới','Text'=>'Văn bản','%1$s requires at least %2$s selection'=>'%1$s yêu cầu ít nhất %2$s lựa chọn','Post ID'=>'ID bài viết','Post Object'=>'Đối tượng bài viết','Maximum Posts'=>'Số bài viết tối đa','Minimum Posts'=>'Số bài viết tối thiểu','Featured Image'=>'Ảnh đại diện','Selected elements will be displayed in each result'=>'Các phần tử đã chọn sẽ được hiển thị trong mỗi kết quả','Elements'=>'Các phần tử','Taxonomy'=>'Phân loại','Post Type'=>'Loại nội dung','Filters'=>'Bộ lọc','All taxonomies'=>'Tất cả các phân loại','Filter by Taxonomy'=>'Lọc theo phân loại','All post types'=>'Tất cả loại nội dung','Filter by Post Type'=>'Lọc theo loại nội dung','Search...'=>'Tìm kiếm...','Select taxonomy'=>'Chọn phân loại','Select post type'=>'Chọn loại nội dung','No matches found'=>'Không tìm thấy kết quả nào','Loading'=>'Đang tải','Maximum values reached ( {max} values )'=>'Đã đạt giá trị tối đa ( {max} giá trị )','Relationship'=>'Mối quan hệ','Comma separated list. Leave blank for all types'=>'Danh sách được phân tách bằng dấu phẩy. Để trống cho tất cả các loại','Allowed File Types'=>'Loại tệp được phép','Maximum'=>'Tối đa','File size'=>'Kích thước tệp','Restrict which images can be uploaded'=>'Hạn chế hình ảnh nào có thể được tải lên','Minimum'=>'Tối thiểu','Uploaded to post'=>'Đã tải lên bài viết','All'=>'Tất cả','Limit the media library choice'=>'Giới hạn lựa chọn thư viện phương tiện','Library'=>'Thư viện','Preview Size'=>'Kích thước xem trước','Image ID'=>'ID Hình ảnh','Image URL'=>'URL Hình ảnh','Image Array'=>'Array hình ảnh','Specify the returned value on front end'=>'Chỉ định giá trị trả về ở phía trước','Return Value'=>'Giá trị trả về','Add Image'=>'Thêm hình ảnh','No image selected'=>'Không có hình ảnh được chọn','Remove'=>'Xóa','Edit'=>'Chỉnh sửa','All images'=>'Tất cả hình ảnh','Update Image'=>'Cập nhật hình ảnh','Edit Image'=>'Chỉnh sửa hình ảnh','Select Image'=>'Chọn hình ảnh','Image'=>'Hình ảnh','Allow HTML markup to display as visible text instead of rendering'=>'Cho phép đánh dấu HTML hiển thị dưới dạng văn bản hiển thị thay vì hiển thị','Escape HTML'=>'Escape HTML','No Formatting'=>'Không định dạng','Automatically add <br>'=>'Tự động thêm <br>','Automatically add paragraphs'=>'Tự động thêm đoạn văn','Controls how new lines are rendered'=>'Điều khiển cách hiển thị các dòng mới','New Lines'=>'Dòng mới','Week Starts On'=>'Tuần bắt đầu vào','The format used when saving a value'=>'Định dạng được sử dụng khi lưu một giá trị','Save Format'=>'Định dạng lưu','Date Picker JS weekHeaderWk'=>'Tuần','Date Picker JS prevTextPrev'=>'Trước','Date Picker JS nextTextNext'=>'Tiếp theo','Date Picker JS currentTextToday'=>'Hôm nay','Date Picker JS closeTextDone'=>'Hoàn tất','Date Picker'=>'Công cụ chọn ngày','Width'=>'Chiều rộng','Embed Size'=>'Kích thước nhúng','Enter URL'=>'Nhập URL','oEmbed'=>'Nhúng','Text shown when inactive'=>'Văn bản hiển thị khi không hoạt động','Off Text'=>'Văn bản tắt','Text shown when active'=>'Văn bản hiển thị khi hoạt động','On Text'=>'Văn bản bật','Stylized UI'=>'Giao diện người dùng được tạo kiểu','Default Value'=>'Giá trị mặc định','Displays text alongside the checkbox'=>'Hiển thị văn bản cùng với hộp kiểm','Message'=>'Hiển thị thông điệp','No'=>'Không','Yes'=>'Có','True / False'=>'Đúng / Sai','Row'=>'Hàng','Table'=>'Bảng','Block'=>'Khối','Specify the style used to render the selected fields'=>'Chỉ định kiểu được sử dụng để hiển thị các trường đã chọn','Layout'=>'Bố cục','Sub Fields'=>'Các trường phụ','Group'=>'Nhóm','Customize the map height'=>'Tùy chỉnh chiều cao bản đồ','Height'=>'Chiều cao','Set the initial zoom level'=>'Đặt mức zoom ban đầu','Zoom'=>'Phóng to','Center the initial map'=>'Trung tâm bản đồ ban đầu','Center'=>'Trung tâm','Search for address...'=>'Tìm kiếm địa chỉ...','Find current location'=>'Tìm vị trí hiện tại','Clear location'=>'Xóa vị trí','Search'=>'Tìm kiếm','Sorry, this browser does not support geolocation'=>'Xin lỗi, trình duyệt này không hỗ trợ định vị','Google Map'=>'Bản đồ Google','The format returned via template functions'=>'Định dạng được trả về qua các hàm mẫu','Return Format'=>'Định dạng trả về','Custom:'=>'Tùy chỉnh:','The format displayed when editing a post'=>'Định dạng hiển thị khi chỉnh sửa bài viết','Display Format'=>'Định dạng hiển thị','Time Picker'=>'Công cụ chọn thời gian','Inactive (%s)'=>'(%s) không hoạt động','No Fields found in Trash'=>'Không tìm thấy trường nào trong thùng rác','No Fields found'=>'Không tìm thấy trường nào','Search Fields'=>'Tìm kiếm các trường','View Field'=>'Xem trường','New Field'=>'Trường mới','Edit Field'=>'Chỉnh sửa trường','Add New Field'=>'Thêm trường mới','Field'=>'Trường','Fields'=>'Các trường','No Field Groups found in Trash'=>'Không tìm thấy nhóm trường nào trong thùng rác','No Field Groups found'=>'Không tìm thấy nhóm trường nào','Search Field Groups'=>'Tìm kiếm nhóm trường','View Field Group'=>'Xem nhóm trường','New Field Group'=>'Nhóm trường mới','Edit Field Group'=>'Chỉnh sửa nhóm trường','Add New Field Group'=>'Thêm nhóm trường mới','Add New'=>'Thêm mới','Field Group'=>'Nhóm trường','Field Groups'=>'Nhóm trường','Customize WordPress with powerful, professional and intuitive fields.'=>'Tùy chỉnh WordPress với các trường mạnh mẽ, chuyên nghiệp và trực quan.','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'Advanced Custom Fields'],'language'=>'vi','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-vi.mo b/lang/acf-vi.mo
index 41ac460..d28f0a4 100644
Binary files a/lang/acf-vi.mo and b/lang/acf-vi.mo differ
diff --git a/lang/acf-vi.po b/lang/acf-vi.po
index 7ad4bd1..59805f0 100644
--- a/lang/acf-vi.po
+++ b/lang/acf-vi.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: vi\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,29 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr "Tìm hiểu thêm"
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+"ACF không thể thực hiện xác thực vì nonce được cung cấp không xác minh được."
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr "ACF không thể thực hiện xác thực vì máy chủ không nhận được mã nonce."
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr "được phát triển và duy trì bởi"
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "Cập nhật nguồn"
@@ -64,13 +87,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr ""
-"ACF không thể thực hiện xác thực do mã bảo mật được cung cấp không hợp lệ."
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "Cho phép truy cập giá trị trong giao diện trình chỉnh sửa"
@@ -2064,21 +2080,21 @@ msgstr "Thêm trường"
msgid "This Field"
msgstr "Trường này"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "Phản hồi"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "Hỗ trợ"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "được phát triển và duy trì bởi"
@@ -4610,7 +4626,7 @@ msgstr ""
"Nhập loại nội dung và Phân loại đã đăng ký với Giao diện người dùng loại nội "
"dung Tùy chỉnh và quản lý chúng với ACF. Bắt đầu."
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4941,7 +4957,7 @@ msgstr "Kích hoạt mục này"
msgid "Move field group to trash?"
msgstr "Chuyển nhóm trường vào thùng rác?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4954,7 +4970,7 @@ msgstr "Không hoạt động"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4962,7 +4978,7 @@ msgstr ""
"Advanced Custom Fields và Advanced Custom Fields PRO không nên hoạt động "
"cùng một lúc. Chúng tôi đã tự động tắt Advanced Custom Fields PRO."
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5409,7 +5425,7 @@ msgstr "Tất cả %s các định dạng"
msgid "Attachment"
msgstr "Đính kèm tệp"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "%s giá trị là bắt buộc"
@@ -5900,7 +5916,7 @@ msgstr "Tạo bản sao mục này"
msgid "Supports"
msgstr "Hỗ trợ"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "Tài liệu hướng dẫn"
@@ -6195,8 +6211,8 @@ msgstr "%d trường cần chú ý"
msgid "1 field requires attention"
msgstr "1 trường cần chú ý"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "Xác thực thất bại"
@@ -7575,89 +7591,89 @@ msgid "Time Picker"
msgstr "Công cụ chọn thời gian"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "(%s) không hoạt động"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "Không tìm thấy trường nào trong thùng rác"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "Không tìm thấy trường nào"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "Tìm kiếm các trường"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "Xem trường"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "Trường mới"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "Chỉnh sửa trường"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "Thêm trường mới"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "Trường"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "Các trường"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "Không tìm thấy nhóm trường nào trong thùng rác"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "Không tìm thấy nhóm trường nào"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "Tìm kiếm nhóm trường"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "Xem nhóm trường"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "Nhóm trường mới"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "Chỉnh sửa nhóm trường"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "Thêm nhóm trường mới"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "Thêm mới"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "Nhóm trường"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-zh_CN.l10n.php b/lang/acf-zh_CN.l10n.php
index b6224ec..45e8802 100644
--- a/lang/acf-zh_CN.l10n.php
+++ b/lang/acf-zh_CN.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'zh_CN','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['Update Source'=>'更新来源','By default only admin users can edit this setting.'=>'默认情况下,只有管理员用户可以编辑此设置。','By default only super admin users can edit this setting.'=>'默认情况下,只有超级管理员用户才能编辑此设置。','Close and Add Field'=>'关闭并添加字段','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'用于处理分类法中元框内容的 PHP 函数名称。为了安全起见,该回调将在一个特殊的上下文中执行,不能访问任何超级全局变量,如 $_POST 或 $_GET。','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'当设置编辑屏幕的元框时,将调用一个 PHP 函数名称。为了安全起见,该回调将在一个特殊的上下文中执行,不能访问任何超级全局变量,如 $_POST 或 $_GET。','wordpress.org'=>'wordpress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'由于提供了无效安全随机数,ACF 无法执行验证。','Allow Access to Value in Editor UI'=>'允许访问编辑器用户界面中的值','Learn more.'=>'了解更多信息。','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'允许内容编辑器访问和 显示编辑器 UI 中使用块绑定或 ACF 简码的字段值。%s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'请求的 ACF 字段类型不支持块绑定或 ACF 简码中的输出。','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'所请求的 ACF 字段不允许在绑定或 ACF 简码中输出。','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'请求的 ACF 字段类型不支持在绑定或 ACF 简码中输出。','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF 简码无法显示非公开文章中的字段]','[The ACF shortcode is disabled on this site]'=>'[本网站已禁用 ACF 简码]','Businessman Icon'=>'商人图标','Forums Icon'=>'论坛图标','YouTube Icon'=>'YouTube 图标','Yes (alt) Icon'=>'Yes (alt)图标','Xing Icon'=>'Xing 图标','WordPress (alt) Icon'=>'WordPress(备选)图标','WhatsApp Icon'=>'WhatsApp 图标','Write Blog Icon'=>'写博客图标','Widgets Menus Icon'=>'小工具菜单图标','View Site Icon'=>'查看网站图标','Learn More Icon'=>'了解更多信息图标','Add Page Icon'=>'添加页面图标','Video (alt3) Icon'=>'视频(alt3)图标','Video (alt2) Icon'=>'视频(alt2)图标','Video (alt) Icon'=>'视频(alt)图标','Update (alt) Icon'=>'更新图标','Universal Access (alt) Icon'=>'通用访问(alt)图标','Twitter (alt) Icon'=>'推特(alt)图标','Twitch Icon'=>'Twitch 图标','Tide Icon'=>'潮汐图标','Tickets (alt) Icon'=>'门票图标','Text Page Icon'=>'文本页面图标','Table Row Delete Icon'=>'表格行删除图标','Table Row Before Icon'=>'表格行之前图标','Table Row After Icon'=>'表格行后图标','Table Col Delete Icon'=>'删除表格列图标','Table Col Before Icon'=>'表列图标前','Table Col After Icon'=>'表列之后的图标','Superhero (alt) Icon'=>'超级英雄(alt)图标','Superhero Icon'=>'超级英雄图标','Spotify Icon'=>'Spotify 图标','Shortcode Icon'=>'简码图标','Shield (alt) Icon'=>'盾牌(alt)图标','Share (alt2) Icon'=>'共享(alt2)图标','Share (alt) Icon'=>'共享(alt)图标','Saved Icon'=>'保存图标','RSS Icon'=>'RSS 图标','REST API Icon'=>'REST API 图标','Remove Icon'=>'删除图标','Reddit Icon'=>'Reddit 图标','Privacy Icon'=>'隐私图标','Printer Icon'=>'打印机图标','Podio Icon'=>'跑道图标','Plus (alt2) Icon'=>'加号(alt2)图标','Plus (alt) Icon'=>'加号(alt)图标','Plugins Checked Icon'=>'已检查插件图标','Pinterest Icon'=>'Pinterest 图标','Pets Icon'=>'宠物图标','PDF Icon'=>'PDF 图标','Palm Tree Icon'=>'棕榈树图标','Open Folder Icon'=>'打开文件夹图标','No (alt) Icon'=>'无(alt)图标','Money (alt) Icon'=>'金钱(alt)图标','Menu (alt3) Icon'=>'菜单(alt3)图标','Menu (alt2) Icon'=>'菜单(alt2)图标','Menu (alt) Icon'=>'菜单(alt)图标','Spreadsheet Icon'=>'电子表格图标','Interactive Icon'=>'互动图标','Document Icon'=>'文档图标','Default Icon'=>'默认图标','Location (alt) Icon'=>'位置(alt)图标','LinkedIn Icon'=>'LinkedIn 图标','Instagram Icon'=>'Instagram 图标','Insert Before Icon'=>'插入前图标','Insert After Icon'=>'插入后图标','Insert Icon'=>'插入图标','Info Outline Icon'=>'信息轮廓图标','Images (alt2) Icon'=>'图像(alt2)图标','Images (alt) Icon'=>'图像(alt)图标','Rotate Right Icon'=>'向右旋转图标','Rotate Left Icon'=>'向左旋转图标','Rotate Icon'=>'旋转图标','Flip Vertical Icon'=>'垂直翻转图标','Flip Horizontal Icon'=>'水平翻转图标','Crop Icon'=>'裁剪图标','ID (alt) Icon'=>'ID(alt)图标','HTML Icon'=>'HTML 图标','Hourglass Icon'=>'沙漏图标','Heading Icon'=>'标题图标','Google Icon'=>'谷歌图标','Games Icon'=>'游戏图标','Fullscreen Exit (alt) Icon'=>'退出全屏(alt)图标','Fullscreen (alt) Icon'=>'全屏(alt)图标','Status Icon'=>'状态图标','Image Icon'=>'图像图标','Gallery Icon'=>'图库图标','Chat Icon'=>'聊天图标','Audio Icon'=>'音频图标','Aside Icon'=>'其他图标','Food Icon'=>'食物图标','Exit Icon'=>'退出图标','Excerpt View Icon'=>'摘录视图图标','Embed Video Icon'=>'嵌入视频图标','Embed Post Icon'=>'嵌入文章图标','Embed Photo Icon'=>'嵌入照片图标','Embed Generic Icon'=>'嵌入通用图标','Embed Audio Icon'=>'嵌入音频图标','Email (alt2) Icon'=>'电子邮件(alt2)图标','Ellipsis Icon'=>'省略图标','Unordered List Icon'=>'无序列表图标','RTL Icon'=>'RTL 图标','Ordered List RTL Icon'=>'有序列表 RTL 图标','Ordered List Icon'=>'有序列表图标','LTR Icon'=>'LTR 图标','Custom Character Icon'=>'自定义字符图标','Edit Page Icon'=>'编辑页面图标','Edit Large Icon'=>'编辑大图标','Drumstick Icon'=>'鼓槌图标','Database View Icon'=>'数据库查看图标','Database Remove Icon'=>'删除数据库图标','Database Import Icon'=>'数据库导入图标','Database Export Icon'=>'数据库导出图标','Database Add Icon'=>'数据库添加图标','Database Icon'=>'数据库图标','Cover Image Icon'=>'封面图像图标','Volume On Icon'=>'音量打开图标','Volume Off Icon'=>'关闭音量图标','Skip Forward Icon'=>'向前跳转图标','Skip Back Icon'=>'后跳图标','Repeat Icon'=>'重复图标','Play Icon'=>'播放图标','Pause Icon'=>'暂停图标','Forward Icon'=>'前进图标','Back Icon'=>'后退图标','Columns Icon'=>'列图标','Color Picker Icon'=>'颜色选择器图标','Coffee Icon'=>'咖啡图标','Code Standards Icon'=>'代码标准图标','Cloud Upload Icon'=>'云上传图标','Cloud Saved Icon'=>'云保存图标','Car Icon'=>'汽车图标','Camera (alt) Icon'=>'相机(alt)图标','Calculator Icon'=>'计算器图标','Button Icon'=>'按钮图标','Businessperson Icon'=>'商人图标','Tracking Icon'=>'跟踪图标','Topics Icon'=>'主题图标','Replies Icon'=>'回复图标','PM Icon'=>'PM 图标','Friends Icon'=>'好友图标','Community Icon'=>'社区图标','BuddyPress Icon'=>'BuddyPress 图标','bbPress Icon'=>'bbPress 图标','Activity Icon'=>'活动图标','Book (alt) Icon'=>'图书图标','Block Default Icon'=>'块默认图标','Bell Icon'=>'贝尔图标','Beer Icon'=>'啤酒图标','Bank Icon'=>'银行图标','Arrow Up (alt2) Icon'=>'向上箭头(alt2)图标','Arrow Up (alt) Icon'=>'向上箭头(alt)图标','Arrow Right (alt2) Icon'=>'向右箭头(alt2)图标','Arrow Right (alt) Icon'=>'向右箭头(alt)图标','Arrow Left (alt2) Icon'=>'向左箭头(alt2)图标','Arrow Left (alt) Icon'=>'箭头左(alt)图标','Arrow Down (alt2) Icon'=>'向下箭头(alt2)图标','Arrow Down (alt) Icon'=>'箭头向下(alt)图标','Amazon Icon'=>'亚马逊图标','Align Wide Icon'=>'宽对齐图标','Align Pull Right Icon'=>'右拉对齐图标','Align Pull Left Icon'=>'左拉对齐图标','Align Full Width Icon'=>'全宽对齐图标','Airplane Icon'=>'飞机图标','Site (alt3) Icon'=>'网站(alt3)图标','Site (alt2) Icon'=>'网站(alt2)图标','Site (alt) Icon'=>'网站(alt)图标','Upgrade to ACF PRO to create options pages in just a few clicks'=>'升级至 ACF PRO,只需点击几下即可创建选项页面','Invalid request args.'=>'无效请求参数。','Sorry, you do not have permission to do that.'=>'很抱歉,您没有权限来这样做。','Blocks Using Post Meta'=>'使用文章元数据的块','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO Logo','%s requires a valid attachment ID when type is set to media_library.'=>'当类型设置为 media_library 时,%s 需要一个有效的附件 ID。','%s is a required property of acf.'=>'%s 是 acf 的必备属性。','The value of icon to save.'=>'图标的值改为保存。','The type of icon to save.'=>'图标的类型改为保存。','Yes Icon'=>'Yes 图标','WordPress Icon'=>'WordPress 图标','Warning Icon'=>'警告图标','Visibility Icon'=>'可见性图标','Vault Icon'=>'保险库图标','Upload Icon'=>'上传图标','Update Icon'=>'更新图标','Unlock Icon'=>'解锁图标','Universal Access Icon'=>'通用访问图标','Undo Icon'=>'撤销图标','Twitter Icon'=>'推特图标','Trash Icon'=>'回收站图标','Translation Icon'=>'翻译图标','Tickets Icon'=>'门票图标','Thumbs Up Icon'=>'大拇指向上图标','Thumbs Down Icon'=>'大拇指向下图标','Text Icon'=>'文本图标','Testimonial Icon'=>'推荐图标','Tagcloud Icon'=>'标签云图标','Tag Icon'=>'标签图标','Tablet Icon'=>'平板图标','Store Icon'=>'商店图标','Sticky Icon'=>'粘贴图标','Star Half Icon'=>'半星图标','Star Filled Icon'=>'星形填充图标','Star Empty Icon'=>'星空图标','Sos Icon'=>'Sos 图标','Sort Icon'=>'排序图标','Smiley Icon'=>'笑脸图标','Smartphone Icon'=>'智能手机图标','Slides Icon'=>'幻灯片图标','Shield Icon'=>'盾牌图标','Share Icon'=>'共享图标','Search Icon'=>'搜索图标','Screen Options Icon'=>'屏幕选项图标','Schedule Icon'=>'日程图标','Redo Icon'=>'重做图标','Randomize Icon'=>'随机化图标','Products Icon'=>'产品图标','Pressthis Icon'=>'发布图标','Post Status Icon'=>'文章状态图标','Portfolio Icon'=>'组合图标','Plus Icon'=>'加号图标','Playlist Video Icon'=>'播放列表视频图标','Playlist Audio Icon'=>'播放列表音频图标','Phone Icon'=>'电话图标','Performance Icon'=>'表演图标','Paperclip Icon'=>'回形针图标','No Icon'=>'无图标','Networking Icon'=>'联网图标','Nametag Icon'=>'名签图标','Move Icon'=>'移动图标','Money Icon'=>'金钱图标','Minus Icon'=>'减号图标','Migrate Icon'=>'迁移图标','Microphone Icon'=>'麦克风图标','Megaphone Icon'=>'扩音器图标','Marker Icon'=>'标记图标','Lock Icon'=>'锁定图标','Location Icon'=>'位置图标','List View Icon'=>'列表视图图标','Lightbulb Icon'=>'灯泡图标','Left Right Icon'=>'左右图标','Layout Icon'=>'布局图标','Laptop Icon'=>'笔记本电脑图标','Info Icon'=>'信息图标','Index Card Icon'=>'索引卡图标','ID Icon'=>'ID 图标','Hidden Icon'=>'隐藏图标','Heart Icon'=>'心形图标','Hammer Icon'=>'锤子图标','Groups Icon'=>'群组图标','Grid View Icon'=>'网格视图图标','Forms Icon'=>'表格图标','Flag Icon'=>'旗帜图标','Filter Icon'=>'筛选图标','Feedback Icon'=>'反馈图标','Facebook (alt) Icon'=>'Facebook(alt)图标','Facebook Icon'=>'Facebook 图标','External Icon'=>'外部图标','Email (alt) Icon'=>'电子邮件(alt)图标','Email Icon'=>'电子邮件图标','Video Icon'=>'视频图标','Unlink Icon'=>'取消链接图标','Underline Icon'=>'下划线图标','Text Color Icon'=>'文本颜色图标','Table Icon'=>'表格图标','Strikethrough Icon'=>'删除线图标','Spellcheck Icon'=>'拼写检查图标','Remove Formatting Icon'=>'移除格式图标','Quote Icon'=>'引用图标','Paste Word Icon'=>'粘贴文字图标','Paste Text Icon'=>'粘贴文本图标','Paragraph Icon'=>'段落图标','Outdent Icon'=>'缩进图标','Kitchen Sink Icon'=>'厨房水槽图标','Justify Icon'=>'对齐图标','Italic Icon'=>'斜体图标','Insert More Icon'=>'插入更多图标','Indent Icon'=>'缩进图标','Help Icon'=>'帮助图标','Expand Icon'=>'展开图标','Contract Icon'=>'合同图标','Code Icon'=>'代码图标','Break Icon'=>'中断图标','Bold Icon'=>'粗体图标','Edit Icon'=>'编辑图标','Download Icon'=>'下载图标','Dismiss Icon'=>'取消图标','Desktop Icon'=>'桌面图标','Dashboard Icon'=>'仪表板图标','Cloud Icon'=>'云图标','Clock Icon'=>'时钟图标','Clipboard Icon'=>'剪贴板图标','Chart Pie Icon'=>'图表饼图标','Chart Line Icon'=>'图表线条图标','Chart Bar Icon'=>'图表条形图标','Chart Area Icon'=>'图表区域图标','Category Icon'=>'分类图标','Cart Icon'=>'购物车图标','Carrot Icon'=>'胡萝卜图标','Camera Icon'=>'相机图标','Calendar (alt) Icon'=>'日历(alt)图标','Calendar Icon'=>'日历图标','Businesswoman Icon'=>'商务人士图标','Building Icon'=>'建筑图标','Book Icon'=>'图书图标','Backup Icon'=>'备份图标','Awards Icon'=>'奖项图标','Art Icon'=>'艺术图标','Arrow Up Icon'=>'向上箭头图标','Arrow Right Icon'=>'向右箭头图标','Arrow Left Icon'=>'箭头左图标','Arrow Down Icon'=>'向下箭头图标','Archive Icon'=>'存档图标','Analytics Icon'=>'分析图标','Align Right Icon'=>'右对齐图标','Align None Icon'=>'无对齐图标','Align Left Icon'=>'向左对齐图标','Align Center Icon'=>'居中对齐图标','Album Icon'=>'相册图标','Users Icon'=>'用户图标','Tools Icon'=>'工具图标','Site Icon'=>'网站图标','Settings Icon'=>'设置图标','Post Icon'=>'文章图标','Plugins Icon'=>'插件图标','Page Icon'=>'页面图标','Network Icon'=>'网络图标','Multisite Icon'=>'多站点图标','Media Icon'=>'媒体图标','Links Icon'=>'链接图标','Home Icon'=>'主页图标','Customizer Icon'=>'自定义图标','Comments Icon'=>'评论图标','Collapse Icon'=>'折叠图标','Appearance Icon'=>'外观图标','Generic Icon'=>'通用图标','Icon picker requires a value.'=>'图标拾取器需要一个值。','Icon picker requires an icon type.'=>'图标拾取器需要一个图标类型。','The available icons matching your search query have been updated in the icon picker below.'=>'符合您搜索条件的可用图标已在下面的图标拾取器中更新。','No results found for that search term'=>'未找到该搜索词的结果','Array'=>'数组','String'=>'字符串','Specify the return format for the icon. %s'=>'指定图标的返回格式。%s','Select where content editors can choose the icon from.'=>'选择内容编辑器可以从哪里选择图标。','The URL to the icon you\'d like to use, or svg as Data URI'=>'您想使用的图标的 URL 或 svg 作为数据 URI','Browse Media Library'=>'浏览媒体库','The currently selected image preview'=>'当前选择图片预览','Click to change the icon in the Media Library'=>'单击以更改媒体库中的图标','Search icons...'=>'搜索图标...','Media Library'=>'媒体库','Dashicons'=>'大水印','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'选择一个图标的交互式用户界面。从 Dash 图标、媒体库或独立的 URL 输入中进行选择。','Icon Picker'=>'图标选择器','JSON Load Paths'=>'JSON 加载路径','JSON Save Paths'=>'JSON 保存路径','Registered ACF Forms'=>'已注册的 ACF 表单','Shortcode Enabled'=>'已启用简码','Field Settings Tabs Enabled'=>'已启用字段设置选项卡','Field Type Modal Enabled'=>'已启用字段类型模式','Admin UI Enabled'=>'已启用管理用户界面','Block Preloading Enabled'=>'启用块预载','Blocks Per ACF Block Version'=>'每个 ACF 块版本的块','Blocks Per API Version'=>'每个 API 版本的区块','Registered ACF Blocks'=>'已注册的 ACF 块','Light'=>'轻型','Standard'=>'标准','REST API Format'=>'REST API 格式','Registered Options Pages (PHP)'=>'注册选项页(PHP)','Registered Options Pages (JSON)'=>'注册选项页面(JSON)','Registered Options Pages (UI)'=>'注册选项页面(用户界面)','Options Pages UI Enabled'=>'已启用用户界面的选项页','Registered Taxonomies (JSON)'=>'注册分类法(JSON)','Registered Taxonomies (UI)'=>'注册分类法(用户界面)','Registered Post Types (JSON)'=>'已注册文章类型(JSON)','Registered Post Types (UI)'=>'已注册文章类型(UI)','Post Types and Taxonomies Enabled'=>'已启用的文章类型和分类法','Number of Third Party Fields by Field Type'=>'按字段类型划分的第三方字段数量','Number of Fields by Field Type'=>'按字段类型划分的字段数量','Field Groups Enabled for GraphQL'=>'为 GraphQL 启用的字段组','Field Groups Enabled for REST API'=>'为 REST API 启用的字段组','Registered Field Groups (JSON)'=>'注册字段组(JSON)','Registered Field Groups (PHP)'=>'注册字段组(PHP)','Registered Field Groups (UI)'=>'已注册字段组(UI)','Active Plugins'=>'活动插件','Parent Theme'=>'父主题','Active Theme'=>'活动主题','Is Multisite'=>'是否多站点','MySQL Version'=>'MySQL 版本','WordPress Version'=>'WordPress 版本','Subscription Expiry Date'=>'订阅到期日期','License Status'=>'许可证状态','License Type'=>'许可证类型','Licensed URL'=>'授权 URL','License Activated'=>'许可证已激活','Free'=>'免费','Plugin Type'=>'插件类型','Plugin Version'=>'插件版本','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'本节包含有关 ACF 配置的调试信息,这些信息可以提供给技术支持。','An ACF Block on this page requires attention before you can save.'=>'在您保存之前,需要注意此页面上的一个 ACF 字段。','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'当我们检测到输出过程中已更改的值时,会记录此数据。%1$s 清除日志并在代码中转义值后关闭 %2$s。如果我们再次检测到已更改的值,通知将重新出现。','Dismiss permanently'=>'永久关闭','Instructions for content editors. Shown when submitting data.'=>'内容编辑器的说明。提交数据时显示。','Has no term selected'=>'未选择任何术语','Has any term selected'=>'是否选择了任何术语','Terms do not contain'=>'术语不包含','Terms contain'=>'术语包含','Term is not equal to'=>'术语不等于','Term is equal to'=>'术语等于','Has no user selected'=>'没有用户选择','Has any user selected'=>'有任何用户选择','Users do not contain'=>'用户不包含','Users contain'=>'用户包含','User is not equal to'=>'用户不等于','User is equal to'=>'用户等于','Has no page selected'=>'未选择页面','Has any page selected'=>'有任何页面选择','Pages do not contain'=>'页面不包含','Pages contain'=>'页面包含','Page is not equal to'=>'页面不等于','Page is equal to'=>'页面等于','Has no relationship selected'=>'没有关系选择','Has any relationship selected'=>'有任何关系选择','Has no post selected'=>'没有选择文章','Has any post selected'=>'有任何文章选择','Posts do not contain'=>'文章不包含','Posts contain'=>'文章包含','Post is not equal to'=>'文章不等于','Post is equal to'=>'文章等于','Relationships do not contain'=>'关系不包含','Relationships contain'=>'关系包含','Relationship is not equal to'=>'关系不等于','Relationship is equal to'=>'关系等于','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 字段','ACF PRO Feature'=>'ACF PRO 功能','Renew PRO to Unlock'=>'续订 PRO 即可解锁','Renew PRO License'=>'更新 PRO 许可证','PRO fields cannot be edited without an active license.'=>'如果没有有效许可证,则无法编辑 PRO 字段。','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'请激活您的 ACF PRO 许可证以编辑分配给 ACF 块的字段组。','Please activate your ACF PRO license to edit this options page.'=>'请激活您的 ACF PRO 许可证才能编辑此选项页面。','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'只有当 format_value 也为 true 时,才能返回转义 HTML 值。为安全起见,字段值不会返回。','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'只有当 format_value 也为 true 时,才能返回转义 HTML 值。为安全起见,未返回字段值。','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'当通过 the_field 或 ACF 简码进行渲染时,%1$s ACF 现在会自动转义不安全的 HTML。我们检测到您的某些字段的输出已被此更改修改,但这可能不是一个破坏性的更改。%2$s.','Please contact your site administrator or developer for more details.'=>'请联系您的网站管理员或开发者了解详情。','Learn more'=>'了解更多信息','Hide details'=>'隐藏详细信息','Show details'=>'显示详细信息','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - 渲染通过 %3$s','Renew ACF PRO License'=>'续订 ACF PRO 许可证','Renew License'=>'更新许可证','Manage License'=>'管理许可证','\'High\' position not supported in the Block Editor'=>'区块编辑器不支持「高」位置','Upgrade to ACF PRO'=>'升级到 ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF选项页是通过字段管理全局设置的自定义管理页。您可以创建多个页面和子页面。','Add Options Page'=>'添加选项页面','In the editor used as the placeholder of the title.'=>'在编辑器中用作标题的占位符。','Title Placeholder'=>'标题占位符','4 Months Free'=>'4个月免费','(Duplicated from %s)'=>'(与 %s 重复)','Select Options Pages'=>'选择选项页面','Duplicate taxonomy'=>'重复分类法','Create taxonomy'=>'创建分类法','Duplicate post type'=>'复制文章类型','Create post type'=>'创建文章类型','Link field groups'=>'链接字段组','Add fields'=>'添加字段','This Field'=>'此字段','ACF PRO'=>'ACF PRO','Feedback'=>'反馈','Support'=>'支持','is developed and maintained by'=>'开发和维护者','Add this %s to the location rules of the selected field groups.'=>'将此 %s 添加到选择字段组的位置规则中。','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'启用双向设置允许您更新为此字段选择的每个值的目标字段中的值,添加或删除正在更新的项目的文章 ID、分类法 ID 或用户 ID。有关更多信息,请阅读文档。','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'选择字段以将引用存储回正在更新的项目。您可以选择该字段。目标字段必须与该字段的显示位置兼容。例如,如果此字段显示在分类法上,则您的目标字段应为分类法类型','Target Field'=>'目标字段','Update a field on the selected values, referencing back to this ID'=>'在选择值上更新一个字段,并引用回该 ID','Bidirectional'=>'双向','%s Field'=>'%s 字段','Select Multiple'=>'选择多个','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'小写字母、下划线和破折号,最多 32 字符。','The capability name for assigning terms of this taxonomy.'=>'该分类法的指定术语的权限名称。','Assign Terms Capability'=>'指定术语功能','The capability name for deleting terms of this taxonomy.'=>'用于删除本分类法条款的权限名称。','Delete Terms Capability'=>'删除术语功能','The capability name for editing terms of this taxonomy.'=>'用于编辑本分类法条款的权限名称。','Edit Terms Capability'=>'编辑条款功能','The capability name for managing terms of this taxonomy.'=>'管理此分类法条款的权限名称。','Manage Terms Capability'=>'管理术语功能','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'设置是否应将文章从搜索结果和分类法归档页面中排除。','More Tools from WP Engine'=>'WP Engine 的更多工具','Built for those that build with WordPress, by the team at %s'=>'由 %s 团队专为使用 WordPress 构建的用户而构建','View Pricing & Upgrade'=>'查看定价和升级','Learn More'=>'了解更多','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'利用 ACF 块和选项页面等功能以及循环、弹性内容、克隆和图库等复杂的字段类型,加快您的工作流程并开发更好的网站。','Unlock Advanced Features and Build Even More with ACF PRO'=>'使用 ACF PRO 解锁高级功能并构建更多功能','%s fields'=>'%s 字段','No terms'=>'无术语','No post types'=>'无文章类型','No posts'=>'无文章','No taxonomies'=>'无分类法','No field groups'=>'无字段组','No fields'=>'无字段','No description'=>'无描述','Any post status'=>'任何文章状态','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'此分类法关键字已被 ACF 以外的另一个分类法注册使用,因此无法使用。','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'此分类法关键字已被 ACF 中的另一个分类法使用,因此无法使用。','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'分类法关键字只能包含小写字母数字字符、下划线或破折号。','The taxonomy key must be under 32 characters.'=>'分类法关键字必须小于 32 字符。','No Taxonomies found in Trash'=>'回收站中未发现分类法','No Taxonomies found'=>'未找到分类法','Search Taxonomies'=>'搜索分类法','View Taxonomy'=>'查看分类法','New Taxonomy'=>'新分类法','Edit Taxonomy'=>'编辑分类法','Add New Taxonomy'=>'新增分类法','No Post Types found in Trash'=>'回收站中未发现文章类型','No Post Types found'=>'未找到文章类型','Search Post Types'=>'搜索文章类型','View Post Type'=>'查看文章类型','New Post Type'=>'新建文章类型','Edit Post Type'=>'编辑文章类型','Add New Post Type'=>'添加新文章类型','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'此文章类型关键字已被 ACF 以外的另一个文章类型关键字使用,因此无法使用。','This post type key is already in use by another post type in ACF and cannot be used.'=>'此文章类型关键字已被 ACF 中的另一个文章类型使用,因此无法使用。','This field must not be a WordPress reserved term.'=>'这个字段不能是 WordPress 保留字。','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'文章类型关键字只能包含小写字母数字字符、下划线或破折号。','The post type key must be under 20 characters.'=>'文章类型关键字必须小于 20 字符。','We do not recommend using this field in ACF Blocks.'=>'我们不建议在 ACF 块中使用此字段。','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'显示 WordPress WYSIWYG 编辑器,如在「文章」和「页面」中看到的那样,允许丰富的文本编辑体验,也允许多媒体内容。','WYSIWYG Editor'=>'所见即所得编辑器','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'允许选择一个或多个用户,用于创建数据对象之间的关系。','A text input specifically designed for storing web addresses.'=>'专门用于存储网址的文本输入。','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'切换按钮,允许您选择 1 或 0 的值(开或关、真或假等)。可以以风格化开关或复选框的形式呈现。','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'用于选择时间的交互式用户界面。时间格式可通过字段设置进行自定义。','A basic textarea input for storing paragraphs of text.'=>'用于存储文本段落的基本文本区输入。','A basic text input, useful for storing single string values.'=>'基本文本输入,用于存储单字符串值。','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'允许根据字段设置中指定的标准和选项选择一个或多个分类法术语。','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'允许您在编辑屏幕中将字段分组为标签式部分。有助于保持字段的条理性和结构化。','A dropdown list with a selection of choices that you specify.'=>'下拉列表包含您指定的选项。','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'选择一个或多个文章、页面或自定义文章类型项目的双栏接口,以创建与当前编辑的项目之间的关系。包括搜索和筛选选项。','An input for selecting a numerical value within a specified range using a range slider element.'=>'使用范围滑块元素在指定范围内选择数值的输入。','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'一组单选按钮输入,允许用户从您指定的值中进行单选。','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'一种交互式且可定制的用户界面,用于选择一个或多个文章、页面或帖子类型项目,并提供搜索选项。 ','An input for providing a password using a masked field.'=>'使用屏蔽字段提供密码的输入。','Filter by Post Status'=>'按文章状态筛选','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'选择一个或多个文章、页面、自定义文章类型项目或归档 URL 的交互式下拉菜单,可使用选项进行搜索。','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'通过使用 WordPress 原生的 oEmbed 功能,嵌入视频、图片、推文、音频和其他内容的互动组件。','An input limited to numerical values.'=>'仅限于数值的输入。','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'用于显示与其他字段并列的信息。可为您的字段提供额外的上下文或说明。','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'允许您使用 WordPress 本地链接拾取器指定链接及其属性,如标题和目标。','Uses the native WordPress media picker to upload, or choose images.'=>'使用 WordPress 本地媒体拾取器上传,或选择图片。','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'提供了一种将字段结构化成组的方法,以便更好地组织数据和编辑屏幕。','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'使用谷歌地图选择位置的交互式用户界面。需要 Google Maps API 密钥和额外配置才能正确显示。','Uses the native WordPress media picker to upload, or choose files.'=>'使用 WordPress 本地媒体拾取器上传,或选择文件。','A text input specifically designed for storing email addresses.'=>'专为存储地址而设计的文本输入。','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'用于选择日期和时间的交互式用户界面。日期返回格式可通过字段设置进行自定义。','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'用于选择日期的交互式用户界面。日期返回格式可通过字段设置进行自定义。','An interactive UI for selecting a color, or specifying a Hex value.'=>'用于选择颜色或指定十六进制值的交互式用户界面。','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'一组复选框输入,允许用户选择一个或多个您指定的值。','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'一组按钮,带有您指定的值,用户可以从提供的值中选择一个选项。','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'允许您将自定义字段分组并整理为可折叠的面板,在编辑内容时显示。它有助于保持大型数据集的整洁。','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'这提供了一个用于重复内容(如幻灯片、团队成员和「行动号召」磁贴)的方法,即作为一组子字段的父字段,这些子字段可以重复显示。','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'这为管理附件集合提供了一个交互式接口。大多数设置与图像字段类型类似。其他设置允许您指定在图库中添加新附件的位置以及允许的附件最小 / 最大数量。','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'这提供了一个简单、结构化、基于布局的编辑器。灵活的内容字段允许您通过使用布局和子字段来设计可用区块,以完全可控的方式定义、创建和管理内容。','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'这样,您就可以选择和显示现有的字段。它不会复制数据库中的任何字段,但会在运行时加载并显示已选择的字段。克隆字段既可以用选择的字段替换自己,也可以将选择的字段显示为一组子字段。','nounClone'=>'克隆','PRO'=>'专业版','Advanced'=>'高级','JSON (newer)'=>'JSON (较新)','Original'=>'原文','Invalid post ID.'=>'无效文章 ID。','Invalid post type selected for review.'=>'选择进行审核的文章类型无效。','More'=>'更多信息','Tutorial'=>'教程','Select Field'=>'选择领域','Try a different search term or browse %s'=>'尝试其他搜索词或浏览 %s','Popular fields'=>'热门字段','No search results for \'%s\''=>'没有「%s」的搜索结果','Search fields...'=>'搜索字段...','Select Field Type'=>'选择字段类型','Popular'=>'热门','Add Taxonomy'=>'添加分类法','Create custom taxonomies to classify post type content'=>'创建自定义分类法来分类文章类型内容','Add Your First Taxonomy'=>'添加第一个分类法','Hierarchical taxonomies can have descendants (like categories).'=>'分层分类法可以有后代(如分类)。','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'使分类法在前台和管理后台可见。','One or many post types that can be classified with this taxonomy.'=>'一个或多个可以用该分类法分类的文章类型。','genre'=>'类型','Genre'=>'类型','Genres'=>'类型','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'可选的自定义控制器,用于替代「WP_REST_Terms_Controller」。','Expose this post type in the REST API.'=>'在 REST API 中公开该文章类型。','Customize the query variable name'=>'自定义查询变量名称','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'可使用非漂亮的固定链接访问术语,例如,{query_var}={term_slug}。','Parent-child terms in URLs for hierarchical taxonomies.'=>'分层分类法 URL 中的父子术语。','Customize the slug used in the URL'=>'自定义 URL 中使用的别名','Permalinks for this taxonomy are disabled.'=>'禁用此分类法的永久链接。','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'使用分类法关键字重写 URL。您的永久链接结构将是','Taxonomy Key'=>'分类法关键字','Select the type of permalink to use for this taxonomy.'=>'选择要用于此分类法的固定链接类型。','Display a column for the taxonomy on post type listing screens.'=>'在文章类型的列表屏幕上显示分类法栏。','Show Admin Column'=>'显示管理栏','Show the taxonomy in the quick/bulk edit panel.'=>'在快速 / 批量编辑面板中显示分类法。','Quick Edit'=>'快速编辑','List the taxonomy in the Tag Cloud Widget controls.'=>'在标签云小工具控件中列出分类法。','Tag Cloud'=>'标签云','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'用于对从元框中保存的分类法数据进行消毒的 PHP 函数名称。','Meta Box Sanitization Callback'=>'元框消毒回调','Register Meta Box Callback'=>'注册元框回调','No Meta Box'=>'无元框','Custom Meta Box'=>'自定义元框','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'控制内容编辑器屏幕上的元框。默认情况下,分层分类法显示「分类」元框,非分层分类法显示「标签」元框。','Meta Box'=>'元框','Categories Meta Box'=>'分类元框','Tags Meta Box'=>'标签元框','A link to a tag'=>'标签的链接','Describes a navigation link block variation used in the block editor.'=>'描述块编辑器中使用的导航链接块样式变化。','A link to a %s'=>'链接到 %s','Tag Link'=>'标签链接','Assigns a title for navigation link block variation used in the block editor.'=>'为块编辑器中使用的导航块分配一个标题链接样式变化。','← Go to tags'=>'← 转到标签','Assigns the text used to link back to the main index after updating a term.'=>'指定更新术语后链接回主索引的文本。','Back To Items'=>'返回项目','← Go to %s'=>'← 转到 %s','Tags list'=>'标签列表','Assigns text to the table hidden heading.'=>'为表格隐藏标题指定文本。','Tags list navigation'=>'标签列表导航','Assigns text to the table pagination hidden heading.'=>'为表格分页隐藏标题指定文本。','Filter by category'=>'按分类筛选','Assigns text to the filter button in the posts lists table.'=>'将文本分配给文章列表中的筛选按钮。','Filter By Item'=>'按项目筛选','Filter by %s'=>'按 %s 筛选','The description is not prominent by default; however, some themes may show it.'=>'默认情况下,描述并不突出;但某些主题可能会显示描述。','Describes the Description field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的「描述字段」。','Description Field Description'=>'描述字段描述','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'为创建一个层次结构指定一个父项。例如,「爵士乐」(Jazz)一词是「贝波普」(Bebop)和「大乐队」(Big Band)的父词。','Describes the Parent field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的父字段。','Parent Field Description'=>'父字段说明','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'「别名」是名称的 URL 友好版本。通常都是小写,只包含字母、数字和连字符。','Describes the Slug field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的别名字段。','Slug Field Description'=>'别名字段描述','The name is how it appears on your site'=>'名称在网站上的显示方式','Describes the Name field on the Edit Tags screen.'=>'描述编辑标签屏幕上的名称字段。','Name Field Description'=>'名称字段说明','No tags'=>'无标签','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'当没有标签或分类时,在文章和媒体列表表中指定文本显示。','No Terms'=>'无术语','No %s'=>'无 %s','No tags found'=>'未找到标记','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'当没有标签时,在分类法元框中指定文本显示,当没有项目分类法时,指定术语列表表中使用的文本。','Not Found'=>'未找到','Assigns text to the Title field of the Most Used tab.'=>'为「最常用标签」的「标题字段」指定文本。','Most Used'=>'最常用','Choose from the most used tags'=>'从最常用的标签中选择','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'当 JavaScript 禁用时,指定元框中使用的「从最常用标签中选择」文本。仅用于非层次分类法。','Choose From Most Used'=>'从最常用的中选择','Choose from the most used %s'=>'从最常用的 %s 中选择','Add or remove tags'=>'添加或移除标签','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'当 JavaScript 禁用时,指定元框中使用的添加或移除项目文本。仅用于非层次分类法','Add Or Remove Items'=>'添加或移除项目','Add or remove %s'=>'添加或移除 %s','Separate tags with commas'=>'用逗号分隔标签','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'指定分类法元框中使用逗号分隔项目文本。仅用于非层次分类法。','Separate Items With Commas'=>'用逗号分隔项目','Separate %s with commas'=>'用逗号分隔 %s','Popular Tags'=>'流行标签','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'指定流行项目文本。仅用于非层次分类法。','Popular Items'=>'热门项目','Popular %s'=>'热门 %s','Search Tags'=>'搜索标签','Assigns search items text.'=>'指定搜索项目文本。','Parent Category:'=>'父分类:','Assigns parent item text, but with a colon (:) added to the end.'=>'指定父项目文本,但在末尾加上冒号 (:) 添加。','Parent Item With Colon'=>'带冒号的父项目','Parent Category'=>'父分类','Assigns parent item text. Only used on hierarchical taxonomies.'=>'指定父项目文本。仅用于层次分类法。','Parent Item'=>'父项','Parent %s'=>'父级 %s','New Tag Name'=>'新标签名称','Assigns the new item name text.'=>'指定新项目名称文本。','New Item Name'=>'新项目名称','New %s Name'=>'新 %s 名称','Add New Tag'=>'添加新标签','Assigns the add new item text.'=>'分配添加新项目文本。','Update Tag'=>'更新标签','Assigns the update item text.'=>'指定更新项目文本。','Update Item'=>'更新项目','Update %s'=>'更新 %s','View Tag'=>'查看标签','In the admin bar to view term during editing.'=>'在管理栏中,用于在编辑时查看术语。','Edit Tag'=>'编辑标签','At the top of the editor screen when editing a term.'=>'编辑术语时位于编辑器屏幕顶部。','All Tags'=>'所有标签','Assigns the all items text.'=>'指定所有项目文本。','Assigns the menu name text.'=>'指定菜单名称文本。','Menu Label'=>'菜单标签','Active taxonomies are enabled and registered with WordPress.'=>'使用 WordPress 启用和注册的活动分类法。','A descriptive summary of the taxonomy.'=>'分类法的描述性摘要。','A descriptive summary of the term.'=>'术语的描述性摘要。','Term Description'=>'术语描述','Single word, no spaces. Underscores and dashes allowed.'=>'单词,无空格。允许使用下划线和破折号。','Term Slug'=>'术语标题','The name of the default term.'=>'默认术语的名称。','Term Name'=>'术语名称','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'为分类法创建一个不可删除的术语。默认情况下,文章不会选择该术语。','Default Term'=>'默认术语','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'该分类法中的术语是否应按照提供给 `wp_set_object_terms()` 的顺序排序。','Sort Terms'=>'术语排序','Add Post Type'=>'添加文章类型','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'使用自定义文章类型,将 WordPress 的功能扩展到标准文章和页面之外。','Add Your First Post Type'=>'添加第一个文章类型','I know what I\'m doing, show me all the options.'=>'我知道我在做什么,请告诉我所有选项。','Advanced Configuration'=>'高级配置','Hierarchical post types can have descendants (like pages).'=>'分层文章类型可以有后代(如页面)。','Hierarchical'=>'分层','Visible on the frontend and in the admin dashboard.'=>'可在前台和管理后台看到。','Public'=>'公开','movie'=>'电影','Lower case letters, underscores and dashes only, Max 20 characters.'=>'仅限小写字母、下划线和破折号,最多 20 字符。','Movie'=>'电影','Singular Label'=>'单数标签','Movies'=>'电影','Plural Label'=>'复数标签','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'可选的自定义控制器,用于替代 `WP_REST_Posts_Controller`。','Controller Class'=>'控制器类','The namespace part of the REST API URL.'=>'REST API URL 的命名空间部分。','Namespace Route'=>'命名空间路由','The base URL for the post type REST API URLs.'=>'文章类型 REST API URL 的基础 URL。','Base URL'=>'基本 URL','Exposes this post type in the REST API. Required to use the block editor.'=>'在 REST API 中公开该文章类型。使用区块编辑器时必须使用。','Show In REST API'=>'在 REST API 中显示','Customize the query variable name.'=>'自定义查询变量名称。','Query Variable'=>'查询变量','No Query Variable Support'=>'不支持查询变量','Custom Query Variable'=>'自定义查询变量','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'可使用非漂亮的固定链接访问项目,例如:{post_type}={post_slug}。','Query Variable Support'=>'支持查询变量','URLs for an item and items can be accessed with a query string.'=>'项目和项目的 URL 可以用查询字符串访问。','Publicly Queryable'=>'可公开查询','Custom slug for the Archive URL.'=>'存档 URL 的自定义别名。','Archive Slug'=>'存档标题','Has an item archive that can be customized with an archive template file in your theme.'=>'项目归档可在您的主题中使用归档模板文件进行自定义。','Archive'=>'归档','Pagination support for the items URLs such as the archives.'=>'支持归档等项目 URL 的分页。','Pagination'=>'分页','RSS feed URL for the post type items.'=>'文章类型项目的 RSS Feed URL。','Feed URL'=>'馈送 URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'更改添加到`WP_Rewrite::$front`前缀 URL 的永久链接结构。','Front URL Prefix'=>'前缀 URL','Customize the slug used in the URL.'=>'自定义 URL 中使用的别名。','URL Slug'=>'URL 标题','Permalinks for this post type are disabled.'=>'禁用该文章类型的永久链接。','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'使用下面输入框中定义的自定义别名重写 URL。您的永久链接结构将是','No Permalink (prevent URL rewriting)'=>'无永久链接(防止 URL 重写)','Custom Permalink'=>'自定义永久链接','Post Type Key'=>'文章类型关键字','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'使用文章类型关键字作为别名重写 URL。您的永久链接结构将是','Permalink Rewrite'=>'固定链接重写','Delete items by a user when that user is deleted.'=>'删除用户时,删除该用户的项目。','Delete With User'=>'与用户一起删除','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'允许从「工具」>「导出」导出文章类型。','Can Export'=>'可以导出','Optionally provide a plural to be used in capabilities.'=>'可选择提供用于权限的复数。','Plural Capability Name'=>'复数能力名称','Choose another post type to base the capabilities for this post type.'=>'选择另一种文章类型,作为该文章类型的权限基础。','Singular Capability Name'=>'单项能力名称','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'默认情况下,文章类型的权限将继承「文章」权限名称,如 edit_post、 delete_post。允许使用文章类型特定的权限,如 edit_{singular}、 delete_{plural}。','Rename Capabilities'=>'重命名功能','Exclude From Search'=>'从搜索中排除','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'允许项目添加到「外观」>「菜单」屏幕中的菜单。必须在「屏幕选项」中打开。','Appearance Menus Support'=>'外观菜单支持','Appears as an item in the \'New\' menu in the admin bar.'=>'在管理栏的「新建」菜单中显示为项目。','Show In Admin Bar'=>'在管理栏中显示','Custom Meta Box Callback'=>'自定义元框回调','Menu Icon'=>'菜单图标','The position in the sidebar menu in the admin dashboard.'=>'侧边栏菜单中的位置。','Menu Position'=>'菜单位置','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'默认情况下,文章类型将在管理菜单中获得一个新的顶级项目。如果此处提供了一个现有的顶级项目,那么该文章类型将作为子菜单项目添加到该项目下。','Admin Menu Parent'=>'管理菜单父菜单','Admin editor navigation in the sidebar menu.'=>'侧边栏菜单中的管理员编辑器导航。','Show In Admin Menu'=>'在管理菜单中显示','Items can be edited and managed in the admin dashboard.'=>'项目可在管理菜单中进行管理。','Show In UI'=>'在用户界面中显示','A link to a post.'=>'文章的链接。','Description for a navigation link block variation.'=>'导航链接块的描述样式变化。','Item Link Description'=>'项目链接描述','A link to a %s.'=>'指向 %s 的链接。','Post Link'=>'文章链接','Title for a navigation link block variation.'=>'导航链接块样式变化的标题。','Item Link'=>'项目链接','%s Link'=>'%s 链接','Post updated.'=>'文章已更新。','In the editor notice after an item is updated.'=>'在项目更新后的编辑器通知中。','Item Updated'=>'项目已更新','%s updated.'=>'%s 已更新。','Post scheduled.'=>'计划发布。','In the editor notice after scheduling an item.'=>'在计划发布项目后的编辑器通知中。','Item Scheduled'=>'项目已计划','%s scheduled.'=>'%s 已安排。','Post reverted to draft.'=>'文章已还原为草稿。','In the editor notice after reverting an item to draft.'=>'在将项目还原为草稿后的编辑器通知中。','Item Reverted To Draft'=>'项目已还原为草稿','%s reverted to draft.'=>'%s 已还原为草稿。','Post published privately.'=>'私下发布。','In the editor notice after publishing a private item.'=>'在私人发布项目后的编辑器通知中。','Item Published Privately'=>'私人发布的项目','%s published privately.'=>'%s 私人发布。','Post published.'=>'文章已发布','In the editor notice after publishing an item.'=>'在发布一个项目后的编辑器通知中。','Item Published'=>'项目已发布','%s published.'=>'%s 已发布。','Posts list'=>'文章列表','Used by screen readers for the items list on the post type list screen.'=>'由屏幕阅读器在文章类型列表屏幕上用于项目列表。','Items List'=>'项目列表','%s list'=>'%s 列表','Posts list navigation'=>'文章列表导航','Used by screen readers for the filter list pagination on the post type list screen.'=>'用于屏幕阅读器在文章类型列表屏幕上的筛选器列表分页。','Items List Navigation'=>'项目列表导航','%s list navigation'=>'%s 列表导航','Filter posts by date'=>'按日期筛选文章','Used by screen readers for the filter by date heading on the post type list screen.'=>'屏幕阅读器在「文章类型列表」屏幕上用于按日期筛选标题。','Filter Items By Date'=>'按日期筛选项目','Filter %s by date'=>'按日期筛选 %s','Filter posts list'=>'筛选文章列表','Used by screen readers for the filter links heading on the post type list screen.'=>'用于屏幕阅读器在「文章类型列表」屏幕上的「筛选链接」标题。','Filter Items List'=>'筛选项目列表','Filter %s list'=>'筛选 %s 列表','In the media modal showing all media uploaded to this item.'=>'在媒体模态窗中显示上传到此项目的所有媒体。','Uploaded To This Item'=>'上传到此项目','Uploaded to this %s'=>'上传到此 %s','Insert into post'=>'插入到文章','As the button label when adding media to content.'=>'当按钮标签添加媒体到内容时。','Insert Into Media Button'=>'插入媒体按钮','Insert into %s'=>'插入 %s','Use as featured image'=>'用作特色图片','As the button label for selecting to use an image as the featured image.'=>'作为按钮标签选择将图片作为精选图片使用。','Use Featured Image'=>'使用精选图片','Remove featured image'=>'删除精选图片','As the button label when removing the featured image.'=>'在移除精选图片时使用按钮标签。','Remove Featured Image'=>'移除精选图片','Set featured image'=>'设置精选图片','As the button label when setting the featured image.'=>'作为设置精选图片时的按钮标签。','Set Featured Image'=>'设置精选图片','Featured image'=>'精选图片','In the editor used for the title of the featured image meta box.'=>'在编辑器中用于精选图像元框的标题。','Featured Image Meta Box'=>'精选图片元框','Post Attributes'=>'文章属性','In the editor used for the title of the post attributes meta box.'=>'在用于属性元框标题的编辑器中。','Attributes Meta Box'=>'属性元框','%s Attributes'=>'%s 属性','Post Archives'=>'文章归档','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'将带有此标签的「文章类型存档」项目添加到在启用存档的情况下将项目添加到 CPT 中的现有菜单时显示的文章列表。仅当在「实时预览」模式下编辑菜单并且提供了自定义存档段时才会出现。','Archives Nav Menu'=>'档案导航菜单','%s Archives'=>'%s 归档','No posts found in Trash'=>'回收站中未发现文章','At the top of the post type list screen when there are no posts in the trash.'=>'当回收站中没有文章时,在文章列表屏幕顶部输入文章。','No Items Found in Trash'=>'回收站中未发现项目','No %s found in Trash'=>'回收站中未发现 %s','No posts found'=>'未找到文章','At the top of the post type list screen when there are no posts to display.'=>'当没有文章显示时,在「文章」页面顶部键入「列表」。','No Items Found'=>'未找到项目','No %s found'=>'未找到 %s','Search Posts'=>'搜索文章','At the top of the items screen when searching for an item.'=>'在搜索项目时出现在项目屏幕顶部。','Search Items'=>'搜索项目','Search %s'=>'搜索 %s','Parent Page:'=>'父页面:','For hierarchical types in the post type list screen.'=>'对于文章类型列表屏幕中的分层类型。','Parent Item Prefix'=>'父项目前缀','Parent %s:'=>'父级 %s:','New Post'=>'新文章','New Item'=>'新项目','New %s'=>'新 %s','Add New Post'=>'添加新文章','At the top of the editor screen when adding a new item.'=>'当添加新项目时,显示在编辑器屏幕顶部。','Add New Item'=>'添加新项目','Add New %s'=>'添加新 %s','View Posts'=>'查看文章','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'出现在「所有文章」视图的管理栏中,前提是该文章类型支持归档,且主页不是该文章类型的归档。','View Items'=>'查看项目','View Post'=>'查看文章','In the admin bar to view item when editing it.'=>'在管理栏中编辑项目时查看项目。','View Item'=>'查看项目','View %s'=>'查看 %s','Edit Post'=>'编辑文章','At the top of the editor screen when editing an item.'=>'编辑项目时在编辑器屏幕顶部。','Edit Item'=>'编辑项目','Edit %s'=>'编辑 %s','All Posts'=>'所有文章','In the post type submenu in the admin dashboard.'=>'在管理后台的文章类型子菜单中。','All Items'=>'所有项目','All %s'=>'所有 %s','Admin menu name for the post type.'=>'文章类型的管理菜单名称。','Menu Name'=>'菜单名称','Regenerate all labels using the Singular and Plural labels'=>'使用单数和复数标签重新生成所有标签','Regenerate'=>'再生','Active post types are enabled and registered with WordPress.'=>'活动文章类型已启用并与 WordPress 一起注册。','A descriptive summary of the post type.'=>'文章类型的描述性摘要。','Add Custom'=>'添加自定义','Enable various features in the content editor.'=>'启用内容编辑器中的各种功能。','Post Formats'=>'文章格式','Editor'=>'编辑器','Trackbacks'=>'Trackback','Select existing taxonomies to classify items of the post type.'=>'选择现有分类法对文章类型的项目进行分类。','Browse Fields'=>'浏览字段','Nothing to import'=>'无须导入','. The Custom Post Type UI plugin can be deactivated.'=>'.自定义文章类型 UI 插件可以停用。','Imported %d item from Custom Post Type UI -'=>'已从自定义文章类型 UI 导入 %d 项 -','Failed to import taxonomies.'=>'导入分类法失败。','Failed to import post types.'=>'导入文章类型失败。','Nothing from Custom Post Type UI plugin selected for import.'=>'没有从自定义文章类型 UI 插件选择导入。','Imported 1 item'=>'已导入 %s 个项目','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'导入与已存在的文章类型或分类标准具有相同关键字的文章类型或分类标准时,导入的文章类型或分类标准将覆盖现有文章类型或分类标准的设置。','Import from Custom Post Type UI'=>'从自定义文章类型 UI 导入','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'以下代码可用于注册本地版本的选择项目。在本地存储字段组、文章类型或分类法可带来许多好处,如更快的加载时间、版本控制和动态字段 / 设置。只需将以下代码复制并粘贴到主题的 functions.php 文件或包含在外部文件中,然后停用或删除 ACF 管理中的项目即可。','Export - Generate PHP'=>'导出 - 生成 PHP','Export'=>'导出','Select Taxonomies'=>'选择分类法','Select Post Types'=>'选择文章类型','Exported 1 item.'=>'已导出 %s 个项目。','Category'=>'分类','Tag'=>'标记','%s taxonomy created'=>'已创建 %s 分类法','%s taxonomy updated'=>'已更新 %s 分类法','Taxonomy draft updated.'=>'分类法草稿已更新。','Taxonomy scheduled for.'=>'分类法计划更新。','Taxonomy submitted.'=>'分类法已提交。','Taxonomy saved.'=>'分类法已保存。','Taxonomy deleted.'=>'分类法已删除。','Taxonomy updated.'=>'分类法已更新。','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'此分类法无法注册,因为其关键字正被另一个分类法使用。','Taxonomy synchronized.'=>'%s 个分类法已同步。','Taxonomy duplicated.'=>'%s 个分类法已复制。','Taxonomy deactivated.'=>'%s 个分类法已停用。','Taxonomy activated.'=>'%s 个分类法已激活。','Terms'=>'术语','Post type synchronized.'=>'%s 个文章类型已同步。','Post type duplicated.'=>'%s 个文章类型已复制。','Post type deactivated.'=>'%s 个文章类型已停用。','Post type activated.'=>'%s 个文章类型已激活。','Post Types'=>'文章类型','Advanced Settings'=>'高级设置','Basic Settings'=>'基本设置','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'此文章类型无法注册,因为其关键字被另一个文章类型注册或主题注册使用。','Pages'=>'页面','Link Existing Field Groups'=>'链接现有字段组','%s post type created'=>'已创建 %s 文章类型','Add fields to %s'=>'添加字段到 %s','%s post type updated'=>'已更新 %s 文章类型','Post type draft updated.'=>'已更新文章类型草稿。','Post type scheduled for.'=>'已计划文章类型。','Post type submitted.'=>'已提交文章类型。','Post type saved.'=>'已保存文章类型。','Post type updated.'=>'已更新文章类型。','Post type deleted.'=>'已删除文章类型。','Type to search...'=>'键入搜索...','PRO Only'=>'仅 PRO','Field groups linked successfully.'=>'字段组成功链接。','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'使用自定义文章类型用户界面导入文章类型和分类法注册,并使用 ACF 管理它们。开始。','ACF'=>'ACF','taxonomy'=>'分类法','post type'=>'文章类型','Done'=>'完成','Field Group(s)'=>'字段组','Select one or many field groups...'=>'选择一个或多个字段组...','Please select the field groups to link.'=>'请选择要链接的字段组。','Field group linked successfully.'=>'字段组已成功链接。','post statusRegistration Failed'=>'注册失败','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'此项目无法注册,因为它的关键字正被另一个项目注册,或被另一个主题注册。','REST API'=>'REST API','Permissions'=>'权限','URLs'=>'URL','Visibility'=>'可见性','Labels'=>'标签','Field Settings Tabs'=>'字段设置选项卡','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[预览时禁用 ACF 简码值]','Close Modal'=>'关闭模态窗','Field moved to other group'=>'字段移至其他组','Close modal'=>'关闭模态窗','Start a new group of tabs at this tab.'=>'在此标签开始一个新的标签组。','New Tab Group'=>'新标签组','Use a stylized checkbox using select2'=>'使用 select2 风格化复选框','Save Other Choice'=>'保存其他选项','Allow Other Choice'=>'允许其他选择','Add Toggle All'=>'添加全部切换','Save Custom Values'=>'保存自定义值','Allow Custom Values'=>'允许自定义值','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'复选框自定义值不能为空。取消选中任何空值。','Updates'=>'更新','Advanced Custom Fields logo'=>'高级自定义字段 LOGO','Save Changes'=>'保存设置','Field Group Title'=>'字段组标题','Add title'=>'添加标题','New to ACF? Take a look at our getting started guide.'=>'ACF 新手?请查看我们的入门指南。','Add Field Group'=>'添加字段组','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF 使用字段组将自定义字段分组在一起,然后将这些字段附加到编辑屏幕。','Add Your First Field Group'=>'添加第一个字段组','Options Pages'=>'选项页面','ACF Blocks'=>'ACF 块','Gallery Field'=>'画廊字段','Flexible Content Field'=>'弹性内容字段','Repeater Field'=>'循环字段','Unlock Extra Features with ACF PRO'=>'使用 ACF PRO 解锁额外功能','Delete Field Group'=>'删除字段组','Created on %1$s at %2$s'=>'于 %1$s 在 %2$s 创建','Group Settings'=>'组设置','Location Rules'=>'位置规则','Choose from over 30 field types. Learn more.'=>'从 30 多种字段类型中进行选择。了解更多。','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'开始为您的文章、页面、自定义文章类型和其他 WordPress 内容创建新的自定义字段。','Add Your First Field'=>'添加第一个字段','#'=>'#','Add Field'=>'添加字段','Presentation'=>'演示文稿','Validation'=>'验证','General'=>'常规','Import JSON'=>'导入 JSON','Export As JSON'=>'导出为 JSON','Field group deactivated.'=>'%s 个字段组已停用。','Field group activated.'=>'%s 个字段组已激活。','Deactivate'=>'停用','Deactivate this item'=>'停用此项目','Activate'=>'启用','Activate this item'=>'激活此项目','Move field group to trash?'=>'移动字段组到移至回收站?','post statusInactive'=>'未启用','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'高级自定义字段和高级自定义字段 PRO 不应同时处于活动状态。我们已自动停用高级自定义字段 PRO。','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'高级自定义字段和高级自定义字段 PRO 不应同时处于活动状态。我们已自动停用高级自定义字段。','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - 我们检测到在 ACF 初始化之前检索 ACF 字段值的一次或多次调用。不支持此操作,并且可能会导致数据格式错误或丢失。 了解如何解决此问题。','%1$s must have a user with the %2$s role.'=>'%1$s 必须有一个 %2$s 角色的用户。','%1$s must have a valid user ID.'=>'%1$s 必须具有有效的用户 ID。','Invalid request.'=>'无效要求。','%1$s is not one of %2$s'=>'%1$s 不是 %2$s 之一','%1$s must have term %2$s.'=>'%1$s 必须有术语 %2$s。','%1$s must be of post type %2$s.'=>'%1$s 必须是文章类型 %2$s。','%1$s must have a valid post ID.'=>'%1$s 必须有一个有效的文章 ID。','%s requires a valid attachment ID.'=>'%s 需要一个有效的附件 ID。','Show in REST API'=>'在 REST API 中显示','Enable Transparency'=>'启用透明度','RGBA Array'=>'RGBA 数组','RGBA String'=>'RGBA 字符串','Hex String'=>'十六进制字符串','Upgrade to PRO'=>'升级到专业版','post statusActive'=>'已启用','\'%s\' is not a valid email address'=>'「%s」不是有效的邮件地址','Color value'=>'颜色值','Select default color'=>'选择默认颜色','Clear color'=>'清除颜色','Blocks'=>'块','Options'=>'选项','Users'=>'用户','Menu items'=>'菜单项目','Widgets'=>'小工具','Attachments'=>'附件','Taxonomies'=>'分类法','Posts'=>'文章','Last updated: %s'=>'最后更新: %s','Sorry, this post is unavailable for diff comparison.'=>'抱歉,该文章无法进行差异比较。','Invalid field group parameter(s).'=>'无效的字段组参数。','Awaiting save'=>'等待保存','Saved'=>'已保存','Import'=>'导入','Review changes'=>'查看更改','Located in: %s'=>'位于 %s','Located in plugin: %s'=>'位于插件: %s','Located in theme: %s'=>'位于主题: %s','Various'=>'各种','Sync changes'=>'同步更改','Loading diff'=>'加载差异','Review local JSON changes'=>'查看本地 JSON 更改','Visit website'=>'访问网站','View details'=>'查看详情','Version %s'=>'版本 %s','Information'=>'信息','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'服务台。我们服务台上的支持专业人员将协助您解决更深入的技术难题。','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'讨论。我们的社区论坛上有一个活跃且友好的社区,他们也许能够帮助您了解 ACF 世界的“操作方法”。','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'文档。我们详尽的文档包含您可能遇到的大多数情况的参考和指南。','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'我们热衷于支持,并希望您通过ACF充分利用自己的网站。如果遇到任何困难,可以在几个地方找到帮助:','Help & Support'=>'帮助和支持','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'如果您需要帮助,请使用“帮助和支持”选项卡进行联系。','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'在创建您的第一个字段组之前,我们建议您先阅读入门指南,以熟悉插件的原理和最佳实践。','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields 插件提供了一个可视化的表单生成器,用于自定义带有额外字段的WordPress编辑屏幕,以及一个直观的API,用于在任何主题模板文件中显示自定义字段的值。','Overview'=>'概述','Location type "%s" is already registered.'=>'位置类型「%s」 已经注册。','Class "%s" does not exist.'=>'类「%s」不存在。','Invalid nonce.'=>'无效 nonce。','Error loading field.'=>'加载字段出错。','Error: %s'=>'错误: %s','Widget'=>'小工具','User Role'=>'用户角色','Comment'=>'评论','Post Format'=>'文章格式','Menu Item'=>'菜单项','Post Status'=>'文章状态','Menus'=>'菜单','Menu Locations'=>'菜单位置','Menu'=>'菜单','Post Taxonomy'=>'文章分类法','Child Page (has parent)'=>'子页面(有父页面)','Parent Page (has children)'=>'父页面(有子页面)','Top Level Page (no parent)'=>'顶层页面(无父页面)','Posts Page'=>'文章页面','Front Page'=>'首页','Page Type'=>'页面类型','Viewing back end'=>'查看后端','Viewing front end'=>'查看前端','Logged in'=>'登录','Current User'=>'当前用户','Page Template'=>'页面模板','Register'=>'注册','Add / Edit'=>'添加 / 编辑','User Form'=>'用户表格','Page Parent'=>'页面父级','Super Admin'=>'超级管理员','Current User Role'=>'当前用户角色','Default Template'=>'默认模板','Post Template'=>'文章模板','Post Category'=>'文章分类','All %s formats'=>'所有 %s 格式','Attachment'=>'附件','%s value is required'=>'需要 %s 值','Show this field if'=>'如果显示此字段','Conditional Logic'=>'条件逻辑','and'=>'和','Local JSON'=>'本地 JSON','Clone Field'=>'克隆字段','Please also check all premium add-ons (%s) are updated to the latest version.'=>'请同时检查所有高级附加组件 (%s) 是否已更新到最新版本。','This version contains improvements to your database and requires an upgrade.'=>'此版本包含对您数据库的改进,需要升级。','Thank you for updating to %1$s v%2$s!'=>'感谢您升级到 %1$s v%2$s!','Database Upgrade Required'=>'需要升级数据库','Options Page'=>'选项页面','Gallery'=>'画廊','Flexible Content'=>'灵活的内容','Repeater'=>'中继器','Back to all tools'=>'返回所有工具','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)'=>'如果编辑界面上出现多个字段组,将使用第一个字段组的选项(顺序号最小的那个)。','Select items to hide them from the edit screen.'=>'选择项目,从编辑屏幕中隐藏它们。','Hide on screen'=>'在屏幕上隐藏','Send Trackbacks'=>'发送跟踪','Tags'=>'标记','Categories'=>'分类','Page Attributes'=>'页面属性','Format'=>'格式','Author'=>'作者','Slug'=>'别名','Revisions'=>'修订','Comments'=>'评论','Discussion'=>'讨论','Excerpt'=>'摘要','Content Editor'=>'内容编辑器','Permalink'=>'固定链接','Shown in field group list'=>'显示在字段组列表','Field groups with a lower order will appear first'=>'顺序较低的字段组将优先显示','Order No.'=>'顺序号','Below fields'=>'下字段','Below labels'=>'下方标签','Instruction Placement'=>'指令位置','Label Placement'=>'标签位置','Side'=>'侧面','Normal (after content)'=>'正常(内容之后)','High (after title)'=>'高(标题之后)','Position'=>'位置','Seamless (no metabox)'=>'无缝(无元框)','Standard (WP metabox)'=>'标准(WP 元框)','Style'=>'样式','Type'=>'类型','Key'=>'关键字','Order'=>'订购','Close Field'=>'关闭字段','id'=>'id','class'=>'类','width'=>'宽度','Wrapper Attributes'=>'包装属性','Required'=>'需要','Instructions'=>'说明','Field Type'=>'字段类型','Single word, no spaces. Underscores and dashes allowed'=>'单词,无空格。允许使用下划线和破折号','Field Name'=>'字段名称','This is the name which will appear on the EDIT page'=>'这是将出现在 EDIT 页面上的名称','Field Label'=>'字段标签','Delete'=>'删除','Delete field'=>'删除字段','Move'=>'移动','Move field to another group'=>'移动字段到另一个组','Duplicate field'=>'复制字段','Edit field'=>'编辑字段','Drag to reorder'=>'拖动以重新排序','Show this field group if'=>'如果','No updates available.'=>'无可用更新。','Database upgrade complete. See what\'s new'=>'数据库升级完成。查看新内容','Reading upgrade tasks...'=>'阅读升级任务...','Upgrade failed.'=>'升级失败。','Upgrade complete.'=>'升级完成。','Upgrading data to version %s'=>'将数据升级到 %s 版本','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'强烈建议您在继续之前备份您的数据库。您确定现在要运行升级程序吗?','Please select at least one site to upgrade.'=>'请选择至少一个网站进行升级。','Database Upgrade complete. Return to network dashboard'=>'数据库升级完成。返回网络控制面板','Site is up to date'=>'网站已更新','Site requires database upgrade from %1$s to %2$s'=>'网站需要将数据库从 %1$s 升级到 %2$s','Site'=>'网站','Upgrade Sites'=>'升级网站','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'以下网站需要升级数据库。选中要升级的网站,然后单击 %s。','Add rule group'=>'添加规则组','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'创建一组规则以确定自定义字段在哪个编辑界面上显示','Rules'=>'规则','Copied'=>'复制','Copy to clipboard'=>'复制到剪贴板','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'选择您要导出的项目,然后选择导出方法。导出为 JSON 以导出到 .json 文件,然后可以将其导入到另一个 ACF 安装中。生成 PHP 以导出到 PHP 代码,您可以将其放置在主题中。','Select Field Groups'=>'选择字段组','No field groups selected'=>'无字段组选择','Generate PHP'=>'生成 PHP','Export Field Groups'=>'导出字段组','Import file empty'=>'导入文件为空','Incorrect file type'=>'文件类型不正确','Error uploading file. Please try again'=>'上传文件时出错。请重试','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'选择您要导入的高级自定义字段 JSON 文件。当您单击下面的导入按钮时,ACF 将导入该文件中的项目。','Import Field Groups'=>'导入字段组','Sync'=>'同步','Select %s'=>'选择 %s','Duplicate'=>'复制','Duplicate this item'=>'复制此项目','Supports'=>'支持','Documentation'=>'文档','Description'=>'描述','Sync available'=>'可同步','Field group synchronized.'=>'%s 个字段组已同步。','Field group duplicated.'=>'%s 个字段组已复制。','Active (%s)'=>'激活 (%s)','Review sites & upgrade'=>'审查网站和升级','Upgrade Database'=>'升级数据库','Custom Fields'=>'自定义字段','Move Field'=>'移动字段','Please select the destination for this field'=>'请为此字段选择目的地','The %1$s field can now be found in the %2$s field group'=>'现在 %1$s 字段可以在 %2$s 字段组中找到。','Move Complete.'=>'移动完成。','Active'=>'已启用','Field Keys'=>'字段关键字','Settings'=>'设置','Location'=>'位置','Null'=>'无','copy'=>'复制','(this field)'=>'(此字段)','Checked'=>'检查','Move Custom Field'=>'移动自定义字段','No toggle fields available'=>'没有可用的切换字段','Field group title is required'=>'字段组标题为必填项','This field cannot be moved until its changes have been saved'=>'在保存更改之前,不能移动此字段','The string "field_" may not be used at the start of a field name'=>'字段名开头不得使用字符串「field_」。','Field group draft updated.'=>'字段组草稿更新。','Field group scheduled for.'=>'字段组已计划。','Field group submitted.'=>'字段组已提交。','Field group saved.'=>'字段组已保存。','Field group published.'=>'字段组已发布。','Field group deleted.'=>'字段组已删除。','Field group updated.'=>'字段组已更新。','Tools'=>'工具','is not equal to'=>'不等于','is equal to'=>'等于','Forms'=>'表单','Page'=>'页面','Post'=>'文章','Relational'=>'关系式','Choice'=>'选择','Basic'=>'基础','Unknown'=>'未知','Field type does not exist'=>'字段类型不存在','Spam Detected'=>'检测到垃圾邮件','Post updated'=>'发布更新','Update'=>'更新','Validate Email'=>'验证电子邮件','Content'=>'内容','Title'=>'标题','Edit field group'=>'编辑字段组','Selection is less than'=>'选择小于','Selection is greater than'=>'选择大于','Value is less than'=>'值小于','Value is greater than'=>'值大于','Value contains'=>'值包含','Value matches pattern'=>'值符合样板','Value is not equal to'=>'值不等于','Value is equal to'=>'值等于','Has no value'=>'没有值','Has any value'=>'有任何值','Cancel'=>'取消','Are you sure?'=>'您确定吗?','%d fields require attention'=>'%d 字段需要注意','1 field requires attention'=>'1 字段需要注意','Validation failed'=>'验证失败','Validation successful'=>'验证成功','Restricted'=>'受限','Collapse Details'=>'折叠详细信息','Expand Details'=>'展开详细信息','Uploaded to this post'=>'上传到此文章','verbUpdate'=>'更新','verbEdit'=>'编辑','The changes you made will be lost if you navigate away from this page'=>'如果您离开此页面,您所做的更改将丢失','File type must be %s.'=>'文件类型必须为 %s。','or'=>'或','File size must not exceed %s.'=>'文件大小不得超过 %s。','File size must be at least %s.'=>'文件大小必须至少 %s。','Image height must not exceed %dpx.'=>'图像高度不得超过 %dpx。','Image height must be at least %dpx.'=>'图像高度必须至少 %dpx。','Image width must not exceed %dpx.'=>'图像宽度不得超过 %dpx。','Image width must be at least %dpx.'=>'图像宽度必须至少 %dpx。','(no title)'=>'(无标题)','Full Size'=>'全尺寸','Large'=>'大尺寸','Medium'=>'中号','Thumbnail'=>'缩略图','(no label)'=>'(无标签)','Sets the textarea height'=>'设置文本区域高度','Rows'=>'行','Text Area'=>'文本区域','Prepend an extra checkbox to toggle all choices'=>'额外添加复选框以切换所有选项','Save \'custom\' values to the field\'s choices'=>'将「自定义」值保存到字段的选项中','Allow \'custom\' values to be added'=>'允许添加「自定义」值','Add new choice'=>'添加新选择','Toggle All'=>'切换所有','Allow Archives URLs'=>'允许存档 URL','Archives'=>'归档','Page Link'=>'页面链接','Add'=>'添加','Name'=>'字段名称','%s added'=>'%s 添加','%s already exists'=>'%s 已存在','User unable to add new %s'=>'用户无法添加新的 %s','Term ID'=>'术语 ID','Term Object'=>'术语对象','Load value from posts terms'=>'从文章术语中加载值','Load Terms'=>'加载术语','Connect selected terms to the post'=>'将选择术语连接到文章','Save Terms'=>'保存术语','Allow new terms to be created whilst editing'=>'允许在编辑时创建新术语','Create Terms'=>'创建术语','Radio Buttons'=>'单选按钮','Single Value'=>'单值','Multi Select'=>'多选','Checkbox'=>'复选框','Multiple Values'=>'多值','Select the appearance of this field'=>'选择该字段的外观','Appearance'=>'外观','Select the taxonomy to be displayed'=>'选择分类法显示','No TermsNo %s'=>'无 %s','Value must be equal to or lower than %d'=>'值必须等于或小于 %d','Value must be equal to or higher than %d'=>'值必须等于或大于 %d','Value must be a number'=>'值必须是数字','Number'=>'数值','Save \'other\' values to the field\'s choices'=>'将「其他」值保存到字段的选择中','Add \'other\' choice to allow for custom values'=>'添加「其他」选项以允许自定义值','Other'=>'其他','Radio Button'=>'单选按钮','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'定义上一个手风琴停止的终点。该手风琴将不可见。','Allow this accordion to open without closing others.'=>'允许打开此手风琴而不关闭其他手风琴。','Multi-Expand'=>'多重展开','Display this accordion as open on page load.'=>'在页面加载时将此手风琴显示为打开。','Open'=>'打开','Accordion'=>'手风琴','Restrict which files can be uploaded'=>'限制哪些文件可以上传','File ID'=>'文件 ID','File URL'=>'文件 URL','File Array'=>'文件阵列','Add File'=>'添加文件','No file selected'=>'未选择文件','File name'=>'文件名','Update File'=>'更新文件','Edit File'=>'编辑文件','Select File'=>'选择文件','File'=>'文件','Password'=>'密码','Specify the value returned'=>'指定返回值','Use AJAX to lazy load choices?'=>'使用 Ajax 来懒加载选择?','Enter each default value on a new line'=>'在新行中输入每个默认值','verbSelect'=>'选择','Select2 JS load_failLoading failed'=>'加载失败','Select2 JS searchingSearching…'=>'正在搜索...','Select2 JS load_moreLoading more results…'=>'加载更多结果...','Select2 JS selection_too_long_nYou can only select %d items'=>'您只能选择 %d 项','Select2 JS selection_too_long_1You can only select 1 item'=>'您只能选择 1 项','Select2 JS input_too_long_nPlease delete %d characters'=>'请删除 %d 个字符','Select2 JS input_too_long_1Please delete 1 character'=>'请删除 1 个字符','Select2 JS input_too_short_nPlease enter %d or more characters'=>'请输入 %d 或者更多字符','Select2 JS input_too_short_1Please enter 1 or more characters'=>'请输入 1 个或更多字符','Select2 JS matches_0No matches found'=>'未找到匹配项','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'有 %d 个结果,请使用上下箭头键浏览。','Select2 JS matches_1One result is available, press enter to select it.'=>'有一个结果,按输入选择。','nounSelect'=>'选择','User ID'=>'用户 ID','User Object'=>'用户对象','User Array'=>'用户数组','All user roles'=>'所有用户角色','Filter by Role'=>'按角色筛选','User'=>'用户','Separator'=>'分隔符','Select Color'=>'选择颜色','Default'=>'默认','Clear'=>'清除','Color Picker'=>'颜色选择器','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'选择','Date Time Picker JS closeTextDone'=>'完成','Date Time Picker JS currentTextNow'=>'现在','Date Time Picker JS timezoneTextTime Zone'=>'时区','Date Time Picker JS microsecTextMicrosecond'=>'微秒','Date Time Picker JS millisecTextMillisecond'=>'毫秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分','Date Time Picker JS hourTextHour'=>'小时','Date Time Picker JS timeTextTime'=>'时间','Date Time Picker JS timeOnlyTitleChoose Time'=>'选择时间','Date Time Picker'=>'日期时间选择器','Endpoint'=>'终点','Left aligned'=>'左对齐','Top aligned'=>'顶部对齐','Placement'=>'位置','Tab'=>'标签','Value must be a valid URL'=>'值必须是有效的 URL','Link URL'=>'链接 URL','Link Array'=>'链接阵列','Opens in a new window/tab'=>'在新窗口 / 标签中打开','Select Link'=>'选择链接','Link'=>'链接','Email'=>'邮箱','Step Size'=>'步长','Maximum Value'=>'最大值','Minimum Value'=>'最小值','Range'=>'范围','Both (Array)'=>'两者(数组)','Label'=>'标签','Value'=>'值','Vertical'=>'垂直','Horizontal'=>'水平','red : Red'=>'red : 红色','For more control, you may specify both a value and label like this:'=>'为获得更多控制权,您可以像这样指定值和标签:','Enter each choice on a new line.'=>'在新行中输入每个选项。','Choices'=>'选择','Button Group'=>'按钮组','Allow Null'=>'允许空值','Parent'=>'父级','TinyMCE will not be initialized until field is clicked'=>'在点击字段之前,TinyMCE 不会被初始化。','Delay Initialization'=>'延迟初始化','Show Media Upload Buttons'=>'显示媒体上传按钮','Toolbar'=>'工具栏','Text Only'=>'仅文本','Visual Only'=>'仅可视化','Visual & Text'=>'可视化和文本','Tabs'=>'标签','Click to initialize TinyMCE'=>'点击初始化 TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'文本','Visual'=>'可视化','Value must not exceed %d characters'=>'值不得超过 %d 字符','Leave blank for no limit'=>'留空表示无限制','Character Limit'=>'字符限制','Appears after the input'=>'出现在输入后','Append'=>'附加','Appears before the input'=>'出现在输入之前','Prepend'=>'预输入','Appears within the input'=>'出现在输入内容中','Placeholder Text'=>'占位符文本','Appears when creating a new post'=>'创建新文章时显示','Text'=>'文本','%1$s requires at least %2$s selection'=>'%1$s 至少需要 %2$s 选项','Post ID'=>'文章 ID','Post Object'=>'文章对象','Maximum Posts'=>'最大文章数','Minimum Posts'=>'最小文章数','Featured Image'=>'精选图片','Selected elements will be displayed in each result'=>'选中的元素将显示在每个结果中','Elements'=>'元素','Taxonomy'=>'分类法','Post Type'=>'文章类型','Filters'=>'筛选','All taxonomies'=>'所有分类法','Filter by Taxonomy'=>'按分类筛选','All post types'=>'所有文章类型','Filter by Post Type'=>'按文章类型筛选','Search...'=>'搜索...','Select taxonomy'=>'选择分类法','Select post type'=>'选择文章类型','No matches found'=>'未找到匹配结果','Loading'=>'载入','Maximum values reached ( {max} values )'=>'达到最大值 ( {max} 值 )','Relationship'=>'关系','Comma separated list. Leave blank for all types'=>'逗号分隔列表。所有类型留空','Allowed File Types'=>'允许的文件类型','Maximum'=>'最大值','File size'=>'文件大小','Restrict which images can be uploaded'=>'限制哪些图片可以上传','Minimum'=>'最少','Uploaded to post'=>'上传到文章','All'=>'全部','Limit the media library choice'=>'限制媒体库选择','Library'=>'文件库','Preview Size'=>'预览大小','Image ID'=>'图片 ID','Image URL'=>'图片 URL','Image Array'=>'图像阵列','Specify the returned value on front end'=>'在前端指定返回值','Return Value'=>'返回值','Add Image'=>'添加图片','No image selected'=>'没有选择图片','Remove'=>'移除','Edit'=>'编辑','All images'=>'全部图片','Update Image'=>'更新图片','Edit Image'=>'编辑图片','Select Image'=>'选择图片','Image'=>'图片','Allow HTML markup to display as visible text instead of rendering'=>'允许 HTML 标记显示为可见文本,而不是渲染','Escape HTML'=>'转义 HTML','No Formatting'=>'无格式化','Automatically add <br>'=>'自动添加 <br>','Automatically add paragraphs'=>'自动添加段落','Controls how new lines are rendered'=>'控制如何渲染新行','New Lines'=>'新行','Week Starts On'=>'星期开始于','The format used when saving a value'=>'保存数值时使用的格式','Save Format'=>'保存格式','Date Picker JS weekHeaderWk'=>'星期','Date Picker JS prevTextPrev'=>'上一页','Date Picker JS nextTextNext'=>'下一页','Date Picker JS currentTextToday'=>'今天','Date Picker JS closeTextDone'=>'已完成','Date Picker'=>'日期选择器','Width'=>'宽度','Embed Size'=>'嵌入大小','Enter URL'=>'输入 URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'未启用时显示的文本','Off Text'=>'关闭文本','Text shown when active'=>'已启用时显示的文本','On Text'=>'启用文本','Stylized UI'=>'风格化用户界面','Default Value'=>'默认值','Displays text alongside the checkbox'=>'在复选框旁边显示文本','Message'=>'信息','No'=>'没有','Yes'=>'确认','True / False'=>'真 / 假','Row'=>'行','Table'=>'表格','Block'=>'块','Specify the style used to render the selected fields'=>'指定用于渲染选择字段的样式','Layout'=>'布局','Sub Fields'=>'子字段','Group'=>'组合','Customize the map height'=>'自定义地图高度','Height'=>'高度','Set the initial zoom level'=>'设置初始缩放级别','Zoom'=>'缩放','Center the initial map'=>'将初始地图居中','Center'=>'居中','Search for address...'=>'搜索地址...','Find current location'=>'查找当前位置','Clear location'=>'清除位置','Search'=>'搜索','Sorry, this browser does not support geolocation'=>'抱歉,此浏览器不支持地理位置定位','Google Map'=>'谷歌地图','The format returned via template functions'=>'通过模板函数返回的格式','Return Format'=>'返回格式','Custom:'=>'自定义:','The format displayed when editing a post'=>'编辑文章时显示的格式','Display Format'=>'显示格式','Time Picker'=>'时间选择器','Inactive (%s)'=>'未激活 (%s)','No Fields found in Trash'=>'回收站中未发现字段','No Fields found'=>'未找到字段','Search Fields'=>'搜索字段','View Field'=>'查看字段','New Field'=>'新建字段','Edit Field'=>'编辑字段','Add New Field'=>'添加新字段','Field'=>'字段','Fields'=>'字段','No Field Groups found in Trash'=>'回收站中未发现字段组','No Field Groups found'=>'未找到字段组','Search Field Groups'=>'搜索字段组','View Field Group'=>'查看字段组','New Field Group'=>'新建字段组','Edit Field Group'=>'编辑字段组','Add New Field Group'=>'添加新字段组','Add New'=>'添加新的','Field Group'=>'字段组','Field Groups'=>'字段组','Customize WordPress with powerful, professional and intuitive fields.'=>'【高级自定义字段 ACF】使用强大、专业和直观的字段自定义WordPress。','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'高级自定义字段','Advanced Custom Fields PRO'=>'Advanced Custom Fields 专业版','Options Updated'=>'选项已更新','Check Again'=>'重新检查','Publish'=>'发布','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'这个选项页上还没有自定义字段群组。创建自定义字段群组','Error. Could not connect to update server'=>'错误,不能连接到更新服务器','Display'=>'显示','Add Row'=>'添加行','layout'=>'布局','layouts'=>'布局','This field requires at least {min} {label} {identifier}'=>'这个字段需要至少 {min} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} 可用 (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} 需要 (min {min})','Flexible Content requires at least 1 layout'=>'灵活内容字段需要至少一个布局','Click the "%s" button below to start creating your layout'=>'点击下面的 "%s" 按钮创建布局','Add layout'=>'添加布局','Remove layout'=>'删除布局','Delete Layout'=>'删除布局','Duplicate Layout'=>'复制布局','Add New Layout'=>'添加新布局','Add Layout'=>'添加布局','Min'=>'最小','Max'=>'最大','Minimum Layouts'=>'最小布局','Maximum Layouts'=>'最大布局','Button Label'=>'按钮标签','Add Image to Gallery'=>'添加图片到相册','Maximum selection reached'=>'已到最大选择','Length'=>'长度','Caption'=>'标题','Add to gallery'=>'添加到相册','Bulk actions'=>'批量动作','Sort by date uploaded'=>'按上传日期排序','Sort by date modified'=>'按修改日期排序','Sort by title'=>'按标题排序','Reverse current order'=>'颠倒当前排序','Close'=>'关闭','Minimum Selection'=>'最小选择','Maximum Selection'=>'最大选择','Allowed file types'=>'允许的文字类型','Minimum rows not reached ({min} rows)'=>'已到最小行数 ({min} 行)','Maximum rows reached ({max} rows)'=>'已到最大行数 ({max} 行)','Minimum Rows'=>'最小行数','Maximum Rows'=>'最大行数','Click to reorder'=>'拖拽排序','Add row'=>'添加行','Remove row'=>'删除行','First Page'=>'首页','Previous Page'=>'文章页','Next Page'=>'首页','Last Page'=>'文章页','No options pages exist'=>'还没有选项页面','Deactivate License'=>'关闭许可证','Activate License'=>'激活许可证','License Key'=>'许可证号','Update Information'=>'更新信息','Current Version'=>'当前版本','Latest Version'=>'最新版本','Update Available'=>'可用更新','Upgrade Notice'=>'更新通知','Enter your license key to unlock updates'=>'在上面输入许可证号解锁更新','Update Plugin'=>'更新插件']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'更新来源','By default only admin users can edit this setting.'=>'默认情况下,只有管理员用户可以编辑此设置。','By default only super admin users can edit this setting.'=>'默认情况下,只有超级管理员用户才能编辑此设置。','Close and Add Field'=>'关闭并添加字段','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'用于处理分类法中元框内容的 PHP 函数名称。为了安全起见,该回调将在一个特殊的上下文中执行,不能访问任何超级全局变量,如 $_POST 或 $_GET。','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'当设置编辑屏幕的元框时,将调用一个 PHP 函数名称。为了安全起见,该回调将在一个特殊的上下文中执行,不能访问任何超级全局变量,如 $_POST 或 $_GET。','wordpress.org'=>'wordpress.org','Allow Access to Value in Editor UI'=>'允许访问编辑器用户界面中的值','Learn more.'=>'了解更多信息。','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'允许内容编辑器访问和 显示编辑器 UI 中使用块绑定或 ACF 简码的字段值。%s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'请求的 ACF 字段类型不支持块绑定或 ACF 简码中的输出。','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'所请求的 ACF 字段不允许在绑定或 ACF 简码中输出。','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'请求的 ACF 字段类型不支持在绑定或 ACF 简码中输出。','[The ACF shortcode cannot display fields from non-public posts]'=>'[ACF 简码无法显示非公开文章中的字段]','[The ACF shortcode is disabled on this site]'=>'[本网站已禁用 ACF 简码]','Businessman Icon'=>'商人图标','Forums Icon'=>'论坛图标','YouTube Icon'=>'YouTube 图标','Yes (alt) Icon'=>'Yes (alt)图标','Xing Icon'=>'Xing 图标','WordPress (alt) Icon'=>'WordPress(备选)图标','WhatsApp Icon'=>'WhatsApp 图标','Write Blog Icon'=>'写博客图标','Widgets Menus Icon'=>'小工具菜单图标','View Site Icon'=>'查看网站图标','Learn More Icon'=>'了解更多信息图标','Add Page Icon'=>'添加页面图标','Video (alt3) Icon'=>'视频(alt3)图标','Video (alt2) Icon'=>'视频(alt2)图标','Video (alt) Icon'=>'视频(alt)图标','Update (alt) Icon'=>'更新图标','Universal Access (alt) Icon'=>'通用访问(alt)图标','Twitter (alt) Icon'=>'推特(alt)图标','Twitch Icon'=>'Twitch 图标','Tide Icon'=>'潮汐图标','Tickets (alt) Icon'=>'门票图标','Text Page Icon'=>'文本页面图标','Table Row Delete Icon'=>'表格行删除图标','Table Row Before Icon'=>'表格行之前图标','Table Row After Icon'=>'表格行后图标','Table Col Delete Icon'=>'删除表格列图标','Table Col Before Icon'=>'表列图标前','Table Col After Icon'=>'表列之后的图标','Superhero (alt) Icon'=>'超级英雄(alt)图标','Superhero Icon'=>'超级英雄图标','Spotify Icon'=>'Spotify 图标','Shortcode Icon'=>'简码图标','Shield (alt) Icon'=>'盾牌(alt)图标','Share (alt2) Icon'=>'共享(alt2)图标','Share (alt) Icon'=>'共享(alt)图标','Saved Icon'=>'保存图标','RSS Icon'=>'RSS 图标','REST API Icon'=>'REST API 图标','Remove Icon'=>'删除图标','Reddit Icon'=>'Reddit 图标','Privacy Icon'=>'隐私图标','Printer Icon'=>'打印机图标','Podio Icon'=>'跑道图标','Plus (alt2) Icon'=>'加号(alt2)图标','Plus (alt) Icon'=>'加号(alt)图标','Plugins Checked Icon'=>'已检查插件图标','Pinterest Icon'=>'Pinterest 图标','Pets Icon'=>'宠物图标','PDF Icon'=>'PDF 图标','Palm Tree Icon'=>'棕榈树图标','Open Folder Icon'=>'打开文件夹图标','No (alt) Icon'=>'无(alt)图标','Money (alt) Icon'=>'金钱(alt)图标','Menu (alt3) Icon'=>'菜单(alt3)图标','Menu (alt2) Icon'=>'菜单(alt2)图标','Menu (alt) Icon'=>'菜单(alt)图标','Spreadsheet Icon'=>'电子表格图标','Interactive Icon'=>'互动图标','Document Icon'=>'文档图标','Default Icon'=>'默认图标','Location (alt) Icon'=>'位置(alt)图标','LinkedIn Icon'=>'LinkedIn 图标','Instagram Icon'=>'Instagram 图标','Insert Before Icon'=>'插入前图标','Insert After Icon'=>'插入后图标','Insert Icon'=>'插入图标','Info Outline Icon'=>'信息轮廓图标','Images (alt2) Icon'=>'图像(alt2)图标','Images (alt) Icon'=>'图像(alt)图标','Rotate Right Icon'=>'向右旋转图标','Rotate Left Icon'=>'向左旋转图标','Rotate Icon'=>'旋转图标','Flip Vertical Icon'=>'垂直翻转图标','Flip Horizontal Icon'=>'水平翻转图标','Crop Icon'=>'裁剪图标','ID (alt) Icon'=>'ID(alt)图标','HTML Icon'=>'HTML 图标','Hourglass Icon'=>'沙漏图标','Heading Icon'=>'标题图标','Google Icon'=>'谷歌图标','Games Icon'=>'游戏图标','Fullscreen Exit (alt) Icon'=>'退出全屏(alt)图标','Fullscreen (alt) Icon'=>'全屏(alt)图标','Status Icon'=>'状态图标','Image Icon'=>'图像图标','Gallery Icon'=>'图库图标','Chat Icon'=>'聊天图标','Audio Icon'=>'音频图标','Aside Icon'=>'其他图标','Food Icon'=>'食物图标','Exit Icon'=>'退出图标','Excerpt View Icon'=>'摘录视图图标','Embed Video Icon'=>'嵌入视频图标','Embed Post Icon'=>'嵌入文章图标','Embed Photo Icon'=>'嵌入照片图标','Embed Generic Icon'=>'嵌入通用图标','Embed Audio Icon'=>'嵌入音频图标','Email (alt2) Icon'=>'电子邮件(alt2)图标','Ellipsis Icon'=>'省略图标','Unordered List Icon'=>'无序列表图标','RTL Icon'=>'RTL 图标','Ordered List RTL Icon'=>'有序列表 RTL 图标','Ordered List Icon'=>'有序列表图标','LTR Icon'=>'LTR 图标','Custom Character Icon'=>'自定义字符图标','Edit Page Icon'=>'编辑页面图标','Edit Large Icon'=>'编辑大图标','Drumstick Icon'=>'鼓槌图标','Database View Icon'=>'数据库查看图标','Database Remove Icon'=>'删除数据库图标','Database Import Icon'=>'数据库导入图标','Database Export Icon'=>'数据库导出图标','Database Add Icon'=>'数据库添加图标','Database Icon'=>'数据库图标','Cover Image Icon'=>'封面图像图标','Volume On Icon'=>'音量打开图标','Volume Off Icon'=>'关闭音量图标','Skip Forward Icon'=>'向前跳转图标','Skip Back Icon'=>'后跳图标','Repeat Icon'=>'重复图标','Play Icon'=>'播放图标','Pause Icon'=>'暂停图标','Forward Icon'=>'前进图标','Back Icon'=>'后退图标','Columns Icon'=>'列图标','Color Picker Icon'=>'颜色选择器图标','Coffee Icon'=>'咖啡图标','Code Standards Icon'=>'代码标准图标','Cloud Upload Icon'=>'云上传图标','Cloud Saved Icon'=>'云保存图标','Car Icon'=>'汽车图标','Camera (alt) Icon'=>'相机(alt)图标','Calculator Icon'=>'计算器图标','Button Icon'=>'按钮图标','Businessperson Icon'=>'商人图标','Tracking Icon'=>'跟踪图标','Topics Icon'=>'主题图标','Replies Icon'=>'回复图标','PM Icon'=>'PM 图标','Friends Icon'=>'好友图标','Community Icon'=>'社区图标','BuddyPress Icon'=>'BuddyPress 图标','bbPress Icon'=>'bbPress 图标','Activity Icon'=>'活动图标','Book (alt) Icon'=>'图书图标','Block Default Icon'=>'块默认图标','Bell Icon'=>'贝尔图标','Beer Icon'=>'啤酒图标','Bank Icon'=>'银行图标','Arrow Up (alt2) Icon'=>'向上箭头(alt2)图标','Arrow Up (alt) Icon'=>'向上箭头(alt)图标','Arrow Right (alt2) Icon'=>'向右箭头(alt2)图标','Arrow Right (alt) Icon'=>'向右箭头(alt)图标','Arrow Left (alt2) Icon'=>'向左箭头(alt2)图标','Arrow Left (alt) Icon'=>'箭头左(alt)图标','Arrow Down (alt2) Icon'=>'向下箭头(alt2)图标','Arrow Down (alt) Icon'=>'箭头向下(alt)图标','Amazon Icon'=>'亚马逊图标','Align Wide Icon'=>'宽对齐图标','Align Pull Right Icon'=>'右拉对齐图标','Align Pull Left Icon'=>'左拉对齐图标','Align Full Width Icon'=>'全宽对齐图标','Airplane Icon'=>'飞机图标','Site (alt3) Icon'=>'网站(alt3)图标','Site (alt2) Icon'=>'网站(alt2)图标','Site (alt) Icon'=>'网站(alt)图标','Upgrade to ACF PRO to create options pages in just a few clicks'=>'升级至 ACF PRO,只需点击几下即可创建选项页面','Invalid request args.'=>'无效请求参数。','Sorry, you do not have permission to do that.'=>'很抱歉,您没有权限来这样做。','Blocks Using Post Meta'=>'使用文章元数据的块','ACF PRO logo'=>'ACF PRO logo','ACF PRO Logo'=>'ACF PRO Logo','%s requires a valid attachment ID when type is set to media_library.'=>'当类型设置为 media_library 时,%s 需要一个有效的附件 ID。','%s is a required property of acf.'=>'%s 是 acf 的必备属性。','The value of icon to save.'=>'图标的值改为保存。','The type of icon to save.'=>'图标的类型改为保存。','Yes Icon'=>'Yes 图标','WordPress Icon'=>'WordPress 图标','Warning Icon'=>'警告图标','Visibility Icon'=>'可见性图标','Vault Icon'=>'保险库图标','Upload Icon'=>'上传图标','Update Icon'=>'更新图标','Unlock Icon'=>'解锁图标','Universal Access Icon'=>'通用访问图标','Undo Icon'=>'撤销图标','Twitter Icon'=>'推特图标','Trash Icon'=>'回收站图标','Translation Icon'=>'翻译图标','Tickets Icon'=>'门票图标','Thumbs Up Icon'=>'大拇指向上图标','Thumbs Down Icon'=>'大拇指向下图标','Text Icon'=>'文本图标','Testimonial Icon'=>'推荐图标','Tagcloud Icon'=>'标签云图标','Tag Icon'=>'标签图标','Tablet Icon'=>'平板图标','Store Icon'=>'商店图标','Sticky Icon'=>'粘贴图标','Star Half Icon'=>'半星图标','Star Filled Icon'=>'星形填充图标','Star Empty Icon'=>'星空图标','Sos Icon'=>'Sos 图标','Sort Icon'=>'排序图标','Smiley Icon'=>'笑脸图标','Smartphone Icon'=>'智能手机图标','Slides Icon'=>'幻灯片图标','Shield Icon'=>'盾牌图标','Share Icon'=>'共享图标','Search Icon'=>'搜索图标','Screen Options Icon'=>'屏幕选项图标','Schedule Icon'=>'日程图标','Redo Icon'=>'重做图标','Randomize Icon'=>'随机化图标','Products Icon'=>'产品图标','Pressthis Icon'=>'发布图标','Post Status Icon'=>'文章状态图标','Portfolio Icon'=>'组合图标','Plus Icon'=>'加号图标','Playlist Video Icon'=>'播放列表视频图标','Playlist Audio Icon'=>'播放列表音频图标','Phone Icon'=>'电话图标','Performance Icon'=>'表演图标','Paperclip Icon'=>'回形针图标','No Icon'=>'无图标','Networking Icon'=>'联网图标','Nametag Icon'=>'名签图标','Move Icon'=>'移动图标','Money Icon'=>'金钱图标','Minus Icon'=>'减号图标','Migrate Icon'=>'迁移图标','Microphone Icon'=>'麦克风图标','Megaphone Icon'=>'扩音器图标','Marker Icon'=>'标记图标','Lock Icon'=>'锁定图标','Location Icon'=>'位置图标','List View Icon'=>'列表视图图标','Lightbulb Icon'=>'灯泡图标','Left Right Icon'=>'左右图标','Layout Icon'=>'布局图标','Laptop Icon'=>'笔记本电脑图标','Info Icon'=>'信息图标','Index Card Icon'=>'索引卡图标','ID Icon'=>'ID 图标','Hidden Icon'=>'隐藏图标','Heart Icon'=>'心形图标','Hammer Icon'=>'锤子图标','Groups Icon'=>'群组图标','Grid View Icon'=>'网格视图图标','Forms Icon'=>'表格图标','Flag Icon'=>'旗帜图标','Filter Icon'=>'筛选图标','Feedback Icon'=>'反馈图标','Facebook (alt) Icon'=>'Facebook(alt)图标','Facebook Icon'=>'Facebook 图标','External Icon'=>'外部图标','Email (alt) Icon'=>'电子邮件(alt)图标','Email Icon'=>'电子邮件图标','Video Icon'=>'视频图标','Unlink Icon'=>'取消链接图标','Underline Icon'=>'下划线图标','Text Color Icon'=>'文本颜色图标','Table Icon'=>'表格图标','Strikethrough Icon'=>'删除线图标','Spellcheck Icon'=>'拼写检查图标','Remove Formatting Icon'=>'移除格式图标','Quote Icon'=>'引用图标','Paste Word Icon'=>'粘贴文字图标','Paste Text Icon'=>'粘贴文本图标','Paragraph Icon'=>'段落图标','Outdent Icon'=>'缩进图标','Kitchen Sink Icon'=>'厨房水槽图标','Justify Icon'=>'对齐图标','Italic Icon'=>'斜体图标','Insert More Icon'=>'插入更多图标','Indent Icon'=>'缩进图标','Help Icon'=>'帮助图标','Expand Icon'=>'展开图标','Contract Icon'=>'合同图标','Code Icon'=>'代码图标','Break Icon'=>'中断图标','Bold Icon'=>'粗体图标','Edit Icon'=>'编辑图标','Download Icon'=>'下载图标','Dismiss Icon'=>'取消图标','Desktop Icon'=>'桌面图标','Dashboard Icon'=>'仪表板图标','Cloud Icon'=>'云图标','Clock Icon'=>'时钟图标','Clipboard Icon'=>'剪贴板图标','Chart Pie Icon'=>'图表饼图标','Chart Line Icon'=>'图表线条图标','Chart Bar Icon'=>'图表条形图标','Chart Area Icon'=>'图表区域图标','Category Icon'=>'分类图标','Cart Icon'=>'购物车图标','Carrot Icon'=>'胡萝卜图标','Camera Icon'=>'相机图标','Calendar (alt) Icon'=>'日历(alt)图标','Calendar Icon'=>'日历图标','Businesswoman Icon'=>'商务人士图标','Building Icon'=>'建筑图标','Book Icon'=>'图书图标','Backup Icon'=>'备份图标','Awards Icon'=>'奖项图标','Art Icon'=>'艺术图标','Arrow Up Icon'=>'向上箭头图标','Arrow Right Icon'=>'向右箭头图标','Arrow Left Icon'=>'箭头左图标','Arrow Down Icon'=>'向下箭头图标','Archive Icon'=>'存档图标','Analytics Icon'=>'分析图标','Align Right Icon'=>'右对齐图标','Align None Icon'=>'无对齐图标','Align Left Icon'=>'向左对齐图标','Align Center Icon'=>'居中对齐图标','Album Icon'=>'相册图标','Users Icon'=>'用户图标','Tools Icon'=>'工具图标','Site Icon'=>'网站图标','Settings Icon'=>'设置图标','Post Icon'=>'文章图标','Plugins Icon'=>'插件图标','Page Icon'=>'页面图标','Network Icon'=>'网络图标','Multisite Icon'=>'多站点图标','Media Icon'=>'媒体图标','Links Icon'=>'链接图标','Home Icon'=>'主页图标','Customizer Icon'=>'自定义图标','Comments Icon'=>'评论图标','Collapse Icon'=>'折叠图标','Appearance Icon'=>'外观图标','Generic Icon'=>'通用图标','Icon picker requires a value.'=>'图标拾取器需要一个值。','Icon picker requires an icon type.'=>'图标拾取器需要一个图标类型。','The available icons matching your search query have been updated in the icon picker below.'=>'符合您搜索条件的可用图标已在下面的图标拾取器中更新。','No results found for that search term'=>'未找到该搜索词的结果','Array'=>'数组','String'=>'字符串','Specify the return format for the icon. %s'=>'指定图标的返回格式。%s','Select where content editors can choose the icon from.'=>'选择内容编辑器可以从哪里选择图标。','The URL to the icon you\'d like to use, or svg as Data URI'=>'您想使用的图标的 URL 或 svg 作为数据 URI','Browse Media Library'=>'浏览媒体库','The currently selected image preview'=>'当前选择图片预览','Click to change the icon in the Media Library'=>'单击以更改媒体库中的图标','Search icons...'=>'搜索图标...','Media Library'=>'媒体库','Dashicons'=>'大水印','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'选择一个图标的交互式用户界面。从 Dash 图标、媒体库或独立的 URL 输入中进行选择。','Icon Picker'=>'图标选择器','JSON Load Paths'=>'JSON 加载路径','JSON Save Paths'=>'JSON 保存路径','Registered ACF Forms'=>'已注册的 ACF 表单','Shortcode Enabled'=>'已启用简码','Field Settings Tabs Enabled'=>'已启用字段设置选项卡','Field Type Modal Enabled'=>'已启用字段类型模式','Admin UI Enabled'=>'已启用管理用户界面','Block Preloading Enabled'=>'启用块预载','Blocks Per ACF Block Version'=>'每个 ACF 块版本的块','Blocks Per API Version'=>'每个 API 版本的区块','Registered ACF Blocks'=>'已注册的 ACF 块','Light'=>'轻型','Standard'=>'标准','REST API Format'=>'REST API 格式','Registered Options Pages (PHP)'=>'注册选项页(PHP)','Registered Options Pages (JSON)'=>'注册选项页面(JSON)','Registered Options Pages (UI)'=>'注册选项页面(用户界面)','Options Pages UI Enabled'=>'已启用用户界面的选项页','Registered Taxonomies (JSON)'=>'注册分类法(JSON)','Registered Taxonomies (UI)'=>'注册分类法(用户界面)','Registered Post Types (JSON)'=>'已注册文章类型(JSON)','Registered Post Types (UI)'=>'已注册文章类型(UI)','Post Types and Taxonomies Enabled'=>'已启用的文章类型和分类法','Number of Third Party Fields by Field Type'=>'按字段类型划分的第三方字段数量','Number of Fields by Field Type'=>'按字段类型划分的字段数量','Field Groups Enabled for GraphQL'=>'为 GraphQL 启用的字段组','Field Groups Enabled for REST API'=>'为 REST API 启用的字段组','Registered Field Groups (JSON)'=>'注册字段组(JSON)','Registered Field Groups (PHP)'=>'注册字段组(PHP)','Registered Field Groups (UI)'=>'已注册字段组(UI)','Active Plugins'=>'活动插件','Parent Theme'=>'父主题','Active Theme'=>'活动主题','Is Multisite'=>'是否多站点','MySQL Version'=>'MySQL 版本','WordPress Version'=>'WordPress 版本','Subscription Expiry Date'=>'订阅到期日期','License Status'=>'许可证状态','License Type'=>'许可证类型','Licensed URL'=>'授权 URL','License Activated'=>'许可证已激活','Free'=>'免费','Plugin Type'=>'插件类型','Plugin Version'=>'插件版本','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'本节包含有关 ACF 配置的调试信息,这些信息可以提供给技术支持。','An ACF Block on this page requires attention before you can save.'=>'在您保存之前,需要注意此页面上的一个 ACF 字段。','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'当我们检测到输出过程中已更改的值时,会记录此数据。%1$s 清除日志并在代码中转义值后关闭 %2$s。如果我们再次检测到已更改的值,通知将重新出现。','Dismiss permanently'=>'永久关闭','Instructions for content editors. Shown when submitting data.'=>'内容编辑器的说明。提交数据时显示。','Has no term selected'=>'未选择任何术语','Has any term selected'=>'是否选择了任何术语','Terms do not contain'=>'术语不包含','Terms contain'=>'术语包含','Term is not equal to'=>'术语不等于','Term is equal to'=>'术语等于','Has no user selected'=>'没有用户选择','Has any user selected'=>'有任何用户选择','Users do not contain'=>'用户不包含','Users contain'=>'用户包含','User is not equal to'=>'用户不等于','User is equal to'=>'用户等于','Has no page selected'=>'未选择页面','Has any page selected'=>'有任何页面选择','Pages do not contain'=>'页面不包含','Pages contain'=>'页面包含','Page is not equal to'=>'页面不等于','Page is equal to'=>'页面等于','Has no relationship selected'=>'没有关系选择','Has any relationship selected'=>'有任何关系选择','Has no post selected'=>'没有选择文章','Has any post selected'=>'有任何文章选择','Posts do not contain'=>'文章不包含','Posts contain'=>'文章包含','Post is not equal to'=>'文章不等于','Post is equal to'=>'文章等于','Relationships do not contain'=>'关系不包含','Relationships contain'=>'关系包含','Relationship is not equal to'=>'关系不等于','Relationship is equal to'=>'关系等于','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 字段','ACF PRO Feature'=>'ACF PRO 功能','Renew PRO to Unlock'=>'续订 PRO 即可解锁','Renew PRO License'=>'更新 PRO 许可证','PRO fields cannot be edited without an active license.'=>'如果没有有效许可证,则无法编辑 PRO 字段。','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'请激活您的 ACF PRO 许可证以编辑分配给 ACF 块的字段组。','Please activate your ACF PRO license to edit this options page.'=>'请激活您的 ACF PRO 许可证才能编辑此选项页面。','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'只有当 format_value 也为 true 时,才能返回转义 HTML 值。为安全起见,字段值不会返回。','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'只有当 format_value 也为 true 时,才能返回转义 HTML 值。为安全起见,未返回字段值。','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'当通过 the_field 或 ACF 简码进行渲染时,%1$s ACF 现在会自动转义不安全的 HTML。我们检测到您的某些字段的输出已被此更改修改,但这可能不是一个破坏性的更改。%2$s.','Please contact your site administrator or developer for more details.'=>'请联系您的网站管理员或开发者了解详情。','Learn more'=>'了解更多信息','Hide details'=>'隐藏详细信息','Show details'=>'显示详细信息','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - 渲染通过 %3$s','Renew ACF PRO License'=>'续订 ACF PRO 许可证','Renew License'=>'更新许可证','Manage License'=>'管理许可证','\'High\' position not supported in the Block Editor'=>'区块编辑器不支持「高」位置','Upgrade to ACF PRO'=>'升级到 ACF PRO','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'ACF选项页是通过字段管理全局设置的自定义管理页。您可以创建多个页面和子页面。','Add Options Page'=>'添加选项页面','In the editor used as the placeholder of the title.'=>'在编辑器中用作标题的占位符。','Title Placeholder'=>'标题占位符','4 Months Free'=>'4个月免费','(Duplicated from %s)'=>'(与 %s 重复)','Select Options Pages'=>'选择选项页面','Duplicate taxonomy'=>'重复分类法','Create taxonomy'=>'创建分类法','Duplicate post type'=>'复制文章类型','Create post type'=>'创建文章类型','Link field groups'=>'链接字段组','Add fields'=>'添加字段','This Field'=>'此字段','ACF PRO'=>'ACF PRO','Feedback'=>'反馈','Support'=>'支持','is developed and maintained by'=>'开发和维护者','Add this %s to the location rules of the selected field groups.'=>'将此 %s 添加到选择字段组的位置规则中。','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'启用双向设置允许您更新为此字段选择的每个值的目标字段中的值,添加或删除正在更新的项目的文章 ID、分类法 ID 或用户 ID。有关更多信息,请阅读文档。','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'选择字段以将引用存储回正在更新的项目。您可以选择该字段。目标字段必须与该字段的显示位置兼容。例如,如果此字段显示在分类法上,则您的目标字段应为分类法类型','Target Field'=>'目标字段','Update a field on the selected values, referencing back to this ID'=>'在选择值上更新一个字段,并引用回该 ID','Bidirectional'=>'双向','%s Field'=>'%s 字段','Select Multiple'=>'选择多个','WP Engine logo'=>'WP Engine logo','Lower case letters, underscores and dashes only, Max 32 characters.'=>'小写字母、下划线和破折号,最多 32 字符。','The capability name for assigning terms of this taxonomy.'=>'该分类法的指定术语的权限名称。','Assign Terms Capability'=>'指定术语功能','The capability name for deleting terms of this taxonomy.'=>'用于删除本分类法条款的权限名称。','Delete Terms Capability'=>'删除术语功能','The capability name for editing terms of this taxonomy.'=>'用于编辑本分类法条款的权限名称。','Edit Terms Capability'=>'编辑条款功能','The capability name for managing terms of this taxonomy.'=>'管理此分类法条款的权限名称。','Manage Terms Capability'=>'管理术语功能','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'设置是否应将文章从搜索结果和分类法归档页面中排除。','More Tools from WP Engine'=>'WP Engine 的更多工具','Built for those that build with WordPress, by the team at %s'=>'由 %s 团队专为使用 WordPress 构建的用户而构建','View Pricing & Upgrade'=>'查看定价和升级','Learn More'=>'了解更多','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'利用 ACF 块和选项页面等功能以及循环、弹性内容、克隆和图库等复杂的字段类型,加快您的工作流程并开发更好的网站。','Unlock Advanced Features and Build Even More with ACF PRO'=>'使用 ACF PRO 解锁高级功能并构建更多功能','%s fields'=>'%s 字段','No terms'=>'无术语','No post types'=>'无文章类型','No posts'=>'无文章','No taxonomies'=>'无分类法','No field groups'=>'无字段组','No fields'=>'无字段','No description'=>'无描述','Any post status'=>'任何文章状态','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'此分类法关键字已被 ACF 以外的另一个分类法注册使用,因此无法使用。','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'此分类法关键字已被 ACF 中的另一个分类法使用,因此无法使用。','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'分类法关键字只能包含小写字母数字字符、下划线或破折号。','The taxonomy key must be under 32 characters.'=>'分类法关键字必须小于 32 字符。','No Taxonomies found in Trash'=>'回收站中未发现分类法','No Taxonomies found'=>'未找到分类法','Search Taxonomies'=>'搜索分类法','View Taxonomy'=>'查看分类法','New Taxonomy'=>'新分类法','Edit Taxonomy'=>'编辑分类法','Add New Taxonomy'=>'新增分类法','No Post Types found in Trash'=>'回收站中未发现文章类型','No Post Types found'=>'未找到文章类型','Search Post Types'=>'搜索文章类型','View Post Type'=>'查看文章类型','New Post Type'=>'新建文章类型','Edit Post Type'=>'编辑文章类型','Add New Post Type'=>'添加新文章类型','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'此文章类型关键字已被 ACF 以外的另一个文章类型关键字使用,因此无法使用。','This post type key is already in use by another post type in ACF and cannot be used.'=>'此文章类型关键字已被 ACF 中的另一个文章类型使用,因此无法使用。','This field must not be a WordPress reserved term.'=>'这个字段不能是 WordPress 保留字。','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'文章类型关键字只能包含小写字母数字字符、下划线或破折号。','The post type key must be under 20 characters.'=>'文章类型关键字必须小于 20 字符。','We do not recommend using this field in ACF Blocks.'=>'我们不建议在 ACF 块中使用此字段。','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'显示 WordPress WYSIWYG 编辑器,如在「文章」和「页面」中看到的那样,允许丰富的文本编辑体验,也允许多媒体内容。','WYSIWYG Editor'=>'所见即所得编辑器','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'允许选择一个或多个用户,用于创建数据对象之间的关系。','A text input specifically designed for storing web addresses.'=>'专门用于存储网址的文本输入。','URL'=>'URL','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'切换按钮,允许您选择 1 或 0 的值(开或关、真或假等)。可以以风格化开关或复选框的形式呈现。','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'用于选择时间的交互式用户界面。时间格式可通过字段设置进行自定义。','A basic textarea input for storing paragraphs of text.'=>'用于存储文本段落的基本文本区输入。','A basic text input, useful for storing single string values.'=>'基本文本输入,用于存储单字符串值。','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'允许根据字段设置中指定的标准和选项选择一个或多个分类法术语。','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'允许您在编辑屏幕中将字段分组为标签式部分。有助于保持字段的条理性和结构化。','A dropdown list with a selection of choices that you specify.'=>'下拉列表包含您指定的选项。','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'选择一个或多个文章、页面或自定义文章类型项目的双栏接口,以创建与当前编辑的项目之间的关系。包括搜索和筛选选项。','An input for selecting a numerical value within a specified range using a range slider element.'=>'使用范围滑块元素在指定范围内选择数值的输入。','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'一组单选按钮输入,允许用户从您指定的值中进行单选。','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'一种交互式且可定制的用户界面,用于选择一个或多个文章、页面或帖子类型项目,并提供搜索选项。 ','An input for providing a password using a masked field.'=>'使用屏蔽字段提供密码的输入。','Filter by Post Status'=>'按文章状态筛选','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'选择一个或多个文章、页面、自定义文章类型项目或归档 URL 的交互式下拉菜单,可使用选项进行搜索。','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'通过使用 WordPress 原生的 oEmbed 功能,嵌入视频、图片、推文、音频和其他内容的互动组件。','An input limited to numerical values.'=>'仅限于数值的输入。','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'用于显示与其他字段并列的信息。可为您的字段提供额外的上下文或说明。','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'允许您使用 WordPress 本地链接拾取器指定链接及其属性,如标题和目标。','Uses the native WordPress media picker to upload, or choose images.'=>'使用 WordPress 本地媒体拾取器上传,或选择图片。','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'提供了一种将字段结构化成组的方法,以便更好地组织数据和编辑屏幕。','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'使用谷歌地图选择位置的交互式用户界面。需要 Google Maps API 密钥和额外配置才能正确显示。','Uses the native WordPress media picker to upload, or choose files.'=>'使用 WordPress 本地媒体拾取器上传,或选择文件。','A text input specifically designed for storing email addresses.'=>'专为存储地址而设计的文本输入。','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'用于选择日期和时间的交互式用户界面。日期返回格式可通过字段设置进行自定义。','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'用于选择日期的交互式用户界面。日期返回格式可通过字段设置进行自定义。','An interactive UI for selecting a color, or specifying a Hex value.'=>'用于选择颜色或指定十六进制值的交互式用户界面。','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'一组复选框输入,允许用户选择一个或多个您指定的值。','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'一组按钮,带有您指定的值,用户可以从提供的值中选择一个选项。','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'允许您将自定义字段分组并整理为可折叠的面板,在编辑内容时显示。它有助于保持大型数据集的整洁。','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'这提供了一个用于重复内容(如幻灯片、团队成员和「行动号召」磁贴)的方法,即作为一组子字段的父字段,这些子字段可以重复显示。','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'这为管理附件集合提供了一个交互式接口。大多数设置与图像字段类型类似。其他设置允许您指定在图库中添加新附件的位置以及允许的附件最小 / 最大数量。','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'这提供了一个简单、结构化、基于布局的编辑器。灵活的内容字段允许您通过使用布局和子字段来设计可用区块,以完全可控的方式定义、创建和管理内容。','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'这样,您就可以选择和显示现有的字段。它不会复制数据库中的任何字段,但会在运行时加载并显示已选择的字段。克隆字段既可以用选择的字段替换自己,也可以将选择的字段显示为一组子字段。','nounClone'=>'克隆','PRO'=>'专业版','Advanced'=>'高级','JSON (newer)'=>'JSON (较新)','Original'=>'原文','Invalid post ID.'=>'无效文章 ID。','Invalid post type selected for review.'=>'选择进行审核的文章类型无效。','More'=>'更多信息','Tutorial'=>'教程','Select Field'=>'选择领域','Try a different search term or browse %s'=>'尝试其他搜索词或浏览 %s','Popular fields'=>'热门字段','No search results for \'%s\''=>'没有「%s」的搜索结果','Search fields...'=>'搜索字段...','Select Field Type'=>'选择字段类型','Popular'=>'热门','Add Taxonomy'=>'添加分类法','Create custom taxonomies to classify post type content'=>'创建自定义分类法来分类文章类型内容','Add Your First Taxonomy'=>'添加第一个分类法','Hierarchical taxonomies can have descendants (like categories).'=>'分层分类法可以有后代(如分类)。','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'使分类法在前台和管理后台可见。','One or many post types that can be classified with this taxonomy.'=>'一个或多个可以用该分类法分类的文章类型。','genre'=>'类型','Genre'=>'类型','Genres'=>'类型','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'可选的自定义控制器,用于替代「WP_REST_Terms_Controller」。','Expose this post type in the REST API.'=>'在 REST API 中公开该文章类型。','Customize the query variable name'=>'自定义查询变量名称','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'可使用非漂亮的固定链接访问术语,例如,{query_var}={term_slug}。','Parent-child terms in URLs for hierarchical taxonomies.'=>'分层分类法 URL 中的父子术语。','Customize the slug used in the URL'=>'自定义 URL 中使用的别名','Permalinks for this taxonomy are disabled.'=>'禁用此分类法的永久链接。','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'使用分类法关键字重写 URL。您的永久链接结构将是','Taxonomy Key'=>'分类法关键字','Select the type of permalink to use for this taxonomy.'=>'选择要用于此分类法的固定链接类型。','Display a column for the taxonomy on post type listing screens.'=>'在文章类型的列表屏幕上显示分类法栏。','Show Admin Column'=>'显示管理栏','Show the taxonomy in the quick/bulk edit panel.'=>'在快速 / 批量编辑面板中显示分类法。','Quick Edit'=>'快速编辑','List the taxonomy in the Tag Cloud Widget controls.'=>'在标签云小工具控件中列出分类法。','Tag Cloud'=>'标签云','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'用于对从元框中保存的分类法数据进行消毒的 PHP 函数名称。','Meta Box Sanitization Callback'=>'元框消毒回调','Register Meta Box Callback'=>'注册元框回调','No Meta Box'=>'无元框','Custom Meta Box'=>'自定义元框','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'控制内容编辑器屏幕上的元框。默认情况下,分层分类法显示「分类」元框,非分层分类法显示「标签」元框。','Meta Box'=>'元框','Categories Meta Box'=>'分类元框','Tags Meta Box'=>'标签元框','A link to a tag'=>'标签的链接','Describes a navigation link block variation used in the block editor.'=>'描述块编辑器中使用的导航链接块样式变化。','A link to a %s'=>'链接到 %s','Tag Link'=>'标签链接','Assigns a title for navigation link block variation used in the block editor.'=>'为块编辑器中使用的导航块分配一个标题链接样式变化。','← Go to tags'=>'← 转到标签','Assigns the text used to link back to the main index after updating a term.'=>'指定更新术语后链接回主索引的文本。','Back To Items'=>'返回项目','← Go to %s'=>'← 转到 %s','Tags list'=>'标签列表','Assigns text to the table hidden heading.'=>'为表格隐藏标题指定文本。','Tags list navigation'=>'标签列表导航','Assigns text to the table pagination hidden heading.'=>'为表格分页隐藏标题指定文本。','Filter by category'=>'按分类筛选','Assigns text to the filter button in the posts lists table.'=>'将文本分配给文章列表中的筛选按钮。','Filter By Item'=>'按项目筛选','Filter by %s'=>'按 %s 筛选','The description is not prominent by default; however, some themes may show it.'=>'默认情况下,描述并不突出;但某些主题可能会显示描述。','Describes the Description field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的「描述字段」。','Description Field Description'=>'描述字段描述','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'为创建一个层次结构指定一个父项。例如,「爵士乐」(Jazz)一词是「贝波普」(Bebop)和「大乐队」(Big Band)的父词。','Describes the Parent field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的父字段。','Parent Field Description'=>'父字段说明','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'「别名」是名称的 URL 友好版本。通常都是小写,只包含字母、数字和连字符。','Describes the Slug field on the Edit Tags screen.'=>'描述「编辑标签」屏幕上的别名字段。','Slug Field Description'=>'别名字段描述','The name is how it appears on your site'=>'名称在网站上的显示方式','Describes the Name field on the Edit Tags screen.'=>'描述编辑标签屏幕上的名称字段。','Name Field Description'=>'名称字段说明','No tags'=>'无标签','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'当没有标签或分类时,在文章和媒体列表表中指定文本显示。','No Terms'=>'无术语','No %s'=>'无 %s','No tags found'=>'未找到标记','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'当没有标签时,在分类法元框中指定文本显示,当没有项目分类法时,指定术语列表表中使用的文本。','Not Found'=>'未找到','Assigns text to the Title field of the Most Used tab.'=>'为「最常用标签」的「标题字段」指定文本。','Most Used'=>'最常用','Choose from the most used tags'=>'从最常用的标签中选择','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'当 JavaScript 禁用时,指定元框中使用的「从最常用标签中选择」文本。仅用于非层次分类法。','Choose From Most Used'=>'从最常用的中选择','Choose from the most used %s'=>'从最常用的 %s 中选择','Add or remove tags'=>'添加或移除标签','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'当 JavaScript 禁用时,指定元框中使用的添加或移除项目文本。仅用于非层次分类法','Add Or Remove Items'=>'添加或移除项目','Add or remove %s'=>'添加或移除 %s','Separate tags with commas'=>'用逗号分隔标签','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'指定分类法元框中使用逗号分隔项目文本。仅用于非层次分类法。','Separate Items With Commas'=>'用逗号分隔项目','Separate %s with commas'=>'用逗号分隔 %s','Popular Tags'=>'流行标签','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'指定流行项目文本。仅用于非层次分类法。','Popular Items'=>'热门项目','Popular %s'=>'热门 %s','Search Tags'=>'搜索标签','Assigns search items text.'=>'指定搜索项目文本。','Parent Category:'=>'父分类:','Assigns parent item text, but with a colon (:) added to the end.'=>'指定父项目文本,但在末尾加上冒号 (:) 添加。','Parent Item With Colon'=>'带冒号的父项目','Parent Category'=>'父分类','Assigns parent item text. Only used on hierarchical taxonomies.'=>'指定父项目文本。仅用于层次分类法。','Parent Item'=>'父项','Parent %s'=>'父级 %s','New Tag Name'=>'新标签名称','Assigns the new item name text.'=>'指定新项目名称文本。','New Item Name'=>'新项目名称','New %s Name'=>'新 %s 名称','Add New Tag'=>'添加新标签','Assigns the add new item text.'=>'分配添加新项目文本。','Update Tag'=>'更新标签','Assigns the update item text.'=>'指定更新项目文本。','Update Item'=>'更新项目','Update %s'=>'更新 %s','View Tag'=>'查看标签','In the admin bar to view term during editing.'=>'在管理栏中,用于在编辑时查看术语。','Edit Tag'=>'编辑标签','At the top of the editor screen when editing a term.'=>'编辑术语时位于编辑器屏幕顶部。','All Tags'=>'所有标签','Assigns the all items text.'=>'指定所有项目文本。','Assigns the menu name text.'=>'指定菜单名称文本。','Menu Label'=>'菜单标签','Active taxonomies are enabled and registered with WordPress.'=>'使用 WordPress 启用和注册的活动分类法。','A descriptive summary of the taxonomy.'=>'分类法的描述性摘要。','A descriptive summary of the term.'=>'术语的描述性摘要。','Term Description'=>'术语描述','Single word, no spaces. Underscores and dashes allowed.'=>'单词,无空格。允许使用下划线和破折号。','Term Slug'=>'术语标题','The name of the default term.'=>'默认术语的名称。','Term Name'=>'术语名称','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'为分类法创建一个不可删除的术语。默认情况下,文章不会选择该术语。','Default Term'=>'默认术语','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'该分类法中的术语是否应按照提供给 `wp_set_object_terms()` 的顺序排序。','Sort Terms'=>'术语排序','Add Post Type'=>'添加文章类型','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'使用自定义文章类型,将 WordPress 的功能扩展到标准文章和页面之外。','Add Your First Post Type'=>'添加第一个文章类型','I know what I\'m doing, show me all the options.'=>'我知道我在做什么,请告诉我所有选项。','Advanced Configuration'=>'高级配置','Hierarchical post types can have descendants (like pages).'=>'分层文章类型可以有后代(如页面)。','Hierarchical'=>'分层','Visible on the frontend and in the admin dashboard.'=>'可在前台和管理后台看到。','Public'=>'公开','movie'=>'电影','Lower case letters, underscores and dashes only, Max 20 characters.'=>'仅限小写字母、下划线和破折号,最多 20 字符。','Movie'=>'电影','Singular Label'=>'单数标签','Movies'=>'电影','Plural Label'=>'复数标签','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'可选的自定义控制器,用于替代 `WP_REST_Posts_Controller`。','Controller Class'=>'控制器类','The namespace part of the REST API URL.'=>'REST API URL 的命名空间部分。','Namespace Route'=>'命名空间路由','The base URL for the post type REST API URLs.'=>'文章类型 REST API URL 的基础 URL。','Base URL'=>'基本 URL','Exposes this post type in the REST API. Required to use the block editor.'=>'在 REST API 中公开该文章类型。使用区块编辑器时必须使用。','Show In REST API'=>'在 REST API 中显示','Customize the query variable name.'=>'自定义查询变量名称。','Query Variable'=>'查询变量','No Query Variable Support'=>'不支持查询变量','Custom Query Variable'=>'自定义查询变量','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'可使用非漂亮的固定链接访问项目,例如:{post_type}={post_slug}。','Query Variable Support'=>'支持查询变量','URLs for an item and items can be accessed with a query string.'=>'项目和项目的 URL 可以用查询字符串访问。','Publicly Queryable'=>'可公开查询','Custom slug for the Archive URL.'=>'存档 URL 的自定义别名。','Archive Slug'=>'存档标题','Has an item archive that can be customized with an archive template file in your theme.'=>'项目归档可在您的主题中使用归档模板文件进行自定义。','Archive'=>'归档','Pagination support for the items URLs such as the archives.'=>'支持归档等项目 URL 的分页。','Pagination'=>'分页','RSS feed URL for the post type items.'=>'文章类型项目的 RSS Feed URL。','Feed URL'=>'馈送 URL','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'更改添加到`WP_Rewrite::$front`前缀 URL 的永久链接结构。','Front URL Prefix'=>'前缀 URL','Customize the slug used in the URL.'=>'自定义 URL 中使用的别名。','URL Slug'=>'URL 标题','Permalinks for this post type are disabled.'=>'禁用该文章类型的永久链接。','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'使用下面输入框中定义的自定义别名重写 URL。您的永久链接结构将是','No Permalink (prevent URL rewriting)'=>'无永久链接(防止 URL 重写)','Custom Permalink'=>'自定义永久链接','Post Type Key'=>'文章类型关键字','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'使用文章类型关键字作为别名重写 URL。您的永久链接结构将是','Permalink Rewrite'=>'固定链接重写','Delete items by a user when that user is deleted.'=>'删除用户时,删除该用户的项目。','Delete With User'=>'与用户一起删除','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'允许从「工具」>「导出」导出文章类型。','Can Export'=>'可以导出','Optionally provide a plural to be used in capabilities.'=>'可选择提供用于权限的复数。','Plural Capability Name'=>'复数能力名称','Choose another post type to base the capabilities for this post type.'=>'选择另一种文章类型,作为该文章类型的权限基础。','Singular Capability Name'=>'单项能力名称','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'默认情况下,文章类型的权限将继承「文章」权限名称,如 edit_post、 delete_post。允许使用文章类型特定的权限,如 edit_{singular}、 delete_{plural}。','Rename Capabilities'=>'重命名功能','Exclude From Search'=>'从搜索中排除','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'允许项目添加到「外观」>「菜单」屏幕中的菜单。必须在「屏幕选项」中打开。','Appearance Menus Support'=>'外观菜单支持','Appears as an item in the \'New\' menu in the admin bar.'=>'在管理栏的「新建」菜单中显示为项目。','Show In Admin Bar'=>'在管理栏中显示','Custom Meta Box Callback'=>'自定义元框回调','Menu Icon'=>'菜单图标','The position in the sidebar menu in the admin dashboard.'=>'侧边栏菜单中的位置。','Menu Position'=>'菜单位置','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'默认情况下,文章类型将在管理菜单中获得一个新的顶级项目。如果此处提供了一个现有的顶级项目,那么该文章类型将作为子菜单项目添加到该项目下。','Admin Menu Parent'=>'管理菜单父菜单','Admin editor navigation in the sidebar menu.'=>'侧边栏菜单中的管理员编辑器导航。','Show In Admin Menu'=>'在管理菜单中显示','Items can be edited and managed in the admin dashboard.'=>'项目可在管理菜单中进行管理。','Show In UI'=>'在用户界面中显示','A link to a post.'=>'文章的链接。','Description for a navigation link block variation.'=>'导航链接块的描述样式变化。','Item Link Description'=>'项目链接描述','A link to a %s.'=>'指向 %s 的链接。','Post Link'=>'文章链接','Title for a navigation link block variation.'=>'导航链接块样式变化的标题。','Item Link'=>'项目链接','%s Link'=>'%s 链接','Post updated.'=>'文章已更新。','In the editor notice after an item is updated.'=>'在项目更新后的编辑器通知中。','Item Updated'=>'项目已更新','%s updated.'=>'%s 已更新。','Post scheduled.'=>'计划发布。','In the editor notice after scheduling an item.'=>'在计划发布项目后的编辑器通知中。','Item Scheduled'=>'项目已计划','%s scheduled.'=>'%s 已安排。','Post reverted to draft.'=>'文章已还原为草稿。','In the editor notice after reverting an item to draft.'=>'在将项目还原为草稿后的编辑器通知中。','Item Reverted To Draft'=>'项目已还原为草稿','%s reverted to draft.'=>'%s 已还原为草稿。','Post published privately.'=>'私下发布。','In the editor notice after publishing a private item.'=>'在私人发布项目后的编辑器通知中。','Item Published Privately'=>'私人发布的项目','%s published privately.'=>'%s 私人发布。','Post published.'=>'文章已发布','In the editor notice after publishing an item.'=>'在发布一个项目后的编辑器通知中。','Item Published'=>'项目已发布','%s published.'=>'%s 已发布。','Posts list'=>'文章列表','Used by screen readers for the items list on the post type list screen.'=>'由屏幕阅读器在文章类型列表屏幕上用于项目列表。','Items List'=>'项目列表','%s list'=>'%s 列表','Posts list navigation'=>'文章列表导航','Used by screen readers for the filter list pagination on the post type list screen.'=>'用于屏幕阅读器在文章类型列表屏幕上的筛选器列表分页。','Items List Navigation'=>'项目列表导航','%s list navigation'=>'%s 列表导航','Filter posts by date'=>'按日期筛选文章','Used by screen readers for the filter by date heading on the post type list screen.'=>'屏幕阅读器在「文章类型列表」屏幕上用于按日期筛选标题。','Filter Items By Date'=>'按日期筛选项目','Filter %s by date'=>'按日期筛选 %s','Filter posts list'=>'筛选文章列表','Used by screen readers for the filter links heading on the post type list screen.'=>'用于屏幕阅读器在「文章类型列表」屏幕上的「筛选链接」标题。','Filter Items List'=>'筛选项目列表','Filter %s list'=>'筛选 %s 列表','In the media modal showing all media uploaded to this item.'=>'在媒体模态窗中显示上传到此项目的所有媒体。','Uploaded To This Item'=>'上传到此项目','Uploaded to this %s'=>'上传到此 %s','Insert into post'=>'插入到文章','As the button label when adding media to content.'=>'当按钮标签添加媒体到内容时。','Insert Into Media Button'=>'插入媒体按钮','Insert into %s'=>'插入 %s','Use as featured image'=>'用作特色图片','As the button label for selecting to use an image as the featured image.'=>'作为按钮标签选择将图片作为精选图片使用。','Use Featured Image'=>'使用精选图片','Remove featured image'=>'删除精选图片','As the button label when removing the featured image.'=>'在移除精选图片时使用按钮标签。','Remove Featured Image'=>'移除精选图片','Set featured image'=>'设置精选图片','As the button label when setting the featured image.'=>'作为设置精选图片时的按钮标签。','Set Featured Image'=>'设置精选图片','Featured image'=>'精选图片','In the editor used for the title of the featured image meta box.'=>'在编辑器中用于精选图像元框的标题。','Featured Image Meta Box'=>'精选图片元框','Post Attributes'=>'文章属性','In the editor used for the title of the post attributes meta box.'=>'在用于属性元框标题的编辑器中。','Attributes Meta Box'=>'属性元框','%s Attributes'=>'%s 属性','Post Archives'=>'文章归档','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'将带有此标签的「文章类型存档」项目添加到在启用存档的情况下将项目添加到 CPT 中的现有菜单时显示的文章列表。仅当在「实时预览」模式下编辑菜单并且提供了自定义存档段时才会出现。','Archives Nav Menu'=>'档案导航菜单','%s Archives'=>'%s 归档','No posts found in Trash'=>'回收站中未发现文章','At the top of the post type list screen when there are no posts in the trash.'=>'当回收站中没有文章时,在文章列表屏幕顶部输入文章。','No Items Found in Trash'=>'回收站中未发现项目','No %s found in Trash'=>'回收站中未发现 %s','No posts found'=>'未找到文章','At the top of the post type list screen when there are no posts to display.'=>'当没有文章显示时,在「文章」页面顶部键入「列表」。','No Items Found'=>'未找到项目','No %s found'=>'未找到 %s','Search Posts'=>'搜索文章','At the top of the items screen when searching for an item.'=>'在搜索项目时出现在项目屏幕顶部。','Search Items'=>'搜索项目','Search %s'=>'搜索 %s','Parent Page:'=>'父页面:','For hierarchical types in the post type list screen.'=>'对于文章类型列表屏幕中的分层类型。','Parent Item Prefix'=>'父项目前缀','Parent %s:'=>'父级 %s:','New Post'=>'新文章','New Item'=>'新项目','New %s'=>'新 %s','Add New Post'=>'添加新文章','At the top of the editor screen when adding a new item.'=>'当添加新项目时,显示在编辑器屏幕顶部。','Add New Item'=>'添加新项目','Add New %s'=>'添加新 %s','View Posts'=>'查看文章','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'出现在「所有文章」视图的管理栏中,前提是该文章类型支持归档,且主页不是该文章类型的归档。','View Items'=>'查看项目','View Post'=>'查看文章','In the admin bar to view item when editing it.'=>'在管理栏中编辑项目时查看项目。','View Item'=>'查看项目','View %s'=>'查看 %s','Edit Post'=>'编辑文章','At the top of the editor screen when editing an item.'=>'编辑项目时在编辑器屏幕顶部。','Edit Item'=>'编辑项目','Edit %s'=>'编辑 %s','All Posts'=>'所有文章','In the post type submenu in the admin dashboard.'=>'在管理后台的文章类型子菜单中。','All Items'=>'所有项目','All %s'=>'所有 %s','Admin menu name for the post type.'=>'文章类型的管理菜单名称。','Menu Name'=>'菜单名称','Regenerate all labels using the Singular and Plural labels'=>'使用单数和复数标签重新生成所有标签','Regenerate'=>'再生','Active post types are enabled and registered with WordPress.'=>'活动文章类型已启用并与 WordPress 一起注册。','A descriptive summary of the post type.'=>'文章类型的描述性摘要。','Add Custom'=>'添加自定义','Enable various features in the content editor.'=>'启用内容编辑器中的各种功能。','Post Formats'=>'文章格式','Editor'=>'编辑器','Trackbacks'=>'Trackback','Select existing taxonomies to classify items of the post type.'=>'选择现有分类法对文章类型的项目进行分类。','Browse Fields'=>'浏览字段','Nothing to import'=>'无须导入','. The Custom Post Type UI plugin can be deactivated.'=>'.自定义文章类型 UI 插件可以停用。','Imported %d item from Custom Post Type UI -'=>'已从自定义文章类型 UI 导入 %d 项 -','Failed to import taxonomies.'=>'导入分类法失败。','Failed to import post types.'=>'导入文章类型失败。','Nothing from Custom Post Type UI plugin selected for import.'=>'没有从自定义文章类型 UI 插件选择导入。','Imported 1 item'=>'已导入 %s 个项目','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'导入与已存在的文章类型或分类标准具有相同关键字的文章类型或分类标准时,导入的文章类型或分类标准将覆盖现有文章类型或分类标准的设置。','Import from Custom Post Type UI'=>'从自定义文章类型 UI 导入','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'以下代码可用于注册本地版本的选择项目。在本地存储字段组、文章类型或分类法可带来许多好处,如更快的加载时间、版本控制和动态字段 / 设置。只需将以下代码复制并粘贴到主题的 functions.php 文件或包含在外部文件中,然后停用或删除 ACF 管理中的项目即可。','Export - Generate PHP'=>'导出 - 生成 PHP','Export'=>'导出','Select Taxonomies'=>'选择分类法','Select Post Types'=>'选择文章类型','Exported 1 item.'=>'已导出 %s 个项目。','Category'=>'分类','Tag'=>'标记','%s taxonomy created'=>'已创建 %s 分类法','%s taxonomy updated'=>'已更新 %s 分类法','Taxonomy draft updated.'=>'分类法草稿已更新。','Taxonomy scheduled for.'=>'分类法计划更新。','Taxonomy submitted.'=>'分类法已提交。','Taxonomy saved.'=>'分类法已保存。','Taxonomy deleted.'=>'分类法已删除。','Taxonomy updated.'=>'分类法已更新。','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'此分类法无法注册,因为其关键字正被另一个分类法使用。','Taxonomy synchronized.'=>'%s 个分类法已同步。','Taxonomy duplicated.'=>'%s 个分类法已复制。','Taxonomy deactivated.'=>'%s 个分类法已停用。','Taxonomy activated.'=>'%s 个分类法已激活。','Terms'=>'术语','Post type synchronized.'=>'%s 个文章类型已同步。','Post type duplicated.'=>'%s 个文章类型已复制。','Post type deactivated.'=>'%s 个文章类型已停用。','Post type activated.'=>'%s 个文章类型已激活。','Post Types'=>'文章类型','Advanced Settings'=>'高级设置','Basic Settings'=>'基本设置','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'此文章类型无法注册,因为其关键字被另一个文章类型注册或主题注册使用。','Pages'=>'页面','Link Existing Field Groups'=>'链接现有字段组','%s post type created'=>'已创建 %s 文章类型','Add fields to %s'=>'添加字段到 %s','%s post type updated'=>'已更新 %s 文章类型','Post type draft updated.'=>'已更新文章类型草稿。','Post type scheduled for.'=>'已计划文章类型。','Post type submitted.'=>'已提交文章类型。','Post type saved.'=>'已保存文章类型。','Post type updated.'=>'已更新文章类型。','Post type deleted.'=>'已删除文章类型。','Type to search...'=>'键入搜索...','PRO Only'=>'仅 PRO','Field groups linked successfully.'=>'字段组成功链接。','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'使用自定义文章类型用户界面导入文章类型和分类法注册,并使用 ACF 管理它们。开始。','ACF'=>'ACF','taxonomy'=>'分类法','post type'=>'文章类型','Done'=>'完成','Field Group(s)'=>'字段组','Select one or many field groups...'=>'选择一个或多个字段组...','Please select the field groups to link.'=>'请选择要链接的字段组。','Field group linked successfully.'=>'字段组已成功链接。','post statusRegistration Failed'=>'注册失败','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'此项目无法注册,因为它的关键字正被另一个项目注册,或被另一个主题注册。','REST API'=>'REST API','Permissions'=>'权限','URLs'=>'URL','Visibility'=>'可见性','Labels'=>'标签','Field Settings Tabs'=>'字段设置选项卡','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields','[ACF shortcode value disabled for preview]'=>'[预览时禁用 ACF 简码值]','Close Modal'=>'关闭模态窗','Field moved to other group'=>'字段移至其他组','Close modal'=>'关闭模态窗','Start a new group of tabs at this tab.'=>'在此标签开始一个新的标签组。','New Tab Group'=>'新标签组','Use a stylized checkbox using select2'=>'使用 select2 风格化复选框','Save Other Choice'=>'保存其他选项','Allow Other Choice'=>'允许其他选择','Add Toggle All'=>'添加全部切换','Save Custom Values'=>'保存自定义值','Allow Custom Values'=>'允许自定义值','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'复选框自定义值不能为空。取消选中任何空值。','Updates'=>'更新','Advanced Custom Fields logo'=>'高级自定义字段 LOGO','Save Changes'=>'保存设置','Field Group Title'=>'字段组标题','Add title'=>'添加标题','New to ACF? Take a look at our getting started guide.'=>'ACF 新手?请查看我们的入门指南。','Add Field Group'=>'添加字段组','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF 使用字段组将自定义字段分组在一起,然后将这些字段附加到编辑屏幕。','Add Your First Field Group'=>'添加第一个字段组','Options Pages'=>'选项页面','ACF Blocks'=>'ACF 块','Gallery Field'=>'画廊字段','Flexible Content Field'=>'弹性内容字段','Repeater Field'=>'循环字段','Unlock Extra Features with ACF PRO'=>'使用 ACF PRO 解锁额外功能','Delete Field Group'=>'删除字段组','Created on %1$s at %2$s'=>'于 %1$s 在 %2$s 创建','Group Settings'=>'组设置','Location Rules'=>'位置规则','Choose from over 30 field types. Learn more.'=>'从 30 多种字段类型中进行选择。了解更多。','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'开始为您的文章、页面、自定义文章类型和其他 WordPress 内容创建新的自定义字段。','Add Your First Field'=>'添加第一个字段','#'=>'#','Add Field'=>'添加字段','Presentation'=>'演示文稿','Validation'=>'验证','General'=>'常规','Import JSON'=>'导入 JSON','Export As JSON'=>'导出为 JSON','Field group deactivated.'=>'%s 个字段组已停用。','Field group activated.'=>'%s 个字段组已激活。','Deactivate'=>'停用','Deactivate this item'=>'停用此项目','Activate'=>'启用','Activate this item'=>'激活此项目','Move field group to trash?'=>'移动字段组到移至回收站?','post statusInactive'=>'未启用','WP Engine'=>'WP Engine','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'高级自定义字段和高级自定义字段 PRO 不应同时处于活动状态。我们已自动停用高级自定义字段 PRO。','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'高级自定义字段和高级自定义字段 PRO 不应同时处于活动状态。我们已自动停用高级自定义字段。','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'%1$s - 我们检测到在 ACF 初始化之前检索 ACF 字段值的一次或多次调用。不支持此操作,并且可能会导致数据格式错误或丢失。 了解如何解决此问题。','%1$s must have a user with the %2$s role.'=>'%1$s 必须有一个 %2$s 角色的用户。','%1$s must have a valid user ID.'=>'%1$s 必须具有有效的用户 ID。','Invalid request.'=>'无效要求。','%1$s is not one of %2$s'=>'%1$s 不是 %2$s 之一','%1$s must have term %2$s.'=>'%1$s 必须有术语 %2$s。','%1$s must be of post type %2$s.'=>'%1$s 必须是文章类型 %2$s。','%1$s must have a valid post ID.'=>'%1$s 必须有一个有效的文章 ID。','%s requires a valid attachment ID.'=>'%s 需要一个有效的附件 ID。','Show in REST API'=>'在 REST API 中显示','Enable Transparency'=>'启用透明度','RGBA Array'=>'RGBA 数组','RGBA String'=>'RGBA 字符串','Hex String'=>'十六进制字符串','Upgrade to PRO'=>'升级到专业版','post statusActive'=>'已启用','\'%s\' is not a valid email address'=>'「%s」不是有效的邮件地址','Color value'=>'颜色值','Select default color'=>'选择默认颜色','Clear color'=>'清除颜色','Blocks'=>'块','Options'=>'选项','Users'=>'用户','Menu items'=>'菜单项目','Widgets'=>'小工具','Attachments'=>'附件','Taxonomies'=>'分类法','Posts'=>'文章','Last updated: %s'=>'最后更新: %s','Sorry, this post is unavailable for diff comparison.'=>'抱歉,该文章无法进行差异比较。','Invalid field group parameter(s).'=>'无效的字段组参数。','Awaiting save'=>'等待保存','Saved'=>'已保存','Import'=>'导入','Review changes'=>'查看更改','Located in: %s'=>'位于 %s','Located in plugin: %s'=>'位于插件: %s','Located in theme: %s'=>'位于主题: %s','Various'=>'各种','Sync changes'=>'同步更改','Loading diff'=>'加载差异','Review local JSON changes'=>'查看本地 JSON 更改','Visit website'=>'访问网站','View details'=>'查看详情','Version %s'=>'版本 %s','Information'=>'信息','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'服务台。我们服务台上的支持专业人员将协助您解决更深入的技术难题。','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'讨论。我们的社区论坛上有一个活跃且友好的社区,他们也许能够帮助您了解 ACF 世界的“操作方法”。','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'文档。我们详尽的文档包含您可能遇到的大多数情况的参考和指南。','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'我们热衷于支持,并希望您通过ACF充分利用自己的网站。如果遇到任何困难,可以在几个地方找到帮助:','Help & Support'=>'帮助和支持','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'如果您需要帮助,请使用“帮助和支持”选项卡进行联系。','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'在创建您的第一个字段组之前,我们建议您先阅读入门指南,以熟悉插件的原理和最佳实践。','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'Advanced Custom Fields 插件提供了一个可视化的表单生成器,用于自定义带有额外字段的WordPress编辑屏幕,以及一个直观的API,用于在任何主题模板文件中显示自定义字段的值。','Overview'=>'概述','Location type "%s" is already registered.'=>'位置类型「%s」 已经注册。','Class "%s" does not exist.'=>'类「%s」不存在。','Invalid nonce.'=>'无效 nonce。','Error loading field.'=>'加载字段出错。','Error: %s'=>'错误: %s','Widget'=>'小工具','User Role'=>'用户角色','Comment'=>'评论','Post Format'=>'文章格式','Menu Item'=>'菜单项','Post Status'=>'文章状态','Menus'=>'菜单','Menu Locations'=>'菜单位置','Menu'=>'菜单','Post Taxonomy'=>'文章分类法','Child Page (has parent)'=>'子页面(有父页面)','Parent Page (has children)'=>'父页面(有子页面)','Top Level Page (no parent)'=>'顶层页面(无父页面)','Posts Page'=>'文章页面','Front Page'=>'首页','Page Type'=>'页面类型','Viewing back end'=>'查看后端','Viewing front end'=>'查看前端','Logged in'=>'登录','Current User'=>'当前用户','Page Template'=>'页面模板','Register'=>'注册','Add / Edit'=>'添加 / 编辑','User Form'=>'用户表格','Page Parent'=>'页面父级','Super Admin'=>'超级管理员','Current User Role'=>'当前用户角色','Default Template'=>'默认模板','Post Template'=>'文章模板','Post Category'=>'文章分类','All %s formats'=>'所有 %s 格式','Attachment'=>'附件','%s value is required'=>'需要 %s 值','Show this field if'=>'如果显示此字段','Conditional Logic'=>'条件逻辑','and'=>'和','Local JSON'=>'本地 JSON','Clone Field'=>'克隆字段','Please also check all premium add-ons (%s) are updated to the latest version.'=>'请同时检查所有高级附加组件 (%s) 是否已更新到最新版本。','This version contains improvements to your database and requires an upgrade.'=>'此版本包含对您数据库的改进,需要升级。','Thank you for updating to %1$s v%2$s!'=>'感谢您升级到 %1$s v%2$s!','Database Upgrade Required'=>'需要升级数据库','Options Page'=>'选项页面','Gallery'=>'画廊','Flexible Content'=>'灵活的内容','Repeater'=>'中继器','Back to all tools'=>'返回所有工具','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)'=>'如果编辑界面上出现多个字段组,将使用第一个字段组的选项(顺序号最小的那个)。','Select items to hide them from the edit screen.'=>'选择项目,从编辑屏幕中隐藏它们。','Hide on screen'=>'在屏幕上隐藏','Send Trackbacks'=>'发送跟踪','Tags'=>'标记','Categories'=>'分类','Page Attributes'=>'页面属性','Format'=>'格式','Author'=>'作者','Slug'=>'别名','Revisions'=>'修订','Comments'=>'评论','Discussion'=>'讨论','Excerpt'=>'摘要','Content Editor'=>'内容编辑器','Permalink'=>'固定链接','Shown in field group list'=>'显示在字段组列表','Field groups with a lower order will appear first'=>'顺序较低的字段组将优先显示','Order No.'=>'顺序号','Below fields'=>'下字段','Below labels'=>'下方标签','Instruction Placement'=>'指令位置','Label Placement'=>'标签位置','Side'=>'侧面','Normal (after content)'=>'正常(内容之后)','High (after title)'=>'高(标题之后)','Position'=>'位置','Seamless (no metabox)'=>'无缝(无元框)','Standard (WP metabox)'=>'标准(WP 元框)','Style'=>'样式','Type'=>'类型','Key'=>'关键字','Order'=>'订购','Close Field'=>'关闭字段','id'=>'id','class'=>'类','width'=>'宽度','Wrapper Attributes'=>'包装属性','Required'=>'需要','Instructions'=>'说明','Field Type'=>'字段类型','Single word, no spaces. Underscores and dashes allowed'=>'单词,无空格。允许使用下划线和破折号','Field Name'=>'字段名称','This is the name which will appear on the EDIT page'=>'这是将出现在 EDIT 页面上的名称','Field Label'=>'字段标签','Delete'=>'删除','Delete field'=>'删除字段','Move'=>'移动','Move field to another group'=>'移动字段到另一个组','Duplicate field'=>'复制字段','Edit field'=>'编辑字段','Drag to reorder'=>'拖动以重新排序','Show this field group if'=>'如果','No updates available.'=>'无可用更新。','Database upgrade complete. See what\'s new'=>'数据库升级完成。查看新内容','Reading upgrade tasks...'=>'阅读升级任务...','Upgrade failed.'=>'升级失败。','Upgrade complete.'=>'升级完成。','Upgrading data to version %s'=>'将数据升级到 %s 版本','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'强烈建议您在继续之前备份您的数据库。您确定现在要运行升级程序吗?','Please select at least one site to upgrade.'=>'请选择至少一个网站进行升级。','Database Upgrade complete. Return to network dashboard'=>'数据库升级完成。返回网络控制面板','Site is up to date'=>'网站已更新','Site requires database upgrade from %1$s to %2$s'=>'网站需要将数据库从 %1$s 升级到 %2$s','Site'=>'网站','Upgrade Sites'=>'升级网站','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'以下网站需要升级数据库。选中要升级的网站,然后单击 %s。','Add rule group'=>'添加规则组','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'创建一组规则以确定自定义字段在哪个编辑界面上显示','Rules'=>'规则','Copied'=>'复制','Copy to clipboard'=>'复制到剪贴板','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'选择您要导出的项目,然后选择导出方法。导出为 JSON 以导出到 .json 文件,然后可以将其导入到另一个 ACF 安装中。生成 PHP 以导出到 PHP 代码,您可以将其放置在主题中。','Select Field Groups'=>'选择字段组','No field groups selected'=>'无字段组选择','Generate PHP'=>'生成 PHP','Export Field Groups'=>'导出字段组','Import file empty'=>'导入文件为空','Incorrect file type'=>'文件类型不正确','Error uploading file. Please try again'=>'上传文件时出错。请重试','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'选择您要导入的高级自定义字段 JSON 文件。当您单击下面的导入按钮时,ACF 将导入该文件中的项目。','Import Field Groups'=>'导入字段组','Sync'=>'同步','Select %s'=>'选择 %s','Duplicate'=>'复制','Duplicate this item'=>'复制此项目','Supports'=>'支持','Documentation'=>'文档','Description'=>'描述','Sync available'=>'可同步','Field group synchronized.'=>'%s 个字段组已同步。','Field group duplicated.'=>'%s 个字段组已复制。','Active (%s)'=>'激活 (%s)','Review sites & upgrade'=>'审查网站和升级','Upgrade Database'=>'升级数据库','Custom Fields'=>'自定义字段','Move Field'=>'移动字段','Please select the destination for this field'=>'请为此字段选择目的地','The %1$s field can now be found in the %2$s field group'=>'现在 %1$s 字段可以在 %2$s 字段组中找到。','Move Complete.'=>'移动完成。','Active'=>'已启用','Field Keys'=>'字段关键字','Settings'=>'设置','Location'=>'位置','Null'=>'无','copy'=>'复制','(this field)'=>'(此字段)','Checked'=>'检查','Move Custom Field'=>'移动自定义字段','No toggle fields available'=>'没有可用的切换字段','Field group title is required'=>'字段组标题为必填项','This field cannot be moved until its changes have been saved'=>'在保存更改之前,不能移动此字段','The string "field_" may not be used at the start of a field name'=>'字段名开头不得使用字符串「field_」。','Field group draft updated.'=>'字段组草稿更新。','Field group scheduled for.'=>'字段组已计划。','Field group submitted.'=>'字段组已提交。','Field group saved.'=>'字段组已保存。','Field group published.'=>'字段组已发布。','Field group deleted.'=>'字段组已删除。','Field group updated.'=>'字段组已更新。','Tools'=>'工具','is not equal to'=>'不等于','is equal to'=>'等于','Forms'=>'表单','Page'=>'页面','Post'=>'文章','Relational'=>'关系式','Choice'=>'选择','Basic'=>'基础','Unknown'=>'未知','Field type does not exist'=>'字段类型不存在','Spam Detected'=>'检测到垃圾邮件','Post updated'=>'发布更新','Update'=>'更新','Validate Email'=>'验证电子邮件','Content'=>'内容','Title'=>'标题','Edit field group'=>'编辑字段组','Selection is less than'=>'选择小于','Selection is greater than'=>'选择大于','Value is less than'=>'值小于','Value is greater than'=>'值大于','Value contains'=>'值包含','Value matches pattern'=>'值符合样板','Value is not equal to'=>'值不等于','Value is equal to'=>'值等于','Has no value'=>'没有值','Has any value'=>'有任何值','Cancel'=>'取消','Are you sure?'=>'您确定吗?','%d fields require attention'=>'%d 字段需要注意','1 field requires attention'=>'1 字段需要注意','Validation failed'=>'验证失败','Validation successful'=>'验证成功','Restricted'=>'受限','Collapse Details'=>'折叠详细信息','Expand Details'=>'展开详细信息','Uploaded to this post'=>'上传到此文章','verbUpdate'=>'更新','verbEdit'=>'编辑','The changes you made will be lost if you navigate away from this page'=>'如果您离开此页面,您所做的更改将丢失','File type must be %s.'=>'文件类型必须为 %s。','or'=>'或','File size must not exceed %s.'=>'文件大小不得超过 %s。','File size must be at least %s.'=>'文件大小必须至少 %s。','Image height must not exceed %dpx.'=>'图像高度不得超过 %dpx。','Image height must be at least %dpx.'=>'图像高度必须至少 %dpx。','Image width must not exceed %dpx.'=>'图像宽度不得超过 %dpx。','Image width must be at least %dpx.'=>'图像宽度必须至少 %dpx。','(no title)'=>'(无标题)','Full Size'=>'全尺寸','Large'=>'大尺寸','Medium'=>'中号','Thumbnail'=>'缩略图','(no label)'=>'(无标签)','Sets the textarea height'=>'设置文本区域高度','Rows'=>'行','Text Area'=>'文本区域','Prepend an extra checkbox to toggle all choices'=>'额外添加复选框以切换所有选项','Save \'custom\' values to the field\'s choices'=>'将「自定义」值保存到字段的选项中','Allow \'custom\' values to be added'=>'允许添加「自定义」值','Add new choice'=>'添加新选择','Toggle All'=>'切换所有','Allow Archives URLs'=>'允许存档 URL','Archives'=>'归档','Page Link'=>'页面链接','Add'=>'添加','Name'=>'字段名称','%s added'=>'%s 添加','%s already exists'=>'%s 已存在','User unable to add new %s'=>'用户无法添加新的 %s','Term ID'=>'术语 ID','Term Object'=>'术语对象','Load value from posts terms'=>'从文章术语中加载值','Load Terms'=>'加载术语','Connect selected terms to the post'=>'将选择术语连接到文章','Save Terms'=>'保存术语','Allow new terms to be created whilst editing'=>'允许在编辑时创建新术语','Create Terms'=>'创建术语','Radio Buttons'=>'单选按钮','Single Value'=>'单值','Multi Select'=>'多选','Checkbox'=>'复选框','Multiple Values'=>'多值','Select the appearance of this field'=>'选择该字段的外观','Appearance'=>'外观','Select the taxonomy to be displayed'=>'选择分类法显示','No TermsNo %s'=>'无 %s','Value must be equal to or lower than %d'=>'值必须等于或小于 %d','Value must be equal to or higher than %d'=>'值必须等于或大于 %d','Value must be a number'=>'值必须是数字','Number'=>'数值','Save \'other\' values to the field\'s choices'=>'将「其他」值保存到字段的选择中','Add \'other\' choice to allow for custom values'=>'添加「其他」选项以允许自定义值','Other'=>'其他','Radio Button'=>'单选按钮','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'定义上一个手风琴停止的终点。该手风琴将不可见。','Allow this accordion to open without closing others.'=>'允许打开此手风琴而不关闭其他手风琴。','Multi-Expand'=>'多重展开','Display this accordion as open on page load.'=>'在页面加载时将此手风琴显示为打开。','Open'=>'打开','Accordion'=>'手风琴','Restrict which files can be uploaded'=>'限制哪些文件可以上传','File ID'=>'文件 ID','File URL'=>'文件 URL','File Array'=>'文件阵列','Add File'=>'添加文件','No file selected'=>'未选择文件','File name'=>'文件名','Update File'=>'更新文件','Edit File'=>'编辑文件','Select File'=>'选择文件','File'=>'文件','Password'=>'密码','Specify the value returned'=>'指定返回值','Use AJAX to lazy load choices?'=>'使用 Ajax 来懒加载选择?','Enter each default value on a new line'=>'在新行中输入每个默认值','verbSelect'=>'选择','Select2 JS load_failLoading failed'=>'加载失败','Select2 JS searchingSearching…'=>'正在搜索...','Select2 JS load_moreLoading more results…'=>'加载更多结果...','Select2 JS selection_too_long_nYou can only select %d items'=>'您只能选择 %d 项','Select2 JS selection_too_long_1You can only select 1 item'=>'您只能选择 1 项','Select2 JS input_too_long_nPlease delete %d characters'=>'请删除 %d 个字符','Select2 JS input_too_long_1Please delete 1 character'=>'请删除 1 个字符','Select2 JS input_too_short_nPlease enter %d or more characters'=>'请输入 %d 或者更多字符','Select2 JS input_too_short_1Please enter 1 or more characters'=>'请输入 1 个或更多字符','Select2 JS matches_0No matches found'=>'未找到匹配项','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'有 %d 个结果,请使用上下箭头键浏览。','Select2 JS matches_1One result is available, press enter to select it.'=>'有一个结果,按输入选择。','nounSelect'=>'选择','User ID'=>'用户 ID','User Object'=>'用户对象','User Array'=>'用户数组','All user roles'=>'所有用户角色','Filter by Role'=>'按角色筛选','User'=>'用户','Separator'=>'分隔符','Select Color'=>'选择颜色','Default'=>'默认','Clear'=>'清除','Color Picker'=>'颜色选择器','Date Time Picker JS pmTextShortP'=>'P','Date Time Picker JS pmTextPM'=>'PM','Date Time Picker JS amTextShortA'=>'A','Date Time Picker JS amTextAM'=>'AM','Date Time Picker JS selectTextSelect'=>'选择','Date Time Picker JS closeTextDone'=>'完成','Date Time Picker JS currentTextNow'=>'现在','Date Time Picker JS timezoneTextTime Zone'=>'时区','Date Time Picker JS microsecTextMicrosecond'=>'微秒','Date Time Picker JS millisecTextMillisecond'=>'毫秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分','Date Time Picker JS hourTextHour'=>'小时','Date Time Picker JS timeTextTime'=>'时间','Date Time Picker JS timeOnlyTitleChoose Time'=>'选择时间','Date Time Picker'=>'日期时间选择器','Endpoint'=>'终点','Left aligned'=>'左对齐','Top aligned'=>'顶部对齐','Placement'=>'位置','Tab'=>'标签','Value must be a valid URL'=>'值必须是有效的 URL','Link URL'=>'链接 URL','Link Array'=>'链接阵列','Opens in a new window/tab'=>'在新窗口 / 标签中打开','Select Link'=>'选择链接','Link'=>'链接','Email'=>'邮箱','Step Size'=>'步长','Maximum Value'=>'最大值','Minimum Value'=>'最小值','Range'=>'范围','Both (Array)'=>'两者(数组)','Label'=>'标签','Value'=>'值','Vertical'=>'垂直','Horizontal'=>'水平','red : Red'=>'red : 红色','For more control, you may specify both a value and label like this:'=>'为获得更多控制权,您可以像这样指定值和标签:','Enter each choice on a new line.'=>'在新行中输入每个选项。','Choices'=>'选择','Button Group'=>'按钮组','Allow Null'=>'允许空值','Parent'=>'父级','TinyMCE will not be initialized until field is clicked'=>'在点击字段之前,TinyMCE 不会被初始化。','Delay Initialization'=>'延迟初始化','Show Media Upload Buttons'=>'显示媒体上传按钮','Toolbar'=>'工具栏','Text Only'=>'仅文本','Visual Only'=>'仅可视化','Visual & Text'=>'可视化和文本','Tabs'=>'标签','Click to initialize TinyMCE'=>'点击初始化 TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'文本','Visual'=>'可视化','Value must not exceed %d characters'=>'值不得超过 %d 字符','Leave blank for no limit'=>'留空表示无限制','Character Limit'=>'字符限制','Appears after the input'=>'出现在输入后','Append'=>'附加','Appears before the input'=>'出现在输入之前','Prepend'=>'预输入','Appears within the input'=>'出现在输入内容中','Placeholder Text'=>'占位符文本','Appears when creating a new post'=>'创建新文章时显示','Text'=>'文本','%1$s requires at least %2$s selection'=>'%1$s 至少需要 %2$s 选项','Post ID'=>'文章 ID','Post Object'=>'文章对象','Maximum Posts'=>'最大文章数','Minimum Posts'=>'最小文章数','Featured Image'=>'精选图片','Selected elements will be displayed in each result'=>'选中的元素将显示在每个结果中','Elements'=>'元素','Taxonomy'=>'分类法','Post Type'=>'文章类型','Filters'=>'筛选','All taxonomies'=>'所有分类法','Filter by Taxonomy'=>'按分类筛选','All post types'=>'所有文章类型','Filter by Post Type'=>'按文章类型筛选','Search...'=>'搜索...','Select taxonomy'=>'选择分类法','Select post type'=>'选择文章类型','No matches found'=>'未找到匹配结果','Loading'=>'载入','Maximum values reached ( {max} values )'=>'达到最大值 ( {max} 值 )','Relationship'=>'关系','Comma separated list. Leave blank for all types'=>'逗号分隔列表。所有类型留空','Allowed File Types'=>'允许的文件类型','Maximum'=>'最大值','File size'=>'文件大小','Restrict which images can be uploaded'=>'限制哪些图片可以上传','Minimum'=>'最少','Uploaded to post'=>'上传到文章','All'=>'全部','Limit the media library choice'=>'限制媒体库选择','Library'=>'文件库','Preview Size'=>'预览大小','Image ID'=>'图片 ID','Image URL'=>'图片 URL','Image Array'=>'图像阵列','Specify the returned value on front end'=>'在前端指定返回值','Return Value'=>'返回值','Add Image'=>'添加图片','No image selected'=>'没有选择图片','Remove'=>'移除','Edit'=>'编辑','All images'=>'全部图片','Update Image'=>'更新图片','Edit Image'=>'编辑图片','Select Image'=>'选择图片','Image'=>'图片','Allow HTML markup to display as visible text instead of rendering'=>'允许 HTML 标记显示为可见文本,而不是渲染','Escape HTML'=>'转义 HTML','No Formatting'=>'无格式化','Automatically add <br>'=>'自动添加 <br>','Automatically add paragraphs'=>'自动添加段落','Controls how new lines are rendered'=>'控制如何渲染新行','New Lines'=>'新行','Week Starts On'=>'星期开始于','The format used when saving a value'=>'保存数值时使用的格式','Save Format'=>'保存格式','Date Picker JS weekHeaderWk'=>'星期','Date Picker JS prevTextPrev'=>'上一页','Date Picker JS nextTextNext'=>'下一页','Date Picker JS currentTextToday'=>'今天','Date Picker JS closeTextDone'=>'已完成','Date Picker'=>'日期选择器','Width'=>'宽度','Embed Size'=>'嵌入大小','Enter URL'=>'输入 URL','oEmbed'=>'oEmbed','Text shown when inactive'=>'未启用时显示的文本','Off Text'=>'关闭文本','Text shown when active'=>'已启用时显示的文本','On Text'=>'启用文本','Stylized UI'=>'风格化用户界面','Default Value'=>'默认值','Displays text alongside the checkbox'=>'在复选框旁边显示文本','Message'=>'信息','No'=>'没有','Yes'=>'确认','True / False'=>'真 / 假','Row'=>'行','Table'=>'表格','Block'=>'块','Specify the style used to render the selected fields'=>'指定用于渲染选择字段的样式','Layout'=>'布局','Sub Fields'=>'子字段','Group'=>'组合','Customize the map height'=>'自定义地图高度','Height'=>'高度','Set the initial zoom level'=>'设置初始缩放级别','Zoom'=>'缩放','Center the initial map'=>'将初始地图居中','Center'=>'居中','Search for address...'=>'搜索地址...','Find current location'=>'查找当前位置','Clear location'=>'清除位置','Search'=>'搜索','Sorry, this browser does not support geolocation'=>'抱歉,此浏览器不支持地理位置定位','Google Map'=>'谷歌地图','The format returned via template functions'=>'通过模板函数返回的格式','Return Format'=>'返回格式','Custom:'=>'自定义:','The format displayed when editing a post'=>'编辑文章时显示的格式','Display Format'=>'显示格式','Time Picker'=>'时间选择器','Inactive (%s)'=>'未激活 (%s)','No Fields found in Trash'=>'回收站中未发现字段','No Fields found'=>'未找到字段','Search Fields'=>'搜索字段','View Field'=>'查看字段','New Field'=>'新建字段','Edit Field'=>'编辑字段','Add New Field'=>'添加新字段','Field'=>'字段','Fields'=>'字段','No Field Groups found in Trash'=>'回收站中未发现字段组','No Field Groups found'=>'未找到字段组','Search Field Groups'=>'搜索字段组','View Field Group'=>'查看字段组','New Field Group'=>'新建字段组','Edit Field Group'=>'编辑字段组','Add New Field Group'=>'添加新字段组','Add New'=>'添加新的','Field Group'=>'字段组','Field Groups'=>'字段组','Customize WordPress with powerful, professional and intuitive fields.'=>'【高级自定义字段 ACF】使用强大、专业和直观的字段自定义WordPress。','https://www.advancedcustomfields.com'=>'https://www.advancedcustomfields.com','Advanced Custom Fields'=>'高级自定义字段','Advanced Custom Fields PRO'=>'Advanced Custom Fields 专业版','Block type name is required.'=>'','Block type "%s" is already registered.'=>'','Switch to Edit'=>'','Switch to Preview'=>'','Change content alignment'=>'','%s settings'=>'','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'选项已更新','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'','Check Again'=>'重新检查','ACF Activation Error. Could not connect to activation server'=>'','Publish'=>'发布','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'这个选项页上还没有自定义字段群组。创建自定义字段群组','Error. Could not connect to update server'=>'错误,不能连接到更新服务器','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'','Display'=>'显示','Specify the style used to render the clone field'=>'','Group (displays selected fields in a group within this field)'=>'','Seamless (replaces this field with selected fields)'=>'','Labels will be displayed as %s'=>'','Prefix Field Labels'=>'','Values will be saved as %s'=>'','Prefix Field Names'=>'','Unknown field'=>'','Unknown field group'=>'','All fields from %s field group'=>'','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'添加行','layout'=>'布局','layouts'=>'布局','This field requires at least {min} {label} {identifier}'=>'这个字段需要至少 {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} 可用 (max {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} 需要 (min {min})','Flexible Content requires at least 1 layout'=>'灵活内容字段需要至少一个布局','Click the "%s" button below to start creating your layout'=>'点击下面的 "%s" 按钮创建布局','Add layout'=>'添加布局','Duplicate layout'=>'','Remove layout'=>'删除布局','Click to toggle'=>'','Delete Layout'=>'删除布局','Duplicate Layout'=>'复制布局','Add New Layout'=>'添加新布局','Add Layout'=>'添加布局','Min'=>'最小','Max'=>'最大','Minimum Layouts'=>'最小布局','Maximum Layouts'=>'最大布局','Button Label'=>'按钮标签','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'','%1$s must contain at most %2$s %3$s layout.'=>'','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'添加图片到相册','Maximum selection reached'=>'已到最大选择','Length'=>'长度','Caption'=>'标题','Alt Text'=>'','Add to gallery'=>'添加到相册','Bulk actions'=>'批量动作','Sort by date uploaded'=>'按上传日期排序','Sort by date modified'=>'按修改日期排序','Sort by title'=>'按标题排序','Reverse current order'=>'颠倒当前排序','Close'=>'关闭','Minimum Selection'=>'最小选择','Maximum Selection'=>'最大选择','Allowed file types'=>'允许的文字类型','Insert'=>'','Specify where new attachments are added'=>'','Append to the end'=>'','Prepend to the beginning'=>'','Minimum rows not reached ({min} rows)'=>'已到最小行数 ({min} 行)','Maximum rows reached ({max} rows)'=>'已到最大行数 ({max} 行)','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'','Set the number of rows to be displayed on a page.'=>'','Minimum Rows'=>'最小行数','Maximum Rows'=>'最大行数','Collapsed'=>'','Select a sub field to show when row is collapsed'=>'','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'拖拽排序','Add row'=>'添加行','Duplicate row'=>'','Remove row'=>'删除行','Current Page'=>'','First Page'=>'首页','Previous Page'=>'文章页','paging%1$s of %2$s'=>'','Next Page'=>'首页','Last Page'=>'文章页','No block types exist'=>'','No options pages exist'=>'还没有选项页面','Deactivate License'=>'关闭许可证','Activate License'=>'激活许可证','License Information'=>'','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'','License Key'=>'许可证号','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'','Update Information'=>'更新信息','Current Version'=>'当前版本','Latest Version'=>'最新版本','Update Available'=>'可用更新','Upgrade Notice'=>'更新通知','Check For Updates'=>'','Enter your license key to unlock updates'=>'在上面输入许可证号解锁更新','Update Plugin'=>'更新插件','Please reactivate your license to unlock updates'=>''],'language'=>'zh_CN','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-zh_CN.mo b/lang/acf-zh_CN.mo
index c3f8d8f..3c42415 100644
Binary files a/lang/acf-zh_CN.mo and b/lang/acf-zh_CN.mo differ
diff --git a/lang/acf-zh_CN.po b/lang/acf-zh_CN.po
index e3719c4..827de5f 100644
--- a/lang/acf-zh_CN.po
+++ b/lang/acf-zh_CN.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: zh_CN\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr "更新来源"
@@ -61,12 +83,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "wordpress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr "由于提供了无效安全随机数,ACF 无法执行验证。"
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "允许访问编辑器用户界面中的值"
@@ -2035,21 +2051,21 @@ msgstr "添加字段"
msgid "This Field"
msgstr "此字段"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr "ACF PRO"
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr "反馈"
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr "支持"
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr "开发和维护者"
@@ -4434,7 +4450,7 @@ msgstr ""
"使用自定义文章类型用户界面导入文章类型和分类法注册,并使用 ACF 管理它们。开始。"
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4756,7 +4772,7 @@ msgstr "激活此项目"
msgid "Move field group to trash?"
msgstr "移动字段组到移至回收站?"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4769,7 +4785,7 @@ msgstr "未启用"
msgid "WP Engine"
msgstr "WP Engine"
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
@@ -4777,7 +4793,7 @@ msgstr ""
"高级自定义字段和高级自定义字段 PRO 不应同时处于活动状态。我们已自动停用高级自"
"定义字段 PRO。"
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5216,7 +5232,7 @@ msgstr "所有 %s 格式"
msgid "Attachment"
msgstr "附件"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr "需要 %s 值"
@@ -5692,7 +5708,7 @@ msgstr "复制此项目"
msgid "Supports"
msgstr "支持"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "文档"
@@ -5986,8 +6002,8 @@ msgstr "%d 字段需要注意"
msgid "1 field requires attention"
msgstr "1 字段需要注意"
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "验证失败"
@@ -7359,89 +7375,89 @@ msgid "Time Picker"
msgstr "时间选择器"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "未激活 (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "回收站中未发现字段"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "未找到字段"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "搜索字段"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "查看字段"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "新建字段"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "编辑字段"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "添加新字段"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "字段"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "字段"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "回收站中未发现字段组"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "未找到字段组"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "搜索字段组"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "查看字段组"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "新建字段组"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "编辑字段组"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "添加新字段组"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "添加新的"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "字段组"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/acf-zh_TW.l10n.php b/lang/acf-zh_TW.l10n.php
index 64ac266..2711abf 100644
--- a/lang/acf-zh_TW.l10n.php
+++ b/lang/acf-zh_TW.l10n.php
@@ -1,2 +1,2 @@
NULL,'plural-forms'=>NULL,'language'=>'zh_TW','project-id-version'=>'Advanced Custom Fields','pot-creation-date'=>'2025-01-21T10:54:56+00:00','po-revision-date'=>'2025-01-21T10:45:54+00:00','x-generator'=>'gettext','messages'=>['wordpress.org'=>'WordPress.org','ACF was unable to perform validation due to an invalid security nonce being provided.'=>'提供的安全性單次有效驗證碼無效,因此 ACF 無法執行驗證。','Allow Access to Value in Editor UI'=>'允許存取編輯器使用者介面中的值','Learn more.'=>'進一步了解','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'允許內容編輯使用區塊繫結或 ACF 短代碼存取並顯示編輯器使用者介面中的欄位值。%s','Businessman Icon'=>'男性商務人士圖示','Forums Icon'=>'論壇圖示','YouTube Icon'=>'YouTube 圖示','Yes (alt) Icon'=>'確認 (替代) 圖示','Xing Icon'=>'Xing 圖示','WordPress (alt) Icon'=>'WordPress (替代) 圖示','WhatsApp Icon'=>'WhatsApp 圖示','Write Blog Icon'=>'撰寫部落格圖示','Widgets Menus Icon'=>'小工具選單圖示','View Site Icon'=>'檢視網站圖示','Learn More Icon'=>'進一步了解圖示','Add Page Icon'=>'新增頁面圖示','Video (alt3) Icon'=>'視訊 (替代 3) 圖示','Video (alt2) Icon'=>'視訊 (替代 2) 圖示','Video (alt) Icon'=>'視訊 (替代) 圖示','Update (alt) Icon'=>'更新 (替代) 圖示','Universal Access (alt) Icon'=>'通用無障礙圖示 (替代) 圖示','Twitter (alt) Icon'=>'Twitter (替代) Icon','Twitch Icon'=>'Twitch 圖示','Tide Icon'=>'Tide 圖示','Tickets (alt) Icon'=>'門票 (替代) 圖示','Text Page Icon'=>'文字頁面圖示','Table Row Delete Icon'=>'刪除表格資料列圖示','Table Row Before Icon'=>'在表格資料列上方插入圖示','Table Row After Icon'=>'在表格資料列下方插入圖示','Table Col Delete Icon'=>'刪除表格資料行圖示','Table Col Before Icon'=>'在表格資料行前方插入圖示','Table Col After Icon'=>'在表格資料行後方插入圖示','Superhero (alt) Icon'=>'超級英雄 (替代) 圖示','Superhero Icon'=>'超級英雄圖示','Spotify Icon'=>'Spotify 圖示','Shortcode Icon'=>'短代碼圖示','Shield (alt) Icon'=>'盾牌 (替代) 圖示','Share (alt2) Icon'=>'分享 (替代 2) 圖示','Share (alt) Icon'=>'分享 (替代) 圖示','Saved Icon'=>'已儲存圖示','RSS Icon'=>'RSS 圖示','REST API Icon'=>'REST API 圖示','Remove Icon'=>'移除圖示','Reddit Icon'=>'Reddit 圖示','Privacy Icon'=>'隱私權圖示','Printer Icon'=>'印表機圖示','Podio Icon'=>'Podio 圖示','Plus (alt2) Icon'=>'加號 (替代 2) 圖示','Plus (alt) Icon'=>'加號 (替代) 圖示','Plugins Checked Icon'=>'外掛通過審閱圖示','Pinterest Icon'=>'Pinterest 圖示','Pets Icon'=>'寵物圖示','PDF Icon'=>'PDF 圖示','Palm Tree Icon'=>'棕櫚樹圖示','Open Folder Icon'=>'開啟資料夾圖示','No (alt) Icon'=>'否定 (替代) 圖示','Money (alt) Icon'=>'財經 (替代) 圖示','Menu (alt3) Icon'=>'選單 (替代 3) 圖示','Menu (alt2) Icon'=>'選單 (替代 2) 圖示','Menu (alt) Icon'=>'選單 (替代) 圖示','Spreadsheet Icon'=>'試算表圖示','Interactive Icon'=>'互動圖示','Document Icon'=>'文件圖示','Default Icon'=>'預設圖示','Location (alt) Icon'=>'位置 (替代) 圖示','LinkedIn Icon'=>'LinkedIn 圖示','Instagram Icon'=>'Instagram 圖示','Insert Before Icon'=>'在前方插入圖示','Insert After Icon'=>'在後方插入圖示','Insert Icon'=>'插入圖示','Info Outline Icon'=>'資訊大綱圖示','Images (alt2) Icon'=>'圖片 (替代 2) 圖示','Images (alt) Icon'=>'圖片 (替代) 圖示','Rotate Right Icon'=>'向右旋轉圖示','Rotate Left Icon'=>'向左旋轉圖示','Rotate Icon'=>'旋轉圖示','Flip Vertical Icon'=>'垂直翻轉圖示','Flip Horizontal Icon'=>'水平翻轉圖示','Crop Icon'=>'裁剪圖示','ID (alt) Icon'=>'識別證 (替代) 圖示','HTML Icon'=>'HTML 圖示','Hourglass Icon'=>'沙漏圖示','Heading Icon'=>'標題圖示','Google Icon'=>'Google 圖示','Games Icon'=>'遊戲圖示','Fullscreen Exit (alt) Icon'=>'離開全螢幕模式 (替代) 圖示','Fullscreen (alt) Icon'=>'全螢幕模式 (替代) 圖示','Status Icon'=>'狀態圖示','Image Icon'=>'圖片圖示','Gallery Icon'=>'圖庫圖示','Chat Icon'=>'交談記錄圖示','Audio Icon'=>'音訊圖示','Aside Icon'=>'記事圖示','Food Icon'=>'食物圖示','Exit Icon'=>'離開圖示','Excerpt View Icon'=>'內容摘要檢視圖示','Embed Video Icon'=>'視訊嵌入圖示','Embed Post Icon'=>'文章嵌入圖示','Embed Photo Icon'=>'相片嵌入圖示','Embed Generic Icon'=>'通用項目嵌入圖示','Embed Audio Icon'=>'音訊嵌入圖示','Email (alt2) Icon'=>'電子郵件 (替代 2) 圖示','Ellipsis Icon'=>'省略符號圖示','Unordered List Icon'=>'不排序清單圖示','RTL Icon'=>'文字從右至左圖示','Ordered List RTL Icon'=>'排序清單文字從右至左圖示','Ordered List Icon'=>'排序清單圖示','LTR Icon'=>'文字從左至右圖示','Custom Character Icon'=>'自訂字元圖示','Edit Page Icon'=>'編輯頁面圖示','Edit Large Icon'=>'大型編輯圖示','Drumstick Icon'=>'棒腿圖示','Database View Icon'=>'檢視資料庫圖示','Database Remove Icon'=>'移除資料庫圖示','Database Import Icon'=>'匯入資料庫圖示','Database Export Icon'=>'匯出資料庫圖示','Database Add Icon'=>'新增資料庫圖示','Database Icon'=>'資料庫圖示','Cover Image Icon'=>'封面圖片圖示','Volume On Icon'=>'音量開啟圖示','Volume Off Icon'=>'音量關閉圖示','Skip Forward Icon'=>'播放下一個圖示','Skip Back Icon'=>'播放上一個圖示','Repeat Icon'=>'重複播放圖示','Play Icon'=>'播放圖示','Pause Icon'=>'暫停圖示','Forward Icon'=>'向前播放圖示','Back Icon'=>'向後播放圖示','Columns Icon'=>'音量圖示','Color Picker Icon'=>'色彩選擇器圖示','Coffee Icon'=>'咖啡圖示','Code Standards Icon'=>'程式碼標準圖示','Cloud Upload Icon'=>'雲端上傳圖示','Cloud Saved Icon'=>'雲端儲存圖示','Car Icon'=>'汽車圖示','Camera (alt) Icon'=>'相機 (替代) 圖示','Calculator Icon'=>'計算機圖示','Button Icon'=>'按鈕圖示','Businessperson Icon'=>'商務人士圖示','Tracking Icon'=>'追蹤圖示','Topics Icon'=>'主題圖示','Replies Icon'=>'回覆圖示','PM Icon'=>'私訊圖示','Friends Icon'=>'朋友圖示','Community Icon'=>'社群圖示','BuddyPress Icon'=>'BuddyPress 圖示','bbPress Icon'=>'bbPress 圖示','Activity Icon'=>'活動圖示','Book (alt) Icon'=>'書籍 (替代) 圖示','Block Default Icon'=>'區塊預設圖示','Bell Icon'=>'鈴鐺圖示','Beer Icon'=>'啤酒圖示','Bank Icon'=>'銀行圖示','Arrow Up (alt2) Icon'=>'向上箭號 (替代 2) 圖示','Arrow Up (alt) Icon'=>'向上箭號 (替代) 圖示','Arrow Right (alt2) Icon'=>'向右箭號 (替代 2) 圖示','Arrow Right (alt) Icon'=>'向右箭號 (替代) 圖示','Arrow Left (alt2) Icon'=>'向左箭號 (替代 2) 圖示','Arrow Left (alt) Icon'=>'向左箭號 (替代) 圖示','Arrow Down (alt2) Icon'=>'向下箭號 (替代 2) 圖示','Arrow Down (alt) Icon'=>'向下箭號 (替代) 圖示','Amazon Icon'=>'Amazon 圖示','Align Wide Icon'=>'寬度對齊圖示','Align Pull Right Icon'=>'浮動靠右對齊圖示','Align Pull Left Icon'=>'浮動靠左對齊圖示','Align Full Width Icon'=>'全幅寬度對齊圖示','Airplane Icon'=>'飛機圖示','Site (alt3) Icon'=>'網站 (替代 3) 圖示','Site (alt2) Icon'=>'網站 (替代 2) 圖示','Site (alt) Icon'=>'網站 (替代) 圖示','Upgrade to ACF PRO to create options pages in just a few clicks'=>'升級至 ACF Pro 以建立設定頁面僅需僅個點擊','Invalid request args.'=>'無效的要求引數。','Sorry, you do not have permission to do that.'=>'很抱歉,目前的登入身分沒有進行這項操作的權限。','Blocks Using Post Meta'=>'使用文章中繼資料的區塊','ACF PRO logo'=>'ACF Pro 圖示','%s is a required property of acf.'=>'%s 是 ACF 的必要屬性。','The value of icon to save.'=>'要儲存的圖示值。','The type of icon to save.'=>'要儲存的圖示類型。','Yes Icon'=>'確認圖示','WordPress Icon'=>'WordPress 圖示','Warning Icon'=>'警告圖示','Visibility Icon'=>'可見度圖示','Vault Icon'=>'金庫圖示','Upload Icon'=>'上傳圖示','Update Icon'=>'更新圖示','Unlock Icon'=>'解除鎖定圖示','Universal Access Icon'=>'通用無障礙圖示','Undo Icon'=>'復原圖示','Twitter Icon'=>'Twitter 圖示','Trash Icon'=>'回收桶圖示','Translation Icon'=>'翻譯圖示','Tickets Icon'=>'門票圖示','Thumbs Up Icon'=>'讚許圖示','Thumbs Down Icon'=>'倒讚圖示','Text Icon'=>'文字圖示','Testimonial Icon'=>'證言圖示','Tagcloud Icon'=>'標籤雲圖示','Tag Icon'=>'標籤圖示','Tablet Icon'=>'平板裝置圖示','Store Icon'=>'商店圖示','Sticky Icon'=>'固定圖示','Star Half Icon'=>'半星圖示','Star Filled Icon'=>'全星圖示','Star Empty Icon'=>'空星圖示','Sos Icon'=>'SOS 圖示','Sort Icon'=>'排序圖示','Smiley Icon'=>'笑臉圖示','Smartphone Icon'=>'行動裝置圖示','Slides Icon'=>'投影片圖示','Shield Icon'=>'盾牌說明','Share Icon'=>'分享圖示','Search Icon'=>'搜尋圖示','Screen Options Icon'=>'顯示項目設定圖示','Schedule Icon'=>'排程圖示','Redo Icon'=>'取消復原圖示','Randomize Icon'=>'隨機化圖示','Products Icon'=>'商品圖示','Pressthis Icon'=>'發佈至網站圖示','Post Status Icon'=>'文章狀態圖示','Portfolio Icon'=>'作品集圖示','Plus Icon'=>'加號圖示','Playlist Video Icon'=>'視訊播放清單圖示','Playlist Audio Icon'=>'音訊播放清單圖示','Phone Icon'=>'電話圖示','Performance Icon'=>'效能圖示','Paperclip Icon'=>'迴紋針圖示','No Icon'=>'否定圖示','Networking Icon'=>'關係圖示','Nametag Icon'=>'名牌圖示','Move Icon'=>'移動圖示','Money Icon'=>'財經圖示','Minus Icon'=>'減號圖示','Migrate Icon'=>'移轉圖示','Microphone Icon'=>'麥克風圖示','Megaphone Icon'=>'擴音器圖示','Marker Icon'=>'標記圖示','Lock Icon'=>'鎖定圖示','Location Icon'=>'位置圖示','List View Icon'=>'清單檢視圖示','Lightbulb Icon'=>'燈泡圖示','Left Right Icon'=>'向左向右圖示','Layout Icon'=>'版面配置圖示','Laptop Icon'=>'筆記型電腦圖示','Info Icon'=>'資訊圖示','Index Card Icon'=>'索引卡圖示','ID Icon'=>'識別證圖示','Hidden Icon'=>'隱藏圖示','Heart Icon'=>'心型圖示','Hammer Icon'=>'槌子圖示','Groups Icon'=>'群組圖示','Grid View Icon'=>'格狀檢視圖示','Forms Icon'=>'表單圖示','Flag Icon'=>'旗幟圖示','Filter Icon'=>'篩選圖示','Feedback Icon'=>'意見反應圖示','Facebook (alt) Icon'=>'Facebook (替代) 圖示','Facebook Icon'=>'Facebook 圖示','External Icon'=>'外部圖示','Email (alt) Icon'=>'電子郵件 (替代) 圖示','Email Icon'=>'電子郵件圖示','Video Icon'=>'視訊圖示','Unlink Icon'=>'解除連結圖示','Underline Icon'=>'底線圖示','Text Color Icon'=>'文字色彩圖示','Table Icon'=>'表格圖示','Strikethrough Icon'=>'刪除線圖示','Spellcheck Icon'=>'拼字檢查圖示','Remove Formatting Icon'=>'移除格式化圖示','Quote Icon'=>'引文圖示','Paste Word Icon'=>'貼上字詞圖示','Paste Text Icon'=>'貼上文字圖示','Paragraph Icon'=>'段落圖示','Outdent Icon'=>'凸排圖示','Kitchen Sink Icon'=>'廚房水槽圖示','Justify Icon'=>'分散對齊圖示','Italic Icon'=>'斜體圖示','Insert More Icon'=>'插入更多圖示','Indent Icon'=>'縮排圖示','Help Icon'=>'使用說明圖示','Expand Icon'=>'放大圖示','Contract Icon'=>'縮小圖示','Code Icon'=>'程式碼圖示','Break Icon'=>'分行圖示','Bold Icon'=>'粗體圖示','Edit Icon'=>'編輯圖示','Download Icon'=>'下載圖示','Dismiss Icon'=>'關閉圖示','Desktop Icon'=>'桌面裝置圖示','Dashboard Icon'=>'控制台圖示','Cloud Icon'=>'雲端圖示','Clock Icon'=>'時鐘圖示','Clipboard Icon'=>'剪貼簿圖示','Chart Pie Icon'=>'圓形圖圖示','Chart Line Icon'=>'折線圖圖示','Chart Bar Icon'=>'橫條圖圖示','Chart Area Icon'=>'區域圖圖示','Category Icon'=>'分類圖示','Cart Icon'=>'購物車圖示','Carrot Icon'=>'胡蘿蔔圖示','Camera Icon'=>'相機圖示','Calendar (alt) Icon'=>'日曆 (替代) 圖示','Calendar Icon'=>'日曆圖示','Businesswoman Icon'=>'女性商務人士圖示','Building Icon'=>'建築物圖示','Book Icon'=>'書籍圖示','Backup Icon'=>'備份圖示','Awards Icon'=>'獎牌圖示','Art Icon'=>'調色盤圖示','Arrow Up Icon'=>'向上箭號圖示','Arrow Right Icon'=>'向右箭號圖示','Arrow Left Icon'=>'向左箭號圖示','Arrow Down Icon'=>'向下箭號圖示','Archive Icon'=>'彙整圖示','Analytics Icon'=>'分析圖示','Align Right Icon'=>'靠右對齊圖示','Align None Icon'=>'無對齊圖示','Align Left Icon'=>'靠左對齊圖示','Align Center Icon'=>'置中對齊圖示','Album Icon'=>'相簿圖示','Users Icon'=>'使用者圖示','Tools Icon'=>'工具圖示','Site Icon'=>'網站圖示','Settings Icon'=>'設定圖示','Post Icon'=>'文章圖示','Plugins Icon'=>'外掛圖示','Page Icon'=>'頁面圖示','Network Icon'=>'網路圖示','Multisite Icon'=>'多站網路圖示','Media Icon'=>'媒體圖示','Links Icon'=>'連結圖示','Home Icon'=>'房屋圖示','Customizer Icon'=>'外觀自訂器圖示','Comments Icon'=>'留言圖示','Collapse Icon'=>'收合圖示','Appearance Icon'=>'外觀圖示','Generic Icon'=>'通用項目圖示','Icon picker requires a value.'=>'圖示選擇器需要有值。','Icon picker requires an icon type.'=>'圖示選擇器需要圖示類型。','Array'=>'陣列','String'=>'字串','Specify the return format for the icon. %s'=>'指定傳回的圖示格式。%s','Browse Media Library'=>'瀏覽媒體庫','Search icons...'=>'搜尋圖示...','Media Library'=>'媒體庫','Dashicons'=>'Dashicons 圖示','Icon Picker'=>'圖示選擇器','JSON Load Paths'=>'JSON 載入路徑','JSON Save Paths'=>'JSON 儲存路徑','Registered ACF Forms'=>'已註冊的 ACF 表單','Field Settings Tabs Enabled'=>'欄位設定分頁已啟用','Registered ACF Blocks'=>'已註冊的 ACF 區塊','Light'=>'精簡','Standard'=>'標準','REST API Format'=>'REST API 格式','Registered Options Pages (PHP)'=>'已註冊的設定頁面 (PHP)','Registered Options Pages (JSON)'=>'已註冊的設定頁面 (JSON)','Registered Options Pages (UI)'=>'已註冊的設定頁面 (使用者介面)','Options Pages UI Enabled'=>'設定頁面使用者介面已啟用','Registered Taxonomies (JSON)'=>'已註冊的分類法 (JSON)','Registered Taxonomies (UI)'=>'已註冊的分類法 (使用者介面)','Registered Post Types (JSON)'=>'已註冊的內容類型 (JSON)','Registered Post Types (UI)'=>'已註冊的內容類型 (使用者介面)','Post Types and Taxonomies Enabled'=>'內容類型及分類法已啟用','Field Groups Enabled for GraphQL'=>'已為 GraphQL 啟用欄位群組','Field Groups Enabled for REST API'=>'已為 REST API 啟用欄位群組','Registered Field Groups (JSON)'=>'已註冊的欄位群組 (JSON)','Registered Field Groups (PHP)'=>'已註冊的欄位群組 (PHP)','Registered Field Groups (UI)'=>'已註冊的欄位群組 (使用者介面)','Active Plugins'=>'已啟用的外掛','Parent Theme'=>'上層佈景主題','Active Theme'=>'目前使用的佈景主題','Is Multisite'=>'是多站網路','MySQL Version'=>'MySQL 版本','WordPress Version'=>'WordPress 版本','Free'=>'免費版','Plugin Type'=>'外掛類型','Plugin Version'=>'外掛版本','Dismiss permanently'=>'永久關閉','Instructions for content editors. Shown when submitting data.'=>'提供給內容編輯的操作說明,提交資料時顯示。','User is not equal to'=>'不等於使用者不等於','User is equal to'=>'等於使用者等於','Pages contain'=>'頁面包含','Page is not equal to'=>'頁面不等於','Page is equal to'=>'等於頁面等於','Posts contain'=>'文章包含','Post is not equal to'=>'文章不等於','Post is equal to'=>'文章等於','Relationships do not contain'=>'關聯內容不包含','Relationships contain'=>'關聯內容包含','Relationship is not equal to'=>'關聯內容不等於','Relationship is equal to'=>'關聯內容等於','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 欄位','ACF PRO Feature'=>'ACF Pro 功能','Renew PRO to Unlock'=>'續訂 Pro 版約期授權以啟用相關功能','Renew PRO License'=>'續訂 Pro 版約期授權','Learn more'=>'進一步了解','Hide details'=>'隱藏詳細資料','Show details'=>'顯示詳細資料','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - 透過 %3$s 轉譯','Renew License'=>'續訂授權','Manage License'=>'管理授權','Upgrade to ACF PRO'=>'升級至 ACF Pro','Add Options Page'=>'新增設定頁面','Title Placeholder'=>'標題預留位置','(Duplicated from %s)'=>'(已從 [%s] 再製)','Select Options Pages'=>'選取設定頁面','Duplicate taxonomy'=>'再製分類法','Create taxonomy'=>'建立分類法','Duplicate post type'=>'再製內容類型','Create post type'=>'建立內容類型','Link field groups'=>'連結欄位群組','Add fields'=>'新增欄位','This Field'=>'這個欄位','Target Field'=>'目標欄位','%s Field'=>'[%s] 欄位','View Pricing & Upgrade'=>'檢視價格並升級','Learn More'=>'進一步了解','%s fields'=>'[%s] 欄位','No terms'=>'沒有分類法詞彙','No post types'=>'沒有內容類型','No posts'=>'沒有文章','No taxonomies'=>'沒有分類法','No field groups'=>'沒有欄位群組','No fields'=>'沒有欄位','No description'=>'沒有內容說明','Any post status'=>'任何文章狀態','No Taxonomies found in Trash'=>'在回收桶中找不到符合條件的分類法。','No Taxonomies found'=>'找不到符合條件的分類法。','Search Taxonomies'=>'搜尋分類法','View Taxonomy'=>'檢視分類法','New Taxonomy'=>'新增分類法','Edit Taxonomy'=>'編輯分類法','Add New Taxonomy'=>'新增分類法','No Post Types found in Trash'=>'在回收桶中找不到符合條件的內容類型。','No Post Types found'=>'找不到符合條件的內容類型。','Search Post Types'=>'搜尋內容類型','View Post Type'=>'檢視內容類型','New Post Type'=>'新增內容類型','Edit Post Type'=>'編輯內容類型','Add New Post Type'=>'新增內容類型','WYSIWYG Editor'=>'所見即所得編輯器','A text input specifically designed for storing web addresses.'=>'用於儲存網站網址的文字輸入。','URL'=>'網址','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'讓使用者選取 1 或 0 值的開關 (On 或 Off、True 或 False 等),可呈現為經過樣式化的開關或核取方塊。','A basic textarea input for storing paragraphs of text.'=>'基本文字區域輸入,可用於儲存文字段落。','A basic text input, useful for storing single string values.'=>'基本文字輸入,可用於儲存單一字串值。','A dropdown list with a selection of choices that you specify.'=>'包含指定選項的下拉式清單。','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'可選取一或多篇文章、頁面或自訂內容類型項目與使用者目前編輯的項目建立關聯內容的雙欄介面。包含搜尋及篩選功能的選項。','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'使用互動式、可自訂且具備搜尋選項的使用者介面選取一或多篇文章、頁面或自訂內容類型項目。','Filter by Post Status'=>'依據文章狀態篩選','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'讓使用者使用 WordPress 原生連結選擇器指定連結及連結的標題、目標網址等屬性。','Uses the native WordPress media picker to upload, or choose images.'=>'使用原生 WordPress 媒體選擇器以上傳或選取圖片。','Uses the native WordPress media picker to upload, or choose files.'=>'使用原生 WordPress 媒體選擇器以上傳或選取檔案。','A text input specifically designed for storing email addresses.'=>'用於儲存電子郵件地址的文字輸入。','nounClone'=>'分身','Advanced'=>'進階','Invalid post ID.'=>'無效的文章 ID。','More'=>'更多功能','Select Field'=>'選取欄位','Popular fields'=>'常用欄位','No search results for \'%s\''=>'找不到「%s」的搜尋結果','Search fields...'=>'搜尋欄位...','Select Field Type'=>'選擇欄位類型','Popular'=>'常用','Add Taxonomy'=>'新增分類法','Create custom taxonomies to classify post type content'=>'建立自訂分類法便能為內容類型的內容分類。','Add Your First Taxonomy'=>'新增第一個分類法','Hierarchical taxonomies can have descendants (like categories).'=>'階層式分類法可以有下層項目 (例如核心程式內建的 [分類] 分類法)。','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'讓分類法顯示於網站前端及管理後台的控制台。','One or many post types that can be classified with this taxonomy.'=>'一或多個可以使用這個分類法進行分類的內容類型。','genre'=>'genre','Genre'=>'影音內容類型','Genres'=>'影音內容類型','Taxonomy Key'=>'分類法索引鍵','Quick Edit'=>'快速編輯','List the taxonomy in the Tag Cloud Widget controls.'=>'在 [標籤雲] 小工具控制項中列出分類法。','Tag Cloud'=>'標籤雲','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'清理中繼資料區塊儲存的分類法資料時會呼叫的 PHP 函式名稱。','No Meta Box'=>'沒有中繼資料區塊。','Custom Meta Box'=>'自訂中繼資料區塊','Meta Box'=>'中繼資料區塊','Categories Meta Box'=>'分類中繼資料區塊','Tags Meta Box'=>'標籤中繼資料區塊','A link to a tag'=>'標籤的連結','A link to a %s'=>'[%s] 的連結','Tag Link'=>'標籤連結','Tags list'=>'標籤清單','Tags list navigation'=>'標籤清單導覽','Filter by category'=>'依據分類篩選','Filter By Item'=>'依據項目篩選','Filter by %s'=>'依據 [%s] 篩選','The description is not prominent by default; however, some themes may show it.'=>'[內容說明] 欄位中的資料預設不會顯示,但有些佈景主題在其版面的特定位置會顯示這些資料。','Parent Field Description'=>'上層欄位內容說明','Slug Field Description'=>'代稱欄位內容說明','Name Field Description'=>'名稱欄位內容說明','No tags'=>'沒有標籤','No %s'=>'沒有 [%s]','No tags found'=>'找不到符合條件的標籤。','Not Found'=>'找不到','Most Used'=>'最常使用','Choose from the most used tags'=>'從最常使用的標籤中選取','Choose from the most used %s'=>'從最常使用的 [%s] 中選取','Add or remove tags'=>'新增或移除標籤','Separate tags with commas'=>'請使用逗號分隔多個標籤','Popular Tags'=>'常用標籤','Popular Items'=>'常用項目','Popular %s'=>'常用 [%s]','Search Tags'=>'搜尋標籤','Parent Category:'=>'上層分類:','Parent Category'=>'上層分類','Parent Item'=>'上層項目','Parent %s'=>'上層 [%s]','New Tag Name'=>'新增標籤名稱','New Item Name'=>'新增項目名稱','New %s Name'=>'新增 [%s] 名稱','Add New Tag'=>'新增標籤','Update Tag'=>'更新標籤','Update Item'=>'更新項目','Update %s'=>'更新 [%s]','View Tag'=>'檢視標籤','Edit Tag'=>'編輯標籤','At the top of the editor screen when editing a term.'=>'編輯分類法詞彙時在編輯畫面頂端的功能提示名稱。','All Tags'=>'全部標籤','Menu Label'=>'選單標籤','Term Description'=>'分類法詞彙內容說明','Single word, no spaces. Underscores and dashes allowed.'=>'請使用英文及數字字元撰寫單一字組;不可使用空格,但可使用底線 _ 及破折號 -。','Term Slug'=>'分類法詞彙代稱','Term Name'=>'分類法詞彙名稱','Default Term'=>'預設分類法詞彙','Add Post Type'=>'新增內容類型','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'使用自訂內容類型便能將 WordPress 的功能擴充至標準文章及頁面之外。','Add Your First Post Type'=>'新增第一個內容類型','I know what I\'m doing, show me all the options.'=>'已了解進階組態的影響,請顯示全部選項。','Advanced Configuration'=>'進階組態','Hierarchical post types can have descendants (like pages).'=>'階層式內容類型可以有下層項目 (例如核心程式內建的 [頁面] 內容類型)。','Hierarchical'=>'階層式','Visible on the frontend and in the admin dashboard.'=>'顯示於網站前端及管理後台的控制台。','Public'=>'公開','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'僅能使用小寫字母、底線 _ 及破折號 -,最多 20 個字元。','Movie'=>'電影','Singular Label'=>'單數型標籤','Movies'=>'電影','Plural Label'=>'複數型標籤 (中文名詞無複數型)','Base URL'=>'起點網址','Show In REST API'=>'在 REST API 中顯示','Query Variable'=>'查詢變數','Archive Slug'=>'彙整代稱','Feed URL'=>'資訊提供網址','URL Slug'=>'網址代稱','Custom Permalink'=>'自訂永久連結','Post Type Key'=>'內容類型索引鍵','Permalink Rewrite'=>'永久連結重寫','Delete With User'=>'與使用者一併刪除','Can Export'=>'可以匯出','Plural Capability Name'=>'複數型權限名稱','Singular Capability Name'=>'單數型權限名稱','Rename Capabilities'=>'重新命名權限','Exclude From Search'=>'從搜尋結果中排除','Show In Admin Bar'=>'在工具列中顯示','Custom Meta Box Callback'=>'自訂中繼資料回呼','Menu Icon'=>'選單圖示','Menu Position'=>'選單位置','Show In Admin Menu'=>'在管理選單中顯示','Show In UI'=>'在使用者介面中顯示','A link to a post.'=>'文章的連結。','Item Link Description'=>'項目連結內容說明','A link to a %s.'=>'[%s] 的連結。','Post Link'=>'文章連結','Item Link'=>'項目連結','%s Link'=>'[%s] 連結','Post updated.'=>'文章已更新。','Item Updated'=>'項目已更新','%s updated.'=>'[%s] 已更新。','Post scheduled.'=>'文章已排程。','Item Scheduled'=>'項目已排程','%s scheduled.'=>'[%s] 已排程。','Post reverted to draft.'=>'文章已還原為草稿。','Item Reverted To Draft'=>'項目已還原為草稿','%s reverted to draft.'=>'[%s] 已還原為草稿。','Post published privately.'=>'文章已發佈為私密項目。','Item Published Privately'=>'項目已發佈為私密項目','%s published privately.'=>'[%s] 已發佈為私密項目。','Post published.'=>'文章已發佈。','Item Published'=>'項目已發佈','%s published.'=>'[%s] 已發佈。','Posts list'=>'文章清單','Items List'=>'項目清單','%s list'=>'[%s] 清單','Posts list navigation'=>'文章清單導覽','Items List Navigation'=>'項目清單導覽','%s list navigation'=>'[%s] 清單導覽','Filter posts by date'=>'依據日期篩選文章','Filter Items By Date'=>'依據日期篩選項目','Filter %s by date'=>'依據日期篩選 [%s]','Filter posts list'=>'篩選文章清單','Filter Items List'=>'篩選項目清單','Filter %s list'=>'篩選 [%s] 清單','Uploaded To This Item'=>'已關聯至這個項目','Uploaded to this %s'=>'已關聯至這個 [%s]','Insert into post'=>'插入至文章','Insert into %s'=>'插入至 [%s]','Use as featured image'=>'設定為精選圖片','Use Featured Image'=>'設定精選圖片','Remove featured image'=>'移除精選圖片','Remove Featured Image'=>'移除精選圖片','Set featured image'=>'設定精選圖片','Set Featured Image'=>'設定精選圖片','Featured image'=>'精選圖片','Featured Image Meta Box'=>'精選圖片中繼資料區塊','Post Attributes'=>'文章屬性','Attributes Meta Box'=>'屬性中繼資料區塊','%s Attributes'=>'[%s] 屬性','Post Archives'=>'文章彙整','Archives Nav Menu'=>'彙整頁面導覽選單','%s Archives'=>'[%s] 彙整','No posts found in Trash'=>'在回收桶中找不到符合條件的文章。','No Items Found in Trash'=>'在回收桶中找不到符合條件的項目。','No %s found in Trash'=>'在回收桶中找不到符合條件的 [%s]。','No posts found'=>'找不到符合條件的文章。','No Items Found'=>'找不到符合條件的項目。','No %s found'=>'找不到符合條件的 [%s]。','Search Posts'=>'搜尋文章','Search Items'=>'搜尋項目','Search %s'=>'搜尋 [%s]','Parent Page:'=>'上層頁面:','Parent Item Prefix'=>'上層項目前置詞','Parent %s:'=>'上層 [%s]:','New Post'=>'新增文章','New Item'=>'新增項目','New %s'=>'新增 [%s]','Add New Post'=>'新增文章','At the top of the editor screen when adding a new item.'=>'新增項目時在編輯畫面頂端的功能提示名稱。','Add New Item'=>'新增項目','Add New %s'=>'新增 [%s]','View Posts'=>'檢視文章','View Items'=>'檢視項目','View Post'=>'檢視文章','In the admin bar to view item when editing it.'=>'編輯項目時在工具列上的檢視功能名稱。','View Item'=>'檢視項目','View %s'=>'檢視 [%s]','Edit Post'=>'編輯文章','At the top of the editor screen when editing an item.'=>'編輯項目時在編輯畫面頂端的功能提示名稱。','Edit Item'=>'編輯項目','Edit %s'=>'編輯 [%s]','All Posts'=>'全部文章','In the post type submenu in the admin dashboard.'=>'內容類型在管理控制台的子選單名稱。','All Items'=>'全部項目','All %s'=>'全部 [%s]','Admin menu name for the post type.'=>'內容類型在管理控制台的選單名稱。','Menu Name'=>'選單名稱','Regenerate'=>'重新產生','Active post types are enabled and registered with WordPress.'=>'在 WordPress 中啟用這個內容類型並完成註冊。','A descriptive summary of the post type.'=>'內容類型的說明性摘要。','Add Custom'=>'新增自訂項目','Enable various features in the content editor.'=>'啟用內容編輯器中的各種功能。','Post Formats'=>'文章格式','Editor'=>'編輯器','Trackbacks'=>'引用通知','Select existing taxonomies to classify items of the post type.'=>'選取現有的分類法為內容類型的項目進行分類。','Browse Fields'=>'瀏覽欄位','Failed to import post types.'=>'無法匯入內容類型。','Imported 1 item'=>'%s 個項目已匯入。','Import from Custom Post Type UI'=>'從 Custom Post Type UI 匯入','Export - Generate PHP'=>'匯出 - 產生 PHP 程式碼','Export'=>'匯出','Select Taxonomies'=>'選取分類法','Select Post Types'=>'選取內容類型','Exported 1 item.'=>'%s 個項目已匯出。','Category'=>'分類','Tag'=>'標籤','%s taxonomy created'=>'[%s] 分類法已建立。','%s taxonomy updated'=>'[%s] 分類法已更新。','Taxonomy draft updated.'=>'分類法草稿已更新。','Taxonomy scheduled for.'=>'分類法已排程。','Taxonomy submitted.'=>'分類法已送交審閱。','Taxonomy saved.'=>'分類法已儲存。','Taxonomy deleted.'=>'分類法已刪除。','Taxonomy updated.'=>'分類法已更新。','Taxonomy synchronized.'=>'%s 個分類法已同步。','Taxonomy duplicated.'=>'%s 個分類法已再製。','Taxonomy deactivated.'=>'%s 個分類法已停用。','Taxonomy activated.'=>'%s 個分類法已啟用。','Terms'=>'分類法詞彙','Post type synchronized.'=>'%s 個內容類型已同步。','Post type duplicated.'=>'%s 個內容類型已再製。','Post type deactivated.'=>'%s 個內容類型已停用。','Post type activated.'=>'%s 個內容類型已啟用。','Post Types'=>'內容類型','Advanced Settings'=>'進階設定','Basic Settings'=>'基本設定','Pages'=>'頁面','Link Existing Field Groups'=>'連結現有的欄位群組','%s post type updated'=>'[%s] 內容類型已更新。','Post type draft updated.'=>'內容類型草稿已更新。','Post type scheduled for.'=>'內容類型已排程。','Post type submitted.'=>'內容類型已送交審閱。','Post type saved.'=>'內容類型已儲存。','Post type updated.'=>'內容類型已更新。','Post type deleted.'=>'內容類型已刪除。','Type to search...'=>'輸入以搜尋...','PRO Only'=>'僅供 Pro 版使用','Field groups linked successfully.'=>'欄位群組已成功連結。','ACF'=>'ACF','taxonomy'=>'分類法','post type'=>'內容類型','Done'=>'完成','Field Group(s)'=>'欄位群組','Select one or many field groups...'=>'選取一或多個欄位群組...','Please select the field groups to link.'=>'選取要連結的欄位群組。','Field group linked successfully.'=>'個欄位群組已成功連結。','post statusRegistration Failed'=>'註冊失敗','REST API'=>'REST API','Permissions'=>'權限','URLs'=>'網址','Visibility'=>'可見度','Labels'=>'標籤','Field Settings Tabs'=>'欄位設定分頁','[ACF shortcode value disabled for preview]'=>'[預覽時停用 ACF 短代碼值]','Close Modal'=>'關閉對話方塊','New Tab Group'=>'新增標籤群組','Save Custom Values'=>'儲存自訂值','Updates'=>'更新','Advanced Custom Fields logo'=>'Advanced Custom Fields 標誌','Save Changes'=>'儲存設定','Field Group Title'=>'欄位群組標題','Add title'=>'新增標題','New to ACF? Take a look at our getting started guide.'=>'如果才剛開始使用 ACF,請參考我們的快速入門指南。','Add Field Group'=>'新增欄位群組','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF 使用欄位群組將自訂欄位組成群組,然後將這些群組附加至編輯畫面。','Add Your First Field Group'=>'新增第一個欄位群組','Options Pages'=>'設定頁面','ACF Blocks'=>'ACF 區塊','Gallery Field'=>'圖庫欄位','Flexible Content Field'=>'彈性內容欄位','Repeater Field'=>'重複項欄位','Delete Field Group'=>'刪除欄位群組','Created on %1$s at %2$s'=>'建立時間為 %1$s%2$s','Group Settings'=>'群組設定','Location Rules'=>'位置規則','Choose from over 30 field types. Learn more.'=>'目前提供超過 30 種欄位類型可供使用。進一步了解。','Add Your First Field'=>'新增第一個欄位','#'=>'#','Add Field'=>'新增欄位','Presentation'=>'呈現方式','Validation'=>'驗證','General'=>'一般','Import JSON'=>'匯入 JSON 檔案','Export As JSON'=>'匯出為 JSON 檔案','Field group deactivated.'=>'%s 個欄位群組已停用。','Field group activated.'=>'%s 個欄位群組已啟用。','Deactivate'=>'停用','Deactivate this item'=>'停用這個項目','Activate'=>'啟用','Activate this item'=>'啟用這個項目','Move field group to trash?'=>'將欄位群組移至回收桶','Invalid request.'=>'無效的要求。','Show in REST API'=>'在 REST API 中顯示','Upgrade to PRO'=>'升級至 Pro 版','Color value'=>'色彩值','Select default color'=>'選取預設色彩','Clear color'=>'清除色彩','Blocks'=>'區塊','Options'=>'設定','Users'=>'使用者','Menu items'=>'選單項目','Widgets'=>'小工具','Attachments'=>'附件','Taxonomies'=>'分類法','Last updated: %s'=>'最後更新: %s','Import'=>'匯入','Invalid nonce.'=>'無效的單次有效隨機碼。','Widget'=>'小工具','User Role'=>'使用者角色','Comment'=>'留言','Post Format'=>'文章格式','Menu Item'=>'選單項目','Post Status'=>'文章狀態','Menus'=>'選單','Menu Locations'=>'選單位置','Menu'=>'選單','Post Taxonomy'=>'文章分類法','Child Page (has parent)'=>'子頁面 (具有上層頁面)','Parent Page (has children)'=>'上層頁面 (含有子頁面)','Top Level Page (no parent)'=>'最上層頁面 (再無上層頁面的頁面)','Posts Page'=>'文章頁面','Front Page'=>'網站首頁','Page Type'=>'頁面類型','Current User'=>'目前使用者','Page Template'=>'頁面範本','Register'=>'註冊','Add / Edit'=>'新增/編輯','User Form'=>'使用者表單','Page Parent'=>'最上層頁面','Super Admin'=>'多站網路管理員','Default Template'=>'預設範本','Post Template'=>'文章範本','Post Category'=>'文章分類','Attachment'=>'附件','Show this field if'=>'符合下列規則就顯示欄位','Conditional Logic'=>'條件邏輯','and'=>'且','Clone Field'=>'再製欄位','Thank you for updating to %1$s v%2$s!'=>'感謝更新至 %1$s %2$s 版!','Database Upgrade Required'=>'資料庫必須進行升級','Options Page'=>'設定頁面','Gallery'=>'圖庫','Flexible Content'=>'彈性內容','Repeater'=>'重複器','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)'=>'如果編輯畫面出現多個欄位群組,則會使用第一個欄位群組的設定,亦即 [順序編號] 數值最小的那個欄位群組設定','Select items to hide them from the edit screen.'=>'選取要在編輯畫面隱藏的項目','Hide on screen'=>'需要在編輯畫面隱藏的項目','Send Trackbacks'=>'傳送引用通知','Tags'=>'標籤','Categories'=>'分類','Page Attributes'=>'頁面屬性','Format'=>'格式','Author'=>'作者','Slug'=>'代稱','Revisions'=>'內容修訂','Comments'=>'留言','Discussion'=>'討論','Excerpt'=>'內容摘要','Content Editor'=>'內容編輯器','Permalink'=>'永久連結','Shown in field group list'=>'顯示於欄位群組清單的說明內容。','Field groups with a lower order will appear first'=>'順序編號較小的欄位群組會先顯示。','Order No.'=>'欄位群組順序編號','Below fields'=>'欄位下方','Below labels'=>'欄位標籤下方','Instruction Placement'=>'操作說明位置','Label Placement'=>'標籤位置','Side'=>'側邊','Normal (after content)'=>'一般 (內容下方)','High (after title)'=>'頂端 (標題下方)','Position'=>'欄位群組位置','Seamless (no metabox)'=>'隨選即用 (沒有中繼資料區塊)','Standard (WP metabox)'=>'標準 (WordPress 中繼資料區塊)','Style'=>'樣式','Type'=>'類型','Key'=>'索引鍵','Order'=>'順序編號','Close Field'=>'關閉欄位','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'包裝函式屬性','Required'=>'必要','Instructions'=>'操作說明','Field Type'=>'欄位類型','Single word, no spaces. Underscores and dashes allowed'=>'用來呼叫這個欄位的名稱,請使用英文及數字字元撰寫單一字組;不可使用空格,但可使用底線 _ 及破折號 -。','Field Name'=>'欄位名稱','This is the name which will appear on the EDIT page'=>'顯示於內容編輯頁面、供使用者了解這個欄位用途的名稱。','Field Label'=>'欄位標籤','Delete'=>'刪除','Delete field'=>'刪除欄位','Move'=>'移動','Move field to another group'=>'將這個欄位移至其他群組','Duplicate field'=>'再製這個欄位','Edit field'=>'編輯欄位','Drag to reorder'=>'拖放以重新排序','Show this field group if'=>'符合下列規則就顯示欄位群組','No updates available.'=>'沒有可用的更新。','Reading upgrade tasks...'=>'正在讀取升級任務...','Upgrade failed.'=>'升級失敗。','Upgrade complete.'=>'升級完畢。','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'強烈建議在進行這項操作前,先備份網站的資料庫。確定要執行更新程式嗎?','Database Upgrade complete. Return to network dashboard'=>'資料庫已完成升級。返回多站網路控制台','Site is up to date'=>'網站已更新至最新版','Site'=>'網站','Upgrade Sites'=>'升級網站','Add rule group'=>'新增規則群組','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'建立一組的規則,符合該組規則時,編輯畫面便會顯示上列進階自訂欄位','Rules'=>'規則','Copied'=>'已複製','Copy to clipboard'=>'複製至剪貼簿','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'選取要匯出的項目,然後選取匯出方式。[匯出為 JSON 檔案] 會將指定項目匯出為 JSON 檔案,這樣便能供安裝 ACF 的其他網站匯入。[產生 PHP 程式碼] 會將指定項目匯出為 PHP 程式碼,以便將程式碼插入至網站目前使用的佈景主題。','Select Field Groups'=>'選取欄位群組','No field groups selected'=>'尚未選取欄位群組','Generate PHP'=>'產生 PHP 程式碼','Export Field Groups'=>'匯出欄位群組','Incorrect file type'=>'錯誤的檔案類型','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'選取要匯入的 Advanced Custom Fields JSON 檔案,並點擊下方的 [匯入 JSON 檔案] 按鈕後,ACF 便會匯入檔案中的項目。','Import Field Groups'=>'匯入欄位群組','Sync'=>'同步','Select %s'=>'選取 [%s]','Duplicate'=>'再製','Duplicate this item'=>'再製這個項目','Supports'=>'支援項目','Documentation'=>'線上說明文件','Description'=>'內容說明','Field group synchronized.'=>'%s 個欄位群組已同步。','Field group duplicated.'=>'%s 個欄位群組已再製。','Active (%s)'=>'已啟用 (%s)','Review sites & upgrade'=>'檢視網站並升級','Upgrade Database'=>'升級資料庫','Custom Fields'=>'自訂欄位','Move Field'=>'移動欄位','Please select the destination for this field'=>'請為這個欄位選取目標欄位群組以進行移動','Active'=>'已啟用','Field Keys'=>'欄位索引鍵','Settings'=>'設定','Location'=>'位置','Null'=>'空值','copy'=>'再製','(this field)'=>'(這個欄位)','Checked'=>'已檢查','Move Custom Field'=>'移動自訂欄位','No toggle fields available'=>'沒有可供選取的欄位','Field group title is required'=>'欄位群組標題為必填資料','This field cannot be moved until its changes have been saved'=>'這個欄位的變更完成儲存前,無法進行移動。','The string "field_" may not be used at the start of a field name'=>'字串 field_ 不可使用於欄位名稱的起始位置','Field group draft updated.'=>'欄位群組草稿已更新。','Field group scheduled for.'=>'欄位群組已排程。','Field group submitted.'=>'欄位群組已送交審閱。','Field group saved.'=>'欄位群組已儲存。','Field group published.'=>'欄位群組已發佈。','Field group deleted.'=>'欄位群組已刪除。','Field group updated.'=>'欄位群組已更新。','Tools'=>'工具','is not equal to'=>'不等於','is equal to'=>'等於','Forms'=>'表單','Page'=>'頁面','Post'=>'文章','Relational'=>'關聯','Choice'=>'選項','Basic'=>'基本','Unknown'=>'未知','Field type does not exist'=>'欄位類型不存在。','Post updated'=>'文章已更新。','Update'=>'更新','Content'=>'內容','Title'=>'標題','Edit field group'=>'編輯欄位群組','Cancel'=>'取消','Are you sure?'=>'確定要繼續操作嗎?','Validation failed'=>'驗證失敗','Validation successful'=>'驗證成功','Collapse Details'=>'收合詳細資料','Expand Details'=>'展開詳細資料','Uploaded to this post'=>'已關聯至這篇文章','verbUpdate'=>'更新','verbEdit'=>'編輯','File type must be %s.'=>'檔案類型必須為 %s。','or'=>'或','File size must not exceed %s.'=>'檔案大小不得超過 %s。','File size must be at least %s.'=>'檔案大小必須至少為 %s。','Image height must not exceed %dpx.'=>'圖片高度不得超過 %dpx。','Image height must be at least %dpx.'=>'圖片高度必須至少為 %dpx。','Image width must not exceed %dpx.'=>'圖片寬度不得超過 %dpx。','Image width must be at least %dpx.'=>'圖片寬度必須至少為 %dpx。','(no title)'=>'(無標題)','Full Size'=>'完整尺寸','Large'=>'大型尺寸','Medium'=>'中型尺寸','Thumbnail'=>'縮圖尺寸','(no label)'=>'(無標籤)','Sets the textarea height'=>'設定文字區域高度','Rows'=>'文字列數','Text Area'=>'多行文字','Toggle All'=>'選取全部','Archives'=>'彙整','Page Link'=>'頁面連結','Add'=>'新增','Name'=>'名稱','%s added'=>'[%s] 已新增。','%s already exists'=>'[%s] 已存在。','User unable to add new %s'=>'使用者無法新增 [%s]。','Term ID'=>'分類法詞彙 ID','Term Object'=>'分類法詞彙物件','Radio Buttons'=>'選項按鈕','Single Value'=>'單一值','Multi Select'=>'多重選取','Checkbox'=>'核取方塊','Multiple Values'=>'多個值','Appearance'=>'外觀','Number'=>'數值','Save \'other\' values to the field\'s choices'=>'儲存填入 [其他] 選項中的值,作為這個欄位的選項','Add \'other\' choice to allow for custom values'=>'加入 [其他] 這個選項,讓使用者可輸入自訂值','Other'=>'其他','Radio Button'=>'選項按鈕','Open'=>'開啟','Accordion'=>'開闔式內容','File ID'=>'檔案 ID','File URL'=>'檔案網址','File Array'=>'檔案陣列','Add File'=>'新增檔案','No file selected'=>'尚未選取檔案','File name'=>'檔案名稱','Update File'=>'更新檔案','Edit File'=>'編輯檔案','Select File'=>'選取檔案','File'=>'檔案','Password'=>'密碼','Enter each default value on a new line'=>'每行輸入一個預設選項值 (而非選項標籤)','verbSelect'=>'選取','Select2 JS load_failLoading failed'=>'無法載入','Select2 JS searchingSearching…'=>'正在搜尋...','Select2 JS load_moreLoading more results…'=>'正在載入更多結果...','Select2 JS selection_too_long_nYou can only select %d items'=>'僅能選取 %d 個項目','Select2 JS selection_too_long_1You can only select 1 item'=>'僅能選取 1 個項目','Select2 JS input_too_long_nPlease delete %d characters'=>'請刪除 %d 個字元','Select2 JS input_too_long_1Please delete 1 character'=>'請刪除 1 個字元','Select2 JS input_too_short_nPlease enter %d or more characters'=>'請輸入 %d 或多個字元','Select2 JS input_too_short_1Please enter 1 or more characters'=>'請輸入一或多個字元','Select2 JS matches_0No matches found'=>'找不到符合條件的項目','nounSelect'=>'選取','User ID'=>'使用者 ID','User Object'=>'使用者物件','User Array'=>'使用者陣列','All user roles'=>'全部使用者角色','Filter by Role'=>'依據使用者角色篩選','User'=>'使用者','Separator'=>'分隔符號','Select Color'=>'選取色彩','Default'=>'預設','Clear'=>'清除','Color Picker'=>'色彩選擇器','Date Time Picker JS pmTextPM'=>'下午','Date Time Picker JS amTextAM'=>'上午','Date Time Picker JS selectTextSelect'=>'選取','Date Time Picker JS closeTextDone'=>'完成','Date Time Picker JS currentTextNow'=>'現在','Date Time Picker JS timezoneTextTime Zone'=>'時區','Date Time Picker JS microsecTextMicrosecond'=>'微秒','Date Time Picker JS millisecTextMillisecond'=>'毫秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分鐘','Date Time Picker JS hourTextHour'=>'小時','Date Time Picker JS timeTextTime'=>'時間','Date Time Picker JS timeOnlyTitleChoose Time'=>'選擇時間','Date Time Picker'=>'日期時間選擇器','Endpoint'=>'端點','Left aligned'=>'靠左對齊','Top aligned'=>'靠上對齊','Placement'=>'位置','Tab'=>'分頁','Link URL'=>'連結網址','Link Array'=>'網址陣列','Opens in a new window/tab'=>'(在新視窗/分頁中開啟)','Select Link'=>'選取連結','Link'=>'連結','Email'=>'電子郵件地址','Step Size'=>'數值增減幅度','Maximum Value'=>'最大值','Minimum Value'=>'最小值','Range'=>'數值範圍','Label'=>'標籤','Vertical'=>'垂直排列','Horizontal'=>'水平排列','red : Red'=>'red : 紅色','For more control, you may specify both a value and label like this:'=>'為了能對資料有更佳的掌控,可以同時指定如下所示的選項值與選項標籤,格式為「選項值 : 選項標籤」(請使用冒號,並在冒號前後加上空格分隔選項值及選項標籤):','Enter each choice on a new line.'=>'每行輸入一個選項。','Choices'=>'選項','Button Group'=>'按鈕群組','Parent'=>'上層項目','Delay Initialization'=>'延遲初始化','Toolbar'=>'工具列','Tabs'=>'分頁','Click to initialize TinyMCE'=>'點擊以初始化 TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'文字','Leave blank for no limit'=>'留空代表不限制字元數','Character Limit'=>'字元數限制','Appears after the input'=>'資料欄位後顯示的文字。','Append'=>'欄位後置文字','Appears before the input'=>'資料欄位前顯示的文字。','Prepend'=>'欄位前置文字','Appears within the input'=>'資料欄位內未填資料前顯示的文字。','Placeholder Text'=>'預留位置文字','Appears when creating a new post'=>'建立新文章後,顯示於這個欄位的預設值。','Text'=>'單行文字','Post ID'=>'文章 ID','Post Object'=>'文章物件','Featured Image'=>'精選圖片','Selected elements will be displayed in each result'=>'選取的元素會顯示於搜尋結果中','Elements'=>'顯示元素','Taxonomy'=>'分類法','Post Type'=>'內容類型','Filters'=>'外掛內建的篩選條件','Search...'=>'搜尋...','Select taxonomy'=>'選取分類法','Select post type'=>'選取內容類型','No matches found'=>'找不到符合條件的項目','Loading'=>'正在載入','Maximum values reached ( {max} values )'=>'最大值為 {max} 篇,目前已達最大值','Relationship'=>'關聯內容','Comma separated list. Leave blank for all types'=>'請以逗號分隔列出。留白表示允許所有類型','Allowed File Types'=>'允許的檔案類型','Maximum'=>'最大值','File size'=>'檔案大小','Restrict which images can be uploaded'=>'限制哪些圖片可以上傳','Minimum'=>'最小值','Uploaded to post'=>'上傳至文章','All'=>'全部','Limit the media library choice'=>'預先設定媒體上傳的位置','Library'=>'媒體庫','Preview Size'=>'預覽尺寸','Image ID'=>'圖片 ID','Image URL'=>'圖片網址','Image Array'=>'圖片陣列','Specify the returned value on front end'=>'指定在網站前端傳回的值','Return Value'=>'傳回值','Add Image'=>'新增圖片','No image selected'=>'尚未選取圖片','Remove'=>'移除','Edit'=>'編輯','All images'=>'全部圖片','Update Image'=>'更新圖片','Edit Image'=>'編輯圖片','Select Image'=>'選取圖片','Image'=>'圖片','Automatically add paragraphs'=>'自動增加段落','Week Starts On'=>'每週開始於','The format used when saving a value'=>'儲存資料值時使用的格式','Save Format'=>'儲存格式','Date Picker JS currentTextToday'=>'今天','Date Picker JS closeTextDone'=>'完成','Date Picker'=>'日期選擇器','Width'=>'寬度','Enter URL'=>'輸入網址','oEmbed'=>'oEmbed','Stylized UI'=>'樣式化使用者介面','Default Value'=>'預設值','Message'=>'訊息','No'=>'否','Yes'=>'是','True / False'=>'True/False','Row'=>'行','Table'=>'表格','Block'=>'區塊','Specify the style used to render the selected fields'=>'指定用於呈現選定欄位的樣式','Layout'=>'版面配置','Sub Fields'=>'子欄位','Group'=>'群組','Height'=>'高度','Set the initial zoom level'=>'載入地圖後的初始縮放層級','Zoom'=>'縮放層級','Center the initial map'=>'載入地圖後的初始中心位置,請輸入緯度 (lat) 及經度 (lng)','Center'=>'中心位置','Search for address...'=>'以地址進行搜尋...','Find current location'=>'尋找目前位置','Clear location'=>'清除位置','Search'=>'搜尋','Sorry, this browser does not support geolocation'=>'很抱歉,使用中的瀏覽器不支援地理位置','Google Map'=>'Google 地圖','The format returned via template functions'=>'範本函式回傳的格式','Return Format'=>'傳回的資料格式','Custom:'=>'自訂:','The format displayed when editing a post'=>'編輯文章時顯示的格式','Display Format'=>'顯示格式','Time Picker'=>'時間選擇器','Inactive (%s)'=>'未啟用 (%s)','No Fields found in Trash'=>'在回收桶中找不到符合條件的欄位','No Fields found'=>'找不到符合條件的欄位','Search Fields'=>'搜尋欄位','View Field'=>'檢視欄位','New Field'=>'新欄位','Edit Field'=>'編輯欄位','Add New Field'=>'新增欄位','Field'=>'欄位','Fields'=>'欄位','No Field Groups found in Trash'=>'在回收桶中找不到符合條件的欄位群組','No Field Groups found'=>'找不到符合條件的欄位群組','Search Field Groups'=>'搜尋欄位群組','View Field Group'=>'檢視欄位群組','New Field Group'=>'新增欄位群組','Edit Field Group'=>'編輯欄位群組','Add New Field Group'=>'新增欄位群組','Add New'=>'新增項目','Field Group'=>'欄位群組','Field Groups'=>'欄位群組','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s 值為必填','Switch to Edit'=>'切換至編輯','Switch to Preview'=>'切換至預覽','%s settings'=>'設定','Options Updated'=>'選項已更新','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'要啟用更新,請在更新頁面上輸入您的授權金鑰。 如果您沒有授權金鑰,請參閱詳情和定價。','ACF Activation Error. An error occurred when connecting to activation server'=>'錯誤。 無法連接到更新伺服器','Check Again'=>'再檢查一次','ACF Activation Error. Could not connect to activation server'=>'錯誤。 無法連接到更新伺服器','Publish'=>'發佈','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'此設定頁沒有自訂欄位群組。建立一個自訂欄位群組','Error. Could not connect to update server'=>'錯誤。 無法連接到更新伺服器','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'錯誤。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授權。','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'錯誤。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授權。','Select one or more fields you wish to clone'=>'選取一或多個你希望複製的欄位','Display'=>'顯示','Specify the style used to render the clone field'=>'指定繪製分身欄位的樣式','Group (displays selected fields in a group within this field)'=>'群組(顯示該欄位內群組中被選定的欄位)','Seamless (replaces this field with selected fields)'=>'無縫(用選定欄位取代此欄位)','Labels will be displayed as %s'=>'標籤將顯示為%s','Prefix Field Labels'=>'前置欄位標籤','Values will be saved as %s'=>'值將被儲存為 %s','Prefix Field Names'=>'前置欄位名稱','Unknown field'=>'未知的欄位','Unknown field group'=>'未知的欄位群組','All fields from %s field group'=>'所有欄位來自 %s 欄位群組','Add Row'=>'新增列','layout'=>'版面配置','layouts'=>'版面','This field requires at least {min} {label} {identifier}'=>'這個欄位至少需要 {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'此欄位的限制為 {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} 可用 (最大 {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} 需要 (最小 {min})','Flexible Content requires at least 1 layout'=>'彈性內容需要至少 1 個版面配置','Click the "%s" button below to start creating your layout'=>'點擊下方的 "%s" 按鈕以新增設定','Add layout'=>'新增版面','Duplicate layout'=>'複製版面','Remove layout'=>'移除版面','Click to toggle'=>'點擊切換','Delete Layout'=>'刪除版面','Duplicate Layout'=>'複製版面','Add New Layout'=>'新增版面','Add Layout'=>'新增版面','Min'=>'最小','Max'=>'最大','Minimum Layouts'=>'最少可使用版面數量','Maximum Layouts'=>'最多可使用版面數量','Button Label'=>'按鈕標籤','Add Image to Gallery'=>'新增圖片到圖庫','Maximum selection reached'=>'已達到最大選擇','Length'=>'長度','Caption'=>'標題','Alt Text'=>'替代文字','Add to gallery'=>'加入圖庫','Bulk actions'=>'批次操作','Sort by date uploaded'=>'依上傳日期排序','Sort by date modified'=>'依修改日期排序','Sort by title'=>'依標題排序','Reverse current order'=>'反向目前順序','Close'=>'關閉','Minimum Selection'=>'最小選擇','Maximum Selection'=>'最大選擇','Allowed file types'=>'允許的檔案類型','Insert'=>'插入','Specify where new attachments are added'=>'指定新附件加入的位置','Append to the end'=>'附加在後','Prepend to the beginning'=>'插入至最前','Minimum rows not reached ({min} rows)'=>'已達最小行數 ( {min} 行 )','Maximum rows reached ({max} rows)'=>'已達最大行數 ( {max} 行 )','Rows Per Page'=>'文章頁面','Set the number of rows to be displayed on a page.'=>'選擇要顯示的分類法','Minimum Rows'=>'最小行數','Maximum Rows'=>'最大行數','Collapsed'=>'收合','Select a sub field to show when row is collapsed'=>'選取一個子欄位,讓它在行列收合時顯示','Click to reorder'=>'拖曳排序','Add row'=>'新增列','Duplicate row'=>'複製','Remove row'=>'移除列','Current Page'=>'目前使用者','First Page'=>'網站首頁','Previous Page'=>'文章頁面','Next Page'=>'網站首頁','Last Page'=>'文章頁面','No block types exist'=>'設定頁面不存在','No options pages exist'=>'設定頁面不存在','Deactivate License'=>'停用授權','Activate License'=>'啟用授權','License Information'=>'授權資訊','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'要解鎖更新服務,請於下方輸入您的授權金鑰。若你沒有授權金鑰,請查閱 詳情與價目。','License Key'=>'授權金鑰','Retry Activation'=>'啟用碼','Update Information'=>'更新資訊','Current Version'=>'目前版本','Latest Version'=>'最新版本','Update Available'=>'可用更新','Upgrade Notice'=>'升級提醒','Enter your license key to unlock updates'=>'請於上方輸入你的授權金鑰以解鎖更新','Update Plugin'=>'更新外掛','Please reactivate your license to unlock updates'=>'請於上方輸入你的授權金鑰以解鎖更新']];
\ No newline at end of file
+return ['domain'=>NULL,'plural-forms'=>NULL,'messages'=>['Learn more'=>'','ACF was unable to perform validation because the provided nonce failed verification.'=>'','ACF was unable to perform validation because no nonce was received by the server.'=>'','are developed and maintained by'=>'','Update Source'=>'','By default only admin users can edit this setting.'=>'','By default only super admin users can edit this setting.'=>'','Close and Add Field'=>'','A PHP function name to be called to handle the content of a meta box on your taxonomy. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','A PHP function name to be called when setting up the meta boxes for the edit screen. For security, this callback will be executed in a special context without access to any superglobals like $_POST or $_GET.'=>'','wordpress.org'=>'WordPress.org','Allow Access to Value in Editor UI'=>'允許存取編輯器使用者介面中的值','Learn more.'=>'進一步了解','Allow content editors to access and display the field value in the editor UI using Block Bindings or the ACF Shortcode. %s'=>'允許內容編輯使用區塊繫結或 ACF 短代碼存取並顯示編輯器使用者介面中的欄位值。%s','The requested ACF field type does not support output in Block Bindings or the ACF shortcode.'=>'','The requested ACF field is not allowed to be output in bindings or the ACF Shortcode.'=>'','The requested ACF field type does not support output in bindings or the ACF Shortcode.'=>'','[The ACF shortcode cannot display fields from non-public posts]'=>'','[The ACF shortcode is disabled on this site]'=>'','Businessman Icon'=>'男性商務人士圖示','Forums Icon'=>'論壇圖示','YouTube Icon'=>'YouTube 圖示','Yes (alt) Icon'=>'確認 (替代) 圖示','Xing Icon'=>'Xing 圖示','WordPress (alt) Icon'=>'WordPress (替代) 圖示','WhatsApp Icon'=>'WhatsApp 圖示','Write Blog Icon'=>'撰寫部落格圖示','Widgets Menus Icon'=>'小工具選單圖示','View Site Icon'=>'檢視網站圖示','Learn More Icon'=>'進一步了解圖示','Add Page Icon'=>'新增頁面圖示','Video (alt3) Icon'=>'視訊 (替代 3) 圖示','Video (alt2) Icon'=>'視訊 (替代 2) 圖示','Video (alt) Icon'=>'視訊 (替代) 圖示','Update (alt) Icon'=>'更新 (替代) 圖示','Universal Access (alt) Icon'=>'通用無障礙圖示 (替代) 圖示','Twitter (alt) Icon'=>'Twitter (替代) Icon','Twitch Icon'=>'Twitch 圖示','Tide Icon'=>'Tide 圖示','Tickets (alt) Icon'=>'門票 (替代) 圖示','Text Page Icon'=>'文字頁面圖示','Table Row Delete Icon'=>'刪除表格資料列圖示','Table Row Before Icon'=>'在表格資料列上方插入圖示','Table Row After Icon'=>'在表格資料列下方插入圖示','Table Col Delete Icon'=>'刪除表格資料行圖示','Table Col Before Icon'=>'在表格資料行前方插入圖示','Table Col After Icon'=>'在表格資料行後方插入圖示','Superhero (alt) Icon'=>'超級英雄 (替代) 圖示','Superhero Icon'=>'超級英雄圖示','Spotify Icon'=>'Spotify 圖示','Shortcode Icon'=>'短代碼圖示','Shield (alt) Icon'=>'盾牌 (替代) 圖示','Share (alt2) Icon'=>'分享 (替代 2) 圖示','Share (alt) Icon'=>'分享 (替代) 圖示','Saved Icon'=>'已儲存圖示','RSS Icon'=>'RSS 圖示','REST API Icon'=>'REST API 圖示','Remove Icon'=>'移除圖示','Reddit Icon'=>'Reddit 圖示','Privacy Icon'=>'隱私權圖示','Printer Icon'=>'印表機圖示','Podio Icon'=>'Podio 圖示','Plus (alt2) Icon'=>'加號 (替代 2) 圖示','Plus (alt) Icon'=>'加號 (替代) 圖示','Plugins Checked Icon'=>'外掛通過審閱圖示','Pinterest Icon'=>'Pinterest 圖示','Pets Icon'=>'寵物圖示','PDF Icon'=>'PDF 圖示','Palm Tree Icon'=>'棕櫚樹圖示','Open Folder Icon'=>'開啟資料夾圖示','No (alt) Icon'=>'否定 (替代) 圖示','Money (alt) Icon'=>'財經 (替代) 圖示','Menu (alt3) Icon'=>'選單 (替代 3) 圖示','Menu (alt2) Icon'=>'選單 (替代 2) 圖示','Menu (alt) Icon'=>'選單 (替代) 圖示','Spreadsheet Icon'=>'試算表圖示','Interactive Icon'=>'互動圖示','Document Icon'=>'文件圖示','Default Icon'=>'預設圖示','Location (alt) Icon'=>'位置 (替代) 圖示','LinkedIn Icon'=>'LinkedIn 圖示','Instagram Icon'=>'Instagram 圖示','Insert Before Icon'=>'在前方插入圖示','Insert After Icon'=>'在後方插入圖示','Insert Icon'=>'插入圖示','Info Outline Icon'=>'資訊大綱圖示','Images (alt2) Icon'=>'圖片 (替代 2) 圖示','Images (alt) Icon'=>'圖片 (替代) 圖示','Rotate Right Icon'=>'向右旋轉圖示','Rotate Left Icon'=>'向左旋轉圖示','Rotate Icon'=>'旋轉圖示','Flip Vertical Icon'=>'垂直翻轉圖示','Flip Horizontal Icon'=>'水平翻轉圖示','Crop Icon'=>'裁剪圖示','ID (alt) Icon'=>'識別證 (替代) 圖示','HTML Icon'=>'HTML 圖示','Hourglass Icon'=>'沙漏圖示','Heading Icon'=>'標題圖示','Google Icon'=>'Google 圖示','Games Icon'=>'遊戲圖示','Fullscreen Exit (alt) Icon'=>'離開全螢幕模式 (替代) 圖示','Fullscreen (alt) Icon'=>'全螢幕模式 (替代) 圖示','Status Icon'=>'狀態圖示','Image Icon'=>'圖片圖示','Gallery Icon'=>'圖庫圖示','Chat Icon'=>'交談記錄圖示','Audio Icon'=>'音訊圖示','Aside Icon'=>'記事圖示','Food Icon'=>'食物圖示','Exit Icon'=>'離開圖示','Excerpt View Icon'=>'內容摘要檢視圖示','Embed Video Icon'=>'視訊嵌入圖示','Embed Post Icon'=>'文章嵌入圖示','Embed Photo Icon'=>'相片嵌入圖示','Embed Generic Icon'=>'通用項目嵌入圖示','Embed Audio Icon'=>'音訊嵌入圖示','Email (alt2) Icon'=>'電子郵件 (替代 2) 圖示','Ellipsis Icon'=>'省略符號圖示','Unordered List Icon'=>'不排序清單圖示','RTL Icon'=>'文字從右至左圖示','Ordered List RTL Icon'=>'排序清單文字從右至左圖示','Ordered List Icon'=>'排序清單圖示','LTR Icon'=>'文字從左至右圖示','Custom Character Icon'=>'自訂字元圖示','Edit Page Icon'=>'編輯頁面圖示','Edit Large Icon'=>'大型編輯圖示','Drumstick Icon'=>'棒腿圖示','Database View Icon'=>'檢視資料庫圖示','Database Remove Icon'=>'移除資料庫圖示','Database Import Icon'=>'匯入資料庫圖示','Database Export Icon'=>'匯出資料庫圖示','Database Add Icon'=>'新增資料庫圖示','Database Icon'=>'資料庫圖示','Cover Image Icon'=>'封面圖片圖示','Volume On Icon'=>'音量開啟圖示','Volume Off Icon'=>'音量關閉圖示','Skip Forward Icon'=>'播放下一個圖示','Skip Back Icon'=>'播放上一個圖示','Repeat Icon'=>'重複播放圖示','Play Icon'=>'播放圖示','Pause Icon'=>'暫停圖示','Forward Icon'=>'向前播放圖示','Back Icon'=>'向後播放圖示','Columns Icon'=>'音量圖示','Color Picker Icon'=>'色彩選擇器圖示','Coffee Icon'=>'咖啡圖示','Code Standards Icon'=>'程式碼標準圖示','Cloud Upload Icon'=>'雲端上傳圖示','Cloud Saved Icon'=>'雲端儲存圖示','Car Icon'=>'汽車圖示','Camera (alt) Icon'=>'相機 (替代) 圖示','Calculator Icon'=>'計算機圖示','Button Icon'=>'按鈕圖示','Businessperson Icon'=>'商務人士圖示','Tracking Icon'=>'追蹤圖示','Topics Icon'=>'主題圖示','Replies Icon'=>'回覆圖示','PM Icon'=>'私訊圖示','Friends Icon'=>'朋友圖示','Community Icon'=>'社群圖示','BuddyPress Icon'=>'BuddyPress 圖示','bbPress Icon'=>'bbPress 圖示','Activity Icon'=>'活動圖示','Book (alt) Icon'=>'書籍 (替代) 圖示','Block Default Icon'=>'區塊預設圖示','Bell Icon'=>'鈴鐺圖示','Beer Icon'=>'啤酒圖示','Bank Icon'=>'銀行圖示','Arrow Up (alt2) Icon'=>'向上箭號 (替代 2) 圖示','Arrow Up (alt) Icon'=>'向上箭號 (替代) 圖示','Arrow Right (alt2) Icon'=>'向右箭號 (替代 2) 圖示','Arrow Right (alt) Icon'=>'向右箭號 (替代) 圖示','Arrow Left (alt2) Icon'=>'向左箭號 (替代 2) 圖示','Arrow Left (alt) Icon'=>'向左箭號 (替代) 圖示','Arrow Down (alt2) Icon'=>'向下箭號 (替代 2) 圖示','Arrow Down (alt) Icon'=>'向下箭號 (替代) 圖示','Amazon Icon'=>'Amazon 圖示','Align Wide Icon'=>'寬度對齊圖示','Align Pull Right Icon'=>'浮動靠右對齊圖示','Align Pull Left Icon'=>'浮動靠左對齊圖示','Align Full Width Icon'=>'全幅寬度對齊圖示','Airplane Icon'=>'飛機圖示','Site (alt3) Icon'=>'網站 (替代 3) 圖示','Site (alt2) Icon'=>'網站 (替代 2) 圖示','Site (alt) Icon'=>'網站 (替代) 圖示','Upgrade to ACF PRO to create options pages in just a few clicks'=>'升級至 ACF Pro 以建立設定頁面僅需僅個點擊','Invalid request args.'=>'無效的要求引數。','Sorry, you do not have permission to do that.'=>'很抱歉,目前的登入身分沒有進行這項操作的權限。','Blocks Using Post Meta'=>'使用文章中繼資料的區塊','ACF PRO logo'=>'ACF Pro 圖示','ACF PRO Logo'=>'','%s requires a valid attachment ID when type is set to media_library.'=>'','%s is a required property of acf.'=>'%s 是 ACF 的必要屬性。','The value of icon to save.'=>'要儲存的圖示值。','The type of icon to save.'=>'要儲存的圖示類型。','Yes Icon'=>'確認圖示','WordPress Icon'=>'WordPress 圖示','Warning Icon'=>'警告圖示','Visibility Icon'=>'可見度圖示','Vault Icon'=>'金庫圖示','Upload Icon'=>'上傳圖示','Update Icon'=>'更新圖示','Unlock Icon'=>'解除鎖定圖示','Universal Access Icon'=>'通用無障礙圖示','Undo Icon'=>'復原圖示','Twitter Icon'=>'Twitter 圖示','Trash Icon'=>'回收桶圖示','Translation Icon'=>'翻譯圖示','Tickets Icon'=>'門票圖示','Thumbs Up Icon'=>'讚許圖示','Thumbs Down Icon'=>'倒讚圖示','Text Icon'=>'文字圖示','Testimonial Icon'=>'證言圖示','Tagcloud Icon'=>'標籤雲圖示','Tag Icon'=>'標籤圖示','Tablet Icon'=>'平板裝置圖示','Store Icon'=>'商店圖示','Sticky Icon'=>'固定圖示','Star Half Icon'=>'半星圖示','Star Filled Icon'=>'全星圖示','Star Empty Icon'=>'空星圖示','Sos Icon'=>'SOS 圖示','Sort Icon'=>'排序圖示','Smiley Icon'=>'笑臉圖示','Smartphone Icon'=>'行動裝置圖示','Slides Icon'=>'投影片圖示','Shield Icon'=>'盾牌說明','Share Icon'=>'分享圖示','Search Icon'=>'搜尋圖示','Screen Options Icon'=>'顯示項目設定圖示','Schedule Icon'=>'排程圖示','Redo Icon'=>'取消復原圖示','Randomize Icon'=>'隨機化圖示','Products Icon'=>'商品圖示','Pressthis Icon'=>'發佈至網站圖示','Post Status Icon'=>'文章狀態圖示','Portfolio Icon'=>'作品集圖示','Plus Icon'=>'加號圖示','Playlist Video Icon'=>'視訊播放清單圖示','Playlist Audio Icon'=>'音訊播放清單圖示','Phone Icon'=>'電話圖示','Performance Icon'=>'效能圖示','Paperclip Icon'=>'迴紋針圖示','No Icon'=>'否定圖示','Networking Icon'=>'關係圖示','Nametag Icon'=>'名牌圖示','Move Icon'=>'移動圖示','Money Icon'=>'財經圖示','Minus Icon'=>'減號圖示','Migrate Icon'=>'移轉圖示','Microphone Icon'=>'麥克風圖示','Megaphone Icon'=>'擴音器圖示','Marker Icon'=>'標記圖示','Lock Icon'=>'鎖定圖示','Location Icon'=>'位置圖示','List View Icon'=>'清單檢視圖示','Lightbulb Icon'=>'燈泡圖示','Left Right Icon'=>'向左向右圖示','Layout Icon'=>'版面配置圖示','Laptop Icon'=>'筆記型電腦圖示','Info Icon'=>'資訊圖示','Index Card Icon'=>'索引卡圖示','ID Icon'=>'識別證圖示','Hidden Icon'=>'隱藏圖示','Heart Icon'=>'心型圖示','Hammer Icon'=>'槌子圖示','Groups Icon'=>'群組圖示','Grid View Icon'=>'格狀檢視圖示','Forms Icon'=>'表單圖示','Flag Icon'=>'旗幟圖示','Filter Icon'=>'篩選圖示','Feedback Icon'=>'意見反應圖示','Facebook (alt) Icon'=>'Facebook (替代) 圖示','Facebook Icon'=>'Facebook 圖示','External Icon'=>'外部圖示','Email (alt) Icon'=>'電子郵件 (替代) 圖示','Email Icon'=>'電子郵件圖示','Video Icon'=>'視訊圖示','Unlink Icon'=>'解除連結圖示','Underline Icon'=>'底線圖示','Text Color Icon'=>'文字色彩圖示','Table Icon'=>'表格圖示','Strikethrough Icon'=>'刪除線圖示','Spellcheck Icon'=>'拼字檢查圖示','Remove Formatting Icon'=>'移除格式化圖示','Quote Icon'=>'引文圖示','Paste Word Icon'=>'貼上字詞圖示','Paste Text Icon'=>'貼上文字圖示','Paragraph Icon'=>'段落圖示','Outdent Icon'=>'凸排圖示','Kitchen Sink Icon'=>'廚房水槽圖示','Justify Icon'=>'分散對齊圖示','Italic Icon'=>'斜體圖示','Insert More Icon'=>'插入更多圖示','Indent Icon'=>'縮排圖示','Help Icon'=>'使用說明圖示','Expand Icon'=>'放大圖示','Contract Icon'=>'縮小圖示','Code Icon'=>'程式碼圖示','Break Icon'=>'分行圖示','Bold Icon'=>'粗體圖示','Edit Icon'=>'編輯圖示','Download Icon'=>'下載圖示','Dismiss Icon'=>'關閉圖示','Desktop Icon'=>'桌面裝置圖示','Dashboard Icon'=>'控制台圖示','Cloud Icon'=>'雲端圖示','Clock Icon'=>'時鐘圖示','Clipboard Icon'=>'剪貼簿圖示','Chart Pie Icon'=>'圓形圖圖示','Chart Line Icon'=>'折線圖圖示','Chart Bar Icon'=>'橫條圖圖示','Chart Area Icon'=>'區域圖圖示','Category Icon'=>'分類圖示','Cart Icon'=>'購物車圖示','Carrot Icon'=>'胡蘿蔔圖示','Camera Icon'=>'相機圖示','Calendar (alt) Icon'=>'日曆 (替代) 圖示','Calendar Icon'=>'日曆圖示','Businesswoman Icon'=>'女性商務人士圖示','Building Icon'=>'建築物圖示','Book Icon'=>'書籍圖示','Backup Icon'=>'備份圖示','Awards Icon'=>'獎牌圖示','Art Icon'=>'調色盤圖示','Arrow Up Icon'=>'向上箭號圖示','Arrow Right Icon'=>'向右箭號圖示','Arrow Left Icon'=>'向左箭號圖示','Arrow Down Icon'=>'向下箭號圖示','Archive Icon'=>'彙整圖示','Analytics Icon'=>'分析圖示','Align Right Icon'=>'靠右對齊圖示','Align None Icon'=>'無對齊圖示','Align Left Icon'=>'靠左對齊圖示','Align Center Icon'=>'置中對齊圖示','Album Icon'=>'相簿圖示','Users Icon'=>'使用者圖示','Tools Icon'=>'工具圖示','Site Icon'=>'網站圖示','Settings Icon'=>'設定圖示','Post Icon'=>'文章圖示','Plugins Icon'=>'外掛圖示','Page Icon'=>'頁面圖示','Network Icon'=>'網路圖示','Multisite Icon'=>'多站網路圖示','Media Icon'=>'媒體圖示','Links Icon'=>'連結圖示','Home Icon'=>'房屋圖示','Customizer Icon'=>'外觀自訂器圖示','Comments Icon'=>'留言圖示','Collapse Icon'=>'收合圖示','Appearance Icon'=>'外觀圖示','Generic Icon'=>'通用項目圖示','Icon picker requires a value.'=>'圖示選擇器需要有值。','Icon picker requires an icon type.'=>'圖示選擇器需要圖示類型。','The available icons matching your search query have been updated in the icon picker below.'=>'','No results found for that search term'=>'','Array'=>'陣列','String'=>'字串','Specify the return format for the icon. %s'=>'指定傳回的圖示格式。%s','Select where content editors can choose the icon from.'=>'','The URL to the icon you\'d like to use, or svg as Data URI'=>'','Browse Media Library'=>'瀏覽媒體庫','The currently selected image preview'=>'','Click to change the icon in the Media Library'=>'','Search icons...'=>'搜尋圖示...','Media Library'=>'媒體庫','Dashicons'=>'Dashicons 圖示','An interactive UI for selecting an icon. Select from Dashicons, the media library, or a standalone URL input.'=>'','Icon Picker'=>'圖示選擇器','JSON Load Paths'=>'JSON 載入路徑','JSON Save Paths'=>'JSON 儲存路徑','Registered ACF Forms'=>'已註冊的 ACF 表單','Shortcode Enabled'=>'','Field Settings Tabs Enabled'=>'欄位設定分頁已啟用','Field Type Modal Enabled'=>'','Admin UI Enabled'=>'','Block Preloading Enabled'=>'','Blocks Per ACF Block Version'=>'','Blocks Per API Version'=>'','Registered ACF Blocks'=>'已註冊的 ACF 區塊','Light'=>'精簡','Standard'=>'標準','REST API Format'=>'REST API 格式','Registered Options Pages (PHP)'=>'已註冊的設定頁面 (PHP)','Registered Options Pages (JSON)'=>'已註冊的設定頁面 (JSON)','Registered Options Pages (UI)'=>'已註冊的設定頁面 (使用者介面)','Options Pages UI Enabled'=>'設定頁面使用者介面已啟用','Registered Taxonomies (JSON)'=>'已註冊的分類法 (JSON)','Registered Taxonomies (UI)'=>'已註冊的分類法 (使用者介面)','Registered Post Types (JSON)'=>'已註冊的內容類型 (JSON)','Registered Post Types (UI)'=>'已註冊的內容類型 (使用者介面)','Post Types and Taxonomies Enabled'=>'內容類型及分類法已啟用','Number of Third Party Fields by Field Type'=>'','Number of Fields by Field Type'=>'','Field Groups Enabled for GraphQL'=>'已為 GraphQL 啟用欄位群組','Field Groups Enabled for REST API'=>'已為 REST API 啟用欄位群組','Registered Field Groups (JSON)'=>'已註冊的欄位群組 (JSON)','Registered Field Groups (PHP)'=>'已註冊的欄位群組 (PHP)','Registered Field Groups (UI)'=>'已註冊的欄位群組 (使用者介面)','Active Plugins'=>'已啟用的外掛','Parent Theme'=>'上層佈景主題','Active Theme'=>'目前使用的佈景主題','Is Multisite'=>'是多站網路','MySQL Version'=>'MySQL 版本','WordPress Version'=>'WordPress 版本','Subscription Expiry Date'=>'','License Status'=>'','License Type'=>'','Licensed URL'=>'','License Activated'=>'','Free'=>'免費版','Plugin Type'=>'外掛類型','Plugin Version'=>'外掛版本','This section contains debug information about your ACF configuration which can be useful to provide to support.'=>'','An ACF Block on this page requires attention before you can save.'=>'','This data is logged as we detect values that have been changed during output. %1$sClear log and dismiss%2$s after escaping the values in your code. The notice will reappear if we detect changed values again.'=>'','Dismiss permanently'=>'永久關閉','Instructions for content editors. Shown when submitting data.'=>'提供給內容編輯的操作說明,提交資料時顯示。','Has no term selected'=>'','Has any term selected'=>'','Terms do not contain'=>'','Terms contain'=>'','Term is not equal to'=>'','Term is equal to'=>'','Has no user selected'=>'','Has any user selected'=>'','Users do not contain'=>'','Users contain'=>'','User is not equal to'=>'不等於使用者不等於','User is equal to'=>'等於使用者等於','Has no page selected'=>'','Has any page selected'=>'','Pages do not contain'=>'','Pages contain'=>'頁面包含','Page is not equal to'=>'頁面不等於','Page is equal to'=>'等於頁面等於','Has no relationship selected'=>'','Has any relationship selected'=>'','Has no post selected'=>'','Has any post selected'=>'','Posts do not contain'=>'','Posts contain'=>'文章包含','Post is not equal to'=>'文章不等於','Post is equal to'=>'文章等於','Relationships do not contain'=>'關聯內容不包含','Relationships contain'=>'關聯內容包含','Relationship is not equal to'=>'關聯內容不等於','Relationship is equal to'=>'關聯內容等於','The core ACF block binding source name for fields on the current pageACF Fields'=>'ACF 欄位','ACF PRO Feature'=>'ACF Pro 功能','Renew PRO to Unlock'=>'續訂 Pro 版約期授權以啟用相關功能','Renew PRO License'=>'續訂 Pro 版約期授權','PRO fields cannot be edited without an active license.'=>'','Please activate your ACF PRO license to edit field groups assigned to an ACF Block.'=>'','Please activate your ACF PRO license to edit this options page.'=>'','Returning escaped HTML values is only possible when format_value is also true. The field values have not been returned for security.'=>'','Returning an escaped HTML value is only possible when format_value is also true. The field value has not been returned for security.'=>'','%1$s ACF now automatically escapes unsafe HTML when rendered by the_field or the ACF shortcode. We\'ve detected the output of some of your fields has been modified by this change, but this may not be a breaking change. %2$s.'=>'','Please contact your site administrator or developer for more details.'=>'','Learn more'=>'進一步了解','Hide details'=>'隱藏詳細資料','Show details'=>'顯示詳細資料','%1$s (%2$s) - rendered via %3$s'=>'%1$s (%2$s) - 透過 %3$s 轉譯','Renew ACF PRO License'=>'','Renew License'=>'續訂授權','Manage License'=>'管理授權','\'High\' position not supported in the Block Editor'=>'','Upgrade to ACF PRO'=>'升級至 ACF Pro','ACF options pages are custom admin pages for managing global settings via fields. You can create multiple pages and sub-pages.'=>'','Add Options Page'=>'新增設定頁面','In the editor used as the placeholder of the title.'=>'','Title Placeholder'=>'標題預留位置','4 Months Free'=>'','(Duplicated from %s)'=>'(已從 [%s] 再製)','Select Options Pages'=>'選取設定頁面','Duplicate taxonomy'=>'再製分類法','Create taxonomy'=>'建立分類法','Duplicate post type'=>'再製內容類型','Create post type'=>'建立內容類型','Link field groups'=>'連結欄位群組','Add fields'=>'新增欄位','This Field'=>'這個欄位','ACF PRO'=>'','Feedback'=>'','Support'=>'','is developed and maintained by'=>'','Add this %s to the location rules of the selected field groups.'=>'','Enabling the bidirectional setting allows you to update a value in the target fields for each value selected for this field, adding or removing the Post ID, Taxonomy ID or User ID of the item being updated. For more information, please read the documentation.'=>'','Select field(s) to store the reference back to the item being updated. You may select this field. Target fields must be compatible with where this field is being displayed. For example, if this field is displayed on a Taxonomy, your target field should be of type Taxonomy'=>'','Target Field'=>'目標欄位','Update a field on the selected values, referencing back to this ID'=>'','Bidirectional'=>'','%s Field'=>'[%s] 欄位','Select Multiple'=>'','WP Engine logo'=>'','Lower case letters, underscores and dashes only, Max 32 characters.'=>'','The capability name for assigning terms of this taxonomy.'=>'','Assign Terms Capability'=>'','The capability name for deleting terms of this taxonomy.'=>'','Delete Terms Capability'=>'','The capability name for editing terms of this taxonomy.'=>'','Edit Terms Capability'=>'','The capability name for managing terms of this taxonomy.'=>'','Manage Terms Capability'=>'','Sets whether posts should be excluded from search results and taxonomy archive pages.'=>'','More Tools from WP Engine'=>'','Built for those that build with WordPress, by the team at %s'=>'','View Pricing & Upgrade'=>'檢視價格並升級','Learn More'=>'進一步了解','Speed up your workflow and develop better websites with features like ACF Blocks and Options Pages, and sophisticated field types like Repeater, Flexible Content, Clone, and Gallery.'=>'','Unlock Advanced Features and Build Even More with ACF PRO'=>'','%s fields'=>'[%s] 欄位','No terms'=>'沒有分類法詞彙','No post types'=>'沒有內容類型','No posts'=>'沒有文章','No taxonomies'=>'沒有分類法','No field groups'=>'沒有欄位群組','No fields'=>'沒有欄位','No description'=>'沒有內容說明','Any post status'=>'任何文章狀態','This taxonomy key is already in use by another taxonomy registered outside of ACF and cannot be used.'=>'','This taxonomy key is already in use by another taxonomy in ACF and cannot be used.'=>'','The taxonomy key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The taxonomy key must be under 32 characters.'=>'','No Taxonomies found in Trash'=>'在回收桶中找不到符合條件的分類法。','No Taxonomies found'=>'找不到符合條件的分類法。','Search Taxonomies'=>'搜尋分類法','View Taxonomy'=>'檢視分類法','New Taxonomy'=>'新增分類法','Edit Taxonomy'=>'編輯分類法','Add New Taxonomy'=>'新增分類法','No Post Types found in Trash'=>'在回收桶中找不到符合條件的內容類型。','No Post Types found'=>'找不到符合條件的內容類型。','Search Post Types'=>'搜尋內容類型','View Post Type'=>'檢視內容類型','New Post Type'=>'新增內容類型','Edit Post Type'=>'編輯內容類型','Add New Post Type'=>'新增內容類型','This post type key is already in use by another post type registered outside of ACF and cannot be used.'=>'','This post type key is already in use by another post type in ACF and cannot be used.'=>'','This field must not be a WordPress reserved term.'=>'','The post type key must only contain lower case alphanumeric characters, underscores or dashes.'=>'','The post type key must be under 20 characters.'=>'','We do not recommend using this field in ACF Blocks.'=>'','Displays the WordPress WYSIWYG editor as seen in Posts and Pages allowing for a rich text-editing experience that also allows for multimedia content.'=>'','WYSIWYG Editor'=>'所見即所得編輯器','Allows the selection of one or more users which can be used to create relationships between data objects.'=>'','A text input specifically designed for storing web addresses.'=>'用於儲存網站網址的文字輸入。','URL'=>'網址','A toggle that allows you to pick a value of 1 or 0 (on or off, true or false, etc). Can be presented as a stylized switch or checkbox.'=>'讓使用者選取 1 或 0 值的開關 (On 或 Off、True 或 False 等),可呈現為經過樣式化的開關或核取方塊。','An interactive UI for picking a time. The time format can be customized using the field settings.'=>'','A basic textarea input for storing paragraphs of text.'=>'基本文字區域輸入,可用於儲存文字段落。','A basic text input, useful for storing single string values.'=>'基本文字輸入,可用於儲存單一字串值。','Allows the selection of one or more taxonomy terms based on the criteria and options specified in the fields settings.'=>'','Allows you to group fields into tabbed sections in the edit screen. Useful for keeping fields organized and structured.'=>'','A dropdown list with a selection of choices that you specify.'=>'包含指定選項的下拉式清單。','A dual-column interface to select one or more posts, pages, or custom post type items to create a relationship with the item that you\'re currently editing. Includes options to search and filter.'=>'可選取一或多篇文章、頁面或自訂內容類型項目與使用者目前編輯的項目建立關聯內容的雙欄介面。包含搜尋及篩選功能的選項。','An input for selecting a numerical value within a specified range using a range slider element.'=>'','A group of radio button inputs that allows the user to make a single selection from values that you specify.'=>'','An interactive and customizable UI for picking one or many posts, pages or post type items with the option to search. '=>'使用互動式、可自訂且具備搜尋選項的使用者介面選取一或多篇文章、頁面或自訂內容類型項目。','An input for providing a password using a masked field.'=>'','Filter by Post Status'=>'依據文章狀態篩選','An interactive dropdown to select one or more posts, pages, custom post type items or archive URLs, with the option to search.'=>'','An interactive component for embedding videos, images, tweets, audio and other content by making use of the native WordPress oEmbed functionality.'=>'','An input limited to numerical values.'=>'','Used to display a message to editors alongside other fields. Useful for providing additional context or instructions around your fields.'=>'','Allows you to specify a link and its properties such as title and target using the WordPress native link picker.'=>'讓使用者使用 WordPress 原生連結選擇器指定連結及連結的標題、目標網址等屬性。','Uses the native WordPress media picker to upload, or choose images.'=>'使用原生 WordPress 媒體選擇器以上傳或選取圖片。','Provides a way to structure fields into groups to better organize the data and the edit screen.'=>'','An interactive UI for selecting a location using Google Maps. Requires a Google Maps API key and additional configuration to display correctly.'=>'','Uses the native WordPress media picker to upload, or choose files.'=>'使用原生 WordPress 媒體選擇器以上傳或選取檔案。','A text input specifically designed for storing email addresses.'=>'用於儲存電子郵件地址的文字輸入。','An interactive UI for picking a date and time. The date return format can be customized using the field settings.'=>'','An interactive UI for picking a date. The date return format can be customized using the field settings.'=>'','An interactive UI for selecting a color, or specifying a Hex value.'=>'','A group of checkbox inputs that allow the user to select one, or multiple values that you specify.'=>'','A group of buttons with values that you specify, users can choose one option from the values provided.'=>'','Allows you to group and organize custom fields into collapsable panels that are shown while editing content. Useful for keeping large datasets tidy.'=>'','This provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again.'=>'','This provides an interactive interface for managing a collection of attachments. Most settings are similar to the Image field type. Additional settings allow you to specify where new attachments are added in the gallery and the minimum/maximum number of attachments allowed.'=>'','This provides a simple, structured, layout-based editor. The Flexible Content field allows you to define, create and manage content with total control by using layouts and subfields to design the available blocks.'=>'','This allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','nounClone'=>'分身','PRO'=>'','Advanced'=>'進階','JSON (newer)'=>'','Original'=>'','Invalid post ID.'=>'無效的文章 ID。','Invalid post type selected for review.'=>'','More'=>'更多功能','Tutorial'=>'','Select Field'=>'選取欄位','Try a different search term or browse %s'=>'','Popular fields'=>'常用欄位','No search results for \'%s\''=>'找不到「%s」的搜尋結果','Search fields...'=>'搜尋欄位...','Select Field Type'=>'選擇欄位類型','Popular'=>'常用','Add Taxonomy'=>'新增分類法','Create custom taxonomies to classify post type content'=>'建立自訂分類法便能為內容類型的內容分類。','Add Your First Taxonomy'=>'新增第一個分類法','Hierarchical taxonomies can have descendants (like categories).'=>'階層式分類法可以有下層項目 (例如核心程式內建的 [分類] 分類法)。','Makes a taxonomy visible on the frontend and in the admin dashboard.'=>'讓分類法顯示於網站前端及管理後台的控制台。','One or many post types that can be classified with this taxonomy.'=>'一或多個可以使用這個分類法進行分類的內容類型。','genre'=>'genre','Genre'=>'影音內容類型','Genres'=>'影音內容類型','Optional custom controller to use instead of `WP_REST_Terms_Controller `.'=>'','Expose this post type in the REST API.'=>'','Customize the query variable name'=>'','Terms can be accessed using the non-pretty permalink, e.g., {query_var}={term_slug}.'=>'','Parent-child terms in URLs for hierarchical taxonomies.'=>'','Customize the slug used in the URL'=>'','Permalinks for this taxonomy are disabled.'=>'','Rewrite the URL using the taxonomy key as the slug. Your permalink structure will be'=>'','Taxonomy Key'=>'分類法索引鍵','Select the type of permalink to use for this taxonomy.'=>'','Display a column for the taxonomy on post type listing screens.'=>'','Show Admin Column'=>'','Show the taxonomy in the quick/bulk edit panel.'=>'','Quick Edit'=>'快速編輯','List the taxonomy in the Tag Cloud Widget controls.'=>'在 [標籤雲] 小工具控制項中列出分類法。','Tag Cloud'=>'標籤雲','A PHP function name to be called for sanitizing taxonomy data saved from a meta box.'=>'清理中繼資料區塊儲存的分類法資料時會呼叫的 PHP 函式名稱。','Meta Box Sanitization Callback'=>'','Register Meta Box Callback'=>'','No Meta Box'=>'沒有中繼資料區塊。','Custom Meta Box'=>'自訂中繼資料區塊','Controls the meta box on the content editor screen. By default, the Categories meta box is shown for hierarchical taxonomies, and the Tags meta box is shown for non-hierarchical taxonomies.'=>'','Meta Box'=>'中繼資料區塊','Categories Meta Box'=>'分類中繼資料區塊','Tags Meta Box'=>'標籤中繼資料區塊','A link to a tag'=>'標籤的連結','Describes a navigation link block variation used in the block editor.'=>'','A link to a %s'=>'[%s] 的連結','Tag Link'=>'標籤連結','Assigns a title for navigation link block variation used in the block editor.'=>'','← Go to tags'=>'','Assigns the text used to link back to the main index after updating a term.'=>'','Back To Items'=>'','← Go to %s'=>'','Tags list'=>'標籤清單','Assigns text to the table hidden heading.'=>'','Tags list navigation'=>'標籤清單導覽','Assigns text to the table pagination hidden heading.'=>'','Filter by category'=>'依據分類篩選','Assigns text to the filter button in the posts lists table.'=>'','Filter By Item'=>'依據項目篩選','Filter by %s'=>'依據 [%s] 篩選','The description is not prominent by default; however, some themes may show it.'=>'[內容說明] 欄位中的資料預設不會顯示,但有些佈景主題在其版面的特定位置會顯示這些資料。','Describes the Description field on the Edit Tags screen.'=>'','Description Field Description'=>'','Assign a parent term to create a hierarchy. The term Jazz, for example, would be the parent of Bebop and Big Band'=>'','Describes the Parent field on the Edit Tags screen.'=>'','Parent Field Description'=>'上層欄位內容說明','The "slug" is the URL-friendly version of the name. It is usually all lower case and contains only letters, numbers, and hyphens.'=>'','Describes the Slug field on the Edit Tags screen.'=>'','Slug Field Description'=>'代稱欄位內容說明','The name is how it appears on your site'=>'','Describes the Name field on the Edit Tags screen.'=>'','Name Field Description'=>'名稱欄位內容說明','No tags'=>'沒有標籤','Assigns the text displayed in the posts and media list tables when no tags or categories are available.'=>'','No Terms'=>'','No %s'=>'沒有 [%s]','No tags found'=>'找不到符合條件的標籤。','Assigns the text displayed when clicking the \'choose from most used\' text in the taxonomy meta box when no tags are available, and assigns the text used in the terms list table when there are no items for a taxonomy.'=>'','Not Found'=>'找不到','Assigns text to the Title field of the Most Used tab.'=>'','Most Used'=>'最常使用','Choose from the most used tags'=>'從最常使用的標籤中選取','Assigns the \'choose from most used\' text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies.'=>'','Choose From Most Used'=>'','Choose from the most used %s'=>'從最常使用的 [%s] 中選取','Add or remove tags'=>'新增或移除標籤','Assigns the add or remove items text used in the meta box when JavaScript is disabled. Only used on non-hierarchical taxonomies'=>'','Add Or Remove Items'=>'','Add or remove %s'=>'','Separate tags with commas'=>'請使用逗號分隔多個標籤','Assigns the separate item with commas text used in the taxonomy meta box. Only used on non-hierarchical taxonomies.'=>'','Separate Items With Commas'=>'','Separate %s with commas'=>'','Popular Tags'=>'常用標籤','Assigns popular items text. Only used for non-hierarchical taxonomies.'=>'','Popular Items'=>'常用項目','Popular %s'=>'常用 [%s]','Search Tags'=>'搜尋標籤','Assigns search items text.'=>'','Parent Category:'=>'上層分類:','Assigns parent item text, but with a colon (:) added to the end.'=>'','Parent Item With Colon'=>'','Parent Category'=>'上層分類','Assigns parent item text. Only used on hierarchical taxonomies.'=>'','Parent Item'=>'上層項目','Parent %s'=>'上層 [%s]','New Tag Name'=>'新增標籤名稱','Assigns the new item name text.'=>'','New Item Name'=>'新增項目名稱','New %s Name'=>'新增 [%s] 名稱','Add New Tag'=>'新增標籤','Assigns the add new item text.'=>'','Update Tag'=>'更新標籤','Assigns the update item text.'=>'','Update Item'=>'更新項目','Update %s'=>'更新 [%s]','View Tag'=>'檢視標籤','In the admin bar to view term during editing.'=>'','Edit Tag'=>'編輯標籤','At the top of the editor screen when editing a term.'=>'編輯分類法詞彙時在編輯畫面頂端的功能提示名稱。','All Tags'=>'全部標籤','Assigns the all items text.'=>'','Assigns the menu name text.'=>'','Menu Label'=>'選單標籤','Active taxonomies are enabled and registered with WordPress.'=>'','A descriptive summary of the taxonomy.'=>'','A descriptive summary of the term.'=>'','Term Description'=>'分類法詞彙內容說明','Single word, no spaces. Underscores and dashes allowed.'=>'請使用英文及數字字元撰寫單一字組;不可使用空格,但可使用底線 _ 及破折號 -。','Term Slug'=>'分類法詞彙代稱','The name of the default term.'=>'','Term Name'=>'分類法詞彙名稱','Create a term for the taxonomy that cannot be deleted. It will not be selected for posts by default.'=>'','Default Term'=>'預設分類法詞彙','Whether terms in this taxonomy should be sorted in the order they are provided to `wp_set_object_terms()`.'=>'','Sort Terms'=>'','Add Post Type'=>'新增內容類型','Expand the functionality of WordPress beyond standard posts and pages with custom post types.'=>'使用自訂內容類型便能將 WordPress 的功能擴充至標準文章及頁面之外。','Add Your First Post Type'=>'新增第一個內容類型','I know what I\'m doing, show me all the options.'=>'已了解進階組態的影響,請顯示全部選項。','Advanced Configuration'=>'進階組態','Hierarchical post types can have descendants (like pages).'=>'階層式內容類型可以有下層項目 (例如核心程式內建的 [頁面] 內容類型)。','Hierarchical'=>'階層式','Visible on the frontend and in the admin dashboard.'=>'顯示於網站前端及管理後台的控制台。','Public'=>'公開','movie'=>'movie','Lower case letters, underscores and dashes only, Max 20 characters.'=>'僅能使用小寫字母、底線 _ 及破折號 -,最多 20 個字元。','Movie'=>'電影','Singular Label'=>'單數型標籤','Movies'=>'電影','Plural Label'=>'複數型標籤 (中文名詞無複數型)','Optional custom controller to use instead of `WP_REST_Posts_Controller`.'=>'','Controller Class'=>'','The namespace part of the REST API URL.'=>'','Namespace Route'=>'','The base URL for the post type REST API URLs.'=>'','Base URL'=>'起點網址','Exposes this post type in the REST API. Required to use the block editor.'=>'','Show In REST API'=>'在 REST API 中顯示','Customize the query variable name.'=>'','Query Variable'=>'查詢變數','No Query Variable Support'=>'','Custom Query Variable'=>'','Items can be accessed using the non-pretty permalink, eg. {post_type}={post_slug}.'=>'','Query Variable Support'=>'','URLs for an item and items can be accessed with a query string.'=>'','Publicly Queryable'=>'','Custom slug for the Archive URL.'=>'','Archive Slug'=>'彙整代稱','Has an item archive that can be customized with an archive template file in your theme.'=>'','Archive'=>'','Pagination support for the items URLs such as the archives.'=>'','Pagination'=>'','RSS feed URL for the post type items.'=>'','Feed URL'=>'資訊提供網址','Alters the permalink structure to add the `WP_Rewrite::$front` prefix to URLs.'=>'','Front URL Prefix'=>'','Customize the slug used in the URL.'=>'','URL Slug'=>'網址代稱','Permalinks for this post type are disabled.'=>'','Rewrite the URL using a custom slug defined in the input below. Your permalink structure will be'=>'','No Permalink (prevent URL rewriting)'=>'','Custom Permalink'=>'自訂永久連結','Post Type Key'=>'內容類型索引鍵','Rewrite the URL using the post type key as the slug. Your permalink structure will be'=>'','Permalink Rewrite'=>'永久連結重寫','Delete items by a user when that user is deleted.'=>'','Delete With User'=>'與使用者一併刪除','Allow the post type to be exported from \'Tools\' > \'Export\'.'=>'','Can Export'=>'可以匯出','Optionally provide a plural to be used in capabilities.'=>'','Plural Capability Name'=>'複數型權限名稱','Choose another post type to base the capabilities for this post type.'=>'','Singular Capability Name'=>'單數型權限名稱','By default the capabilities of the post type will inherit the \'Post\' capability names, eg. edit_post, delete_posts. Enable to use post type specific capabilities, eg. edit_{singular}, delete_{plural}.'=>'','Rename Capabilities'=>'重新命名權限','Exclude From Search'=>'從搜尋結果中排除','Allow items to be added to menus in the \'Appearance\' > \'Menus\' screen. Must be turned on in \'Screen options\'.'=>'','Appearance Menus Support'=>'','Appears as an item in the \'New\' menu in the admin bar.'=>'','Show In Admin Bar'=>'在工具列中顯示','Custom Meta Box Callback'=>'自訂中繼資料回呼','Menu Icon'=>'選單圖示','The position in the sidebar menu in the admin dashboard.'=>'','Menu Position'=>'選單位置','By default the post type will get a new top level item in the admin menu. If an existing top level item is supplied here, the post type will be added as a submenu item under it.'=>'','Admin Menu Parent'=>'','Admin editor navigation in the sidebar menu.'=>'','Show In Admin Menu'=>'在管理選單中顯示','Items can be edited and managed in the admin dashboard.'=>'','Show In UI'=>'在使用者介面中顯示','A link to a post.'=>'文章的連結。','Description for a navigation link block variation.'=>'','Item Link Description'=>'項目連結內容說明','A link to a %s.'=>'[%s] 的連結。','Post Link'=>'文章連結','Title for a navigation link block variation.'=>'','Item Link'=>'項目連結','%s Link'=>'[%s] 連結','Post updated.'=>'文章已更新。','In the editor notice after an item is updated.'=>'','Item Updated'=>'項目已更新','%s updated.'=>'[%s] 已更新。','Post scheduled.'=>'文章已排程。','In the editor notice after scheduling an item.'=>'','Item Scheduled'=>'項目已排程','%s scheduled.'=>'[%s] 已排程。','Post reverted to draft.'=>'文章已還原為草稿。','In the editor notice after reverting an item to draft.'=>'','Item Reverted To Draft'=>'項目已還原為草稿','%s reverted to draft.'=>'[%s] 已還原為草稿。','Post published privately.'=>'文章已發佈為私密項目。','In the editor notice after publishing a private item.'=>'','Item Published Privately'=>'項目已發佈為私密項目','%s published privately.'=>'[%s] 已發佈為私密項目。','Post published.'=>'文章已發佈。','In the editor notice after publishing an item.'=>'','Item Published'=>'項目已發佈','%s published.'=>'[%s] 已發佈。','Posts list'=>'文章清單','Used by screen readers for the items list on the post type list screen.'=>'','Items List'=>'項目清單','%s list'=>'[%s] 清單','Posts list navigation'=>'文章清單導覽','Used by screen readers for the filter list pagination on the post type list screen.'=>'','Items List Navigation'=>'項目清單導覽','%s list navigation'=>'[%s] 清單導覽','Filter posts by date'=>'依據日期篩選文章','Used by screen readers for the filter by date heading on the post type list screen.'=>'','Filter Items By Date'=>'依據日期篩選項目','Filter %s by date'=>'依據日期篩選 [%s]','Filter posts list'=>'篩選文章清單','Used by screen readers for the filter links heading on the post type list screen.'=>'','Filter Items List'=>'篩選項目清單','Filter %s list'=>'篩選 [%s] 清單','In the media modal showing all media uploaded to this item.'=>'','Uploaded To This Item'=>'已關聯至這個項目','Uploaded to this %s'=>'已關聯至這個 [%s]','Insert into post'=>'插入至文章','As the button label when adding media to content.'=>'','Insert Into Media Button'=>'','Insert into %s'=>'插入至 [%s]','Use as featured image'=>'設定為精選圖片','As the button label for selecting to use an image as the featured image.'=>'','Use Featured Image'=>'設定精選圖片','Remove featured image'=>'移除精選圖片','As the button label when removing the featured image.'=>'','Remove Featured Image'=>'移除精選圖片','Set featured image'=>'設定精選圖片','As the button label when setting the featured image.'=>'','Set Featured Image'=>'設定精選圖片','Featured image'=>'精選圖片','In the editor used for the title of the featured image meta box.'=>'','Featured Image Meta Box'=>'精選圖片中繼資料區塊','Post Attributes'=>'文章屬性','In the editor used for the title of the post attributes meta box.'=>'','Attributes Meta Box'=>'屬性中繼資料區塊','%s Attributes'=>'[%s] 屬性','Post Archives'=>'文章彙整','Adds \'Post Type Archive\' items with this label to the list of posts shown when adding items to an existing menu in a CPT with archives enabled. Only appears when editing menus in \'Live Preview\' mode and a custom archive slug has been provided.'=>'','Archives Nav Menu'=>'彙整頁面導覽選單','%s Archives'=>'[%s] 彙整','No posts found in Trash'=>'在回收桶中找不到符合條件的文章。','At the top of the post type list screen when there are no posts in the trash.'=>'','No Items Found in Trash'=>'在回收桶中找不到符合條件的項目。','No %s found in Trash'=>'在回收桶中找不到符合條件的 [%s]。','No posts found'=>'找不到符合條件的文章。','At the top of the post type list screen when there are no posts to display.'=>'','No Items Found'=>'找不到符合條件的項目。','No %s found'=>'找不到符合條件的 [%s]。','Search Posts'=>'搜尋文章','At the top of the items screen when searching for an item.'=>'','Search Items'=>'搜尋項目','Search %s'=>'搜尋 [%s]','Parent Page:'=>'上層頁面:','For hierarchical types in the post type list screen.'=>'','Parent Item Prefix'=>'上層項目前置詞','Parent %s:'=>'上層 [%s]:','New Post'=>'新增文章','New Item'=>'新增項目','New %s'=>'新增 [%s]','Add New Post'=>'新增文章','At the top of the editor screen when adding a new item.'=>'新增項目時在編輯畫面頂端的功能提示名稱。','Add New Item'=>'新增項目','Add New %s'=>'新增 [%s]','View Posts'=>'檢視文章','Appears in the admin bar in the \'All Posts\' view, provided the post type supports archives and the home page is not an archive of that post type.'=>'','View Items'=>'檢視項目','View Post'=>'檢視文章','In the admin bar to view item when editing it.'=>'編輯項目時在工具列上的檢視功能名稱。','View Item'=>'檢視項目','View %s'=>'檢視 [%s]','Edit Post'=>'編輯文章','At the top of the editor screen when editing an item.'=>'編輯項目時在編輯畫面頂端的功能提示名稱。','Edit Item'=>'編輯項目','Edit %s'=>'編輯 [%s]','All Posts'=>'全部文章','In the post type submenu in the admin dashboard.'=>'內容類型在管理控制台的子選單名稱。','All Items'=>'全部項目','All %s'=>'全部 [%s]','Admin menu name for the post type.'=>'內容類型在管理控制台的選單名稱。','Menu Name'=>'選單名稱','Regenerate all labels using the Singular and Plural labels'=>'','Regenerate'=>'重新產生','Active post types are enabled and registered with WordPress.'=>'在 WordPress 中啟用這個內容類型並完成註冊。','A descriptive summary of the post type.'=>'內容類型的說明性摘要。','Add Custom'=>'新增自訂項目','Enable various features in the content editor.'=>'啟用內容編輯器中的各種功能。','Post Formats'=>'文章格式','Editor'=>'編輯器','Trackbacks'=>'引用通知','Select existing taxonomies to classify items of the post type.'=>'選取現有的分類法為內容類型的項目進行分類。','Browse Fields'=>'瀏覽欄位','Nothing to import'=>'','. The Custom Post Type UI plugin can be deactivated.'=>'','Imported %d item from Custom Post Type UI -'=>'','Failed to import taxonomies.'=>'','Failed to import post types.'=>'無法匯入內容類型。','Nothing from Custom Post Type UI plugin selected for import.'=>'','Imported 1 item'=>'%s 個項目已匯入。','Importing a Post Type or Taxonomy with the same key as one that already exists will overwrite the settings for the existing Post Type or Taxonomy with those of the import.'=>'','Import from Custom Post Type UI'=>'從 Custom Post Type UI 匯入','The following code can be used to register a local version of the selected items. Storing field groups, post types, or taxonomies locally 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, then deactivate or delete the items from the ACF admin.'=>'','Export - Generate PHP'=>'匯出 - 產生 PHP 程式碼','Export'=>'匯出','Select Taxonomies'=>'選取分類法','Select Post Types'=>'選取內容類型','Exported 1 item.'=>'%s 個項目已匯出。','Category'=>'分類','Tag'=>'標籤','%s taxonomy created'=>'[%s] 分類法已建立。','%s taxonomy updated'=>'[%s] 分類法已更新。','Taxonomy draft updated.'=>'分類法草稿已更新。','Taxonomy scheduled for.'=>'分類法已排程。','Taxonomy submitted.'=>'分類法已送交審閱。','Taxonomy saved.'=>'分類法已儲存。','Taxonomy deleted.'=>'分類法已刪除。','Taxonomy updated.'=>'分類法已更新。','This taxonomy could not be registered because its key is in use by another taxonomy registered by another plugin or theme.'=>'','Taxonomy synchronized.'=>'%s 個分類法已同步。','Taxonomy duplicated.'=>'%s 個分類法已再製。','Taxonomy deactivated.'=>'%s 個分類法已停用。','Taxonomy activated.'=>'%s 個分類法已啟用。','Terms'=>'分類法詞彙','Post type synchronized.'=>'%s 個內容類型已同步。','Post type duplicated.'=>'%s 個內容類型已再製。','Post type deactivated.'=>'%s 個內容類型已停用。','Post type activated.'=>'%s 個內容類型已啟用。','Post Types'=>'內容類型','Advanced Settings'=>'進階設定','Basic Settings'=>'基本設定','This post type could not be registered because its key is in use by another post type registered by another plugin or theme.'=>'','Pages'=>'頁面','Link Existing Field Groups'=>'連結現有的欄位群組','%s post type created'=>'','Add fields to %s'=>'','%s post type updated'=>'[%s] 內容類型已更新。','Post type draft updated.'=>'內容類型草稿已更新。','Post type scheduled for.'=>'內容類型已排程。','Post type submitted.'=>'內容類型已送交審閱。','Post type saved.'=>'內容類型已儲存。','Post type updated.'=>'內容類型已更新。','Post type deleted.'=>'內容類型已刪除。','Type to search...'=>'輸入以搜尋...','PRO Only'=>'僅供 Pro 版使用','Field groups linked successfully.'=>'欄位群組已成功連結。','Import Post Types and Taxonomies registered with Custom Post Type UI and manage them with ACF. Get Started.'=>'','ACF'=>'ACF','taxonomy'=>'分類法','post type'=>'內容類型','Done'=>'完成','Field Group(s)'=>'欄位群組','Select one or many field groups...'=>'選取一或多個欄位群組...','Please select the field groups to link.'=>'選取要連結的欄位群組。','Field group linked successfully.'=>'個欄位群組已成功連結。','post statusRegistration Failed'=>'註冊失敗','This item could not be registered because its key is in use by another item registered by another plugin or theme.'=>'','REST API'=>'REST API','Permissions'=>'權限','URLs'=>'網址','Visibility'=>'可見度','Labels'=>'標籤','Field Settings Tabs'=>'欄位設定分頁','https://wpengine.com/?utm_source=wordpress.org&utm_medium=referral&utm_campaign=plugin_directory&utm_content=advanced_custom_fields'=>'','[ACF shortcode value disabled for preview]'=>'[預覽時停用 ACF 短代碼值]','Close Modal'=>'關閉對話方塊','Field moved to other group'=>'','Close modal'=>'','Start a new group of tabs at this tab.'=>'','New Tab Group'=>'新增標籤群組','Use a stylized checkbox using select2'=>'','Save Other Choice'=>'','Allow Other Choice'=>'','Add Toggle All'=>'','Save Custom Values'=>'儲存自訂值','Allow Custom Values'=>'','Checkbox custom values cannot be empty. Uncheck any empty values.'=>'','Updates'=>'更新','Advanced Custom Fields logo'=>'Advanced Custom Fields 標誌','Save Changes'=>'儲存設定','Field Group Title'=>'欄位群組標題','Add title'=>'新增標題','New to ACF? Take a look at our getting started guide.'=>'如果才剛開始使用 ACF,請參考我們的快速入門指南。','Add Field Group'=>'新增欄位群組','ACF uses field groups to group custom fields together, and then attach those fields to edit screens.'=>'ACF 使用欄位群組將自訂欄位組成群組,然後將這些群組附加至編輯畫面。','Add Your First Field Group'=>'新增第一個欄位群組','Options Pages'=>'設定頁面','ACF Blocks'=>'ACF 區塊','Gallery Field'=>'圖庫欄位','Flexible Content Field'=>'彈性內容欄位','Repeater Field'=>'重複項欄位','Unlock Extra Features with ACF PRO'=>'','Delete Field Group'=>'刪除欄位群組','Created on %1$s at %2$s'=>'建立時間為 %1$s%2$s','Group Settings'=>'群組設定','Location Rules'=>'位置規則','Choose from over 30 field types. Learn more.'=>'目前提供超過 30 種欄位類型可供使用。進一步了解。','Get started creating new custom fields for your posts, pages, custom post types and other WordPress content.'=>'','Add Your First Field'=>'新增第一個欄位','#'=>'#','Add Field'=>'新增欄位','Presentation'=>'呈現方式','Validation'=>'驗證','General'=>'一般','Import JSON'=>'匯入 JSON 檔案','Export As JSON'=>'匯出為 JSON 檔案','Field group deactivated.'=>'%s 個欄位群組已停用。','Field group activated.'=>'%s 個欄位群組已啟用。','Deactivate'=>'停用','Deactivate this item'=>'停用這個項目','Activate'=>'啟用','Activate this item'=>'啟用這個項目','Move field group to trash?'=>'將欄位群組移至回收桶','post statusInactive'=>'','WP Engine'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields PRO.'=>'','Advanced Custom Fields and Advanced Custom Fields PRO should not be active at the same time. We\'ve automatically deactivated Advanced Custom Fields.'=>'','%1$s - We\'ve detected one or more calls to retrieve ACF field values before ACF has been initialized. This is not supported and can result in malformed or missing data. Learn how to fix this.'=>'','%1$s must have a user with the %2$s role.'=>'','%1$s must have a valid user ID.'=>'','Invalid request.'=>'無效的要求。','%1$s is not one of %2$s'=>'','%1$s must have term %2$s.'=>'','%1$s must be of post type %2$s.'=>'','%1$s must have a valid post ID.'=>'','%s requires a valid attachment ID.'=>'','Show in REST API'=>'在 REST API 中顯示','Enable Transparency'=>'','RGBA Array'=>'','RGBA String'=>'','Hex String'=>'','Upgrade to PRO'=>'升級至 Pro 版','post statusActive'=>'','\'%s\' is not a valid email address'=>'','Color value'=>'色彩值','Select default color'=>'選取預設色彩','Clear color'=>'清除色彩','Blocks'=>'區塊','Options'=>'設定','Users'=>'使用者','Menu items'=>'選單項目','Widgets'=>'小工具','Attachments'=>'附件','Taxonomies'=>'分類法','Posts'=>'','Last updated: %s'=>'最後更新: %s','Sorry, this post is unavailable for diff comparison.'=>'','Invalid field group parameter(s).'=>'','Awaiting save'=>'','Saved'=>'','Import'=>'匯入','Review changes'=>'','Located in: %s'=>'','Located in plugin: %s'=>'','Located in theme: %s'=>'','Various'=>'','Sync changes'=>'','Loading diff'=>'','Review local JSON changes'=>'','Visit website'=>'','View details'=>'','Version %s'=>'','Information'=>'','Help Desk. The support professionals on our Help Desk will assist with your more in depth, technical challenges.'=>'','Discussions. We have an active and friendly community on our Community Forums who may be able to help you figure out the \'how-tos\' of the ACF world.'=>'','Documentation. Our extensive documentation contains references and guides for most situations you may encounter.'=>'','We are fanatical about support, and want you to get the best out of your website with ACF. If you run into any difficulties, there are several places you can find help:'=>'','Help & Support'=>'','Please use the Help & Support tab to get in touch should you find yourself requiring assistance.'=>'','Before creating your first Field Group, we recommend first reading our Getting started guide to familiarize yourself with the plugin\'s philosophy and best practises.'=>'','The Advanced Custom Fields plugin provides a visual form builder to customize WordPress edit screens with extra fields, and an intuitive API to display custom field values in any theme template file.'=>'','Overview'=>'','Location type "%s" is already registered.'=>'','Class "%s" does not exist.'=>'','Invalid nonce.'=>'無效的單次有效隨機碼。','Error loading field.'=>'','Error: %s'=>'','Widget'=>'小工具','User Role'=>'使用者角色','Comment'=>'留言','Post Format'=>'文章格式','Menu Item'=>'選單項目','Post Status'=>'文章狀態','Menus'=>'選單','Menu Locations'=>'選單位置','Menu'=>'選單','Post Taxonomy'=>'文章分類法','Child Page (has parent)'=>'子頁面 (具有上層頁面)','Parent Page (has children)'=>'上層頁面 (含有子頁面)','Top Level Page (no parent)'=>'最上層頁面 (再無上層頁面的頁面)','Posts Page'=>'文章頁面','Front Page'=>'網站首頁','Page Type'=>'頁面類型','Viewing back end'=>'','Viewing front end'=>'','Logged in'=>'','Current User'=>'目前使用者','Page Template'=>'頁面範本','Register'=>'註冊','Add / Edit'=>'新增/編輯','User Form'=>'使用者表單','Page Parent'=>'最上層頁面','Super Admin'=>'多站網路管理員','Current User Role'=>'','Default Template'=>'預設範本','Post Template'=>'文章範本','Post Category'=>'文章分類','All %s formats'=>'','Attachment'=>'附件','%s value is required'=>'','Show this field if'=>'符合下列規則就顯示欄位','Conditional Logic'=>'條件邏輯','and'=>'且','Local JSON'=>'','Clone Field'=>'再製欄位','Please also check all premium add-ons (%s) are updated to the latest version.'=>'','This version contains improvements to your database and requires an upgrade.'=>'','Thank you for updating to %1$s v%2$s!'=>'感謝更新至 %1$s %2$s 版!','Database Upgrade Required'=>'資料庫必須進行升級','Options Page'=>'設定頁面','Gallery'=>'圖庫','Flexible Content'=>'彈性內容','Repeater'=>'重複器','Back to all tools'=>'','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)'=>'如果編輯畫面出現多個欄位群組,則會使用第一個欄位群組的設定,亦即 [順序編號] 數值最小的那個欄位群組設定','Select items to hide them from the edit screen.'=>'選取要在編輯畫面隱藏的項目','Hide on screen'=>'需要在編輯畫面隱藏的項目','Send Trackbacks'=>'傳送引用通知','Tags'=>'標籤','Categories'=>'分類','Page Attributes'=>'頁面屬性','Format'=>'格式','Author'=>'作者','Slug'=>'代稱','Revisions'=>'內容修訂','Comments'=>'留言','Discussion'=>'討論','Excerpt'=>'內容摘要','Content Editor'=>'內容編輯器','Permalink'=>'永久連結','Shown in field group list'=>'顯示於欄位群組清單的說明內容。','Field groups with a lower order will appear first'=>'順序編號較小的欄位群組會先顯示。','Order No.'=>'欄位群組順序編號','Below fields'=>'欄位下方','Below labels'=>'欄位標籤下方','Instruction Placement'=>'操作說明位置','Label Placement'=>'標籤位置','Side'=>'側邊','Normal (after content)'=>'一般 (內容下方)','High (after title)'=>'頂端 (標題下方)','Position'=>'欄位群組位置','Seamless (no metabox)'=>'隨選即用 (沒有中繼資料區塊)','Standard (WP metabox)'=>'標準 (WordPress 中繼資料區塊)','Style'=>'樣式','Type'=>'類型','Key'=>'索引鍵','Order'=>'順序編號','Close Field'=>'關閉欄位','id'=>'id','class'=>'class','width'=>'width','Wrapper Attributes'=>'包裝函式屬性','Required'=>'必要','Instructions'=>'操作說明','Field Type'=>'欄位類型','Single word, no spaces. Underscores and dashes allowed'=>'用來呼叫這個欄位的名稱,請使用英文及數字字元撰寫單一字組;不可使用空格,但可使用底線 _ 及破折號 -。','Field Name'=>'欄位名稱','This is the name which will appear on the EDIT page'=>'顯示於內容編輯頁面、供使用者了解這個欄位用途的名稱。','Field Label'=>'欄位標籤','Delete'=>'刪除','Delete field'=>'刪除欄位','Move'=>'移動','Move field to another group'=>'將這個欄位移至其他群組','Duplicate field'=>'再製這個欄位','Edit field'=>'編輯欄位','Drag to reorder'=>'拖放以重新排序','Show this field group if'=>'符合下列規則就顯示欄位群組','No updates available.'=>'沒有可用的更新。','Database upgrade complete. See what\'s new'=>'','Reading upgrade tasks...'=>'正在讀取升級任務...','Upgrade failed.'=>'升級失敗。','Upgrade complete.'=>'升級完畢。','Upgrading data to version %s'=>'','It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?'=>'強烈建議在進行這項操作前,先備份網站的資料庫。確定要執行更新程式嗎?','Please select at least one site to upgrade.'=>'','Database Upgrade complete. Return to network dashboard'=>'資料庫已完成升級。返回多站網路控制台','Site is up to date'=>'網站已更新至最新版','Site requires database upgrade from %1$s to %2$s'=>'','Site'=>'網站','Upgrade Sites'=>'升級網站','The following sites require a DB upgrade. Check the ones you want to update and then click %s.'=>'','Add rule group'=>'新增規則群組','Create a set of rules to determine which edit screens will use these advanced custom fields'=>'建立一組的規則,符合該組規則時,編輯畫面便會顯示上列進階自訂欄位','Rules'=>'規則','Copied'=>'已複製','Copy to clipboard'=>'複製至剪貼簿','Select the items you would like to export and then select your export method. Export As JSON to export to a .json file which you can then import to another ACF installation. Generate PHP to export to PHP code which you can place in your theme.'=>'選取要匯出的項目,然後選取匯出方式。[匯出為 JSON 檔案] 會將指定項目匯出為 JSON 檔案,這樣便能供安裝 ACF 的其他網站匯入。[產生 PHP 程式碼] 會將指定項目匯出為 PHP 程式碼,以便將程式碼插入至網站目前使用的佈景主題。','Select Field Groups'=>'選取欄位群組','No field groups selected'=>'尚未選取欄位群組','Generate PHP'=>'產生 PHP 程式碼','Export Field Groups'=>'匯出欄位群組','Import file empty'=>'','Incorrect file type'=>'錯誤的檔案類型','Error uploading file. Please try again'=>'','Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the items in that file.'=>'選取要匯入的 Advanced Custom Fields JSON 檔案,並點擊下方的 [匯入 JSON 檔案] 按鈕後,ACF 便會匯入檔案中的項目。','Import Field Groups'=>'匯入欄位群組','Sync'=>'同步','Select %s'=>'選取 [%s]','Duplicate'=>'再製','Duplicate this item'=>'再製這個項目','Supports'=>'支援項目','Documentation'=>'線上說明文件','Description'=>'內容說明','Sync available'=>'','Field group synchronized.'=>'%s 個欄位群組已同步。','Field group duplicated.'=>'%s 個欄位群組已再製。','Active (%s)'=>'已啟用 (%s)','Review sites & upgrade'=>'檢視網站並升級','Upgrade Database'=>'升級資料庫','Custom Fields'=>'自訂欄位','Move Field'=>'移動欄位','Please select the destination for this field'=>'請為這個欄位選取目標欄位群組以進行移動','The %1$s field can now be found in the %2$s field group'=>'','Move Complete.'=>'','Active'=>'已啟用','Field Keys'=>'欄位索引鍵','Settings'=>'設定','Location'=>'位置','Null'=>'空值','copy'=>'再製','(this field)'=>'(這個欄位)','Checked'=>'已檢查','Move Custom Field'=>'移動自訂欄位','No toggle fields available'=>'沒有可供選取的欄位','Field group title is required'=>'欄位群組標題為必填資料','This field cannot be moved until its changes have been saved'=>'這個欄位的變更完成儲存前,無法進行移動。','The string "field_" may not be used at the start of a field name'=>'字串 field_ 不可使用於欄位名稱的起始位置','Field group draft updated.'=>'欄位群組草稿已更新。','Field group scheduled for.'=>'欄位群組已排程。','Field group submitted.'=>'欄位群組已送交審閱。','Field group saved.'=>'欄位群組已儲存。','Field group published.'=>'欄位群組已發佈。','Field group deleted.'=>'欄位群組已刪除。','Field group updated.'=>'欄位群組已更新。','Tools'=>'工具','is not equal to'=>'不等於','is equal to'=>'等於','Forms'=>'表單','Page'=>'頁面','Post'=>'文章','Relational'=>'關聯','Choice'=>'選項','Basic'=>'基本','Unknown'=>'未知','Field type does not exist'=>'欄位類型不存在。','Spam Detected'=>'','Post updated'=>'文章已更新。','Update'=>'更新','Validate Email'=>'','Content'=>'內容','Title'=>'標題','Edit field group'=>'編輯欄位群組','Selection is less than'=>'','Selection is greater than'=>'','Value is less than'=>'','Value is greater than'=>'','Value contains'=>'','Value matches pattern'=>'','Value is not equal to'=>'','Value is equal to'=>'','Has no value'=>'','Has any value'=>'','Cancel'=>'取消','Are you sure?'=>'確定要繼續操作嗎?','%d fields require attention'=>'','1 field requires attention'=>'','Validation failed'=>'驗證失敗','Validation successful'=>'驗證成功','Restricted'=>'','Collapse Details'=>'收合詳細資料','Expand Details'=>'展開詳細資料','Uploaded to this post'=>'已關聯至這篇文章','verbUpdate'=>'更新','verbEdit'=>'編輯','The changes you made will be lost if you navigate away from this page'=>'','File type must be %s.'=>'檔案類型必須為 %s。','or'=>'或','File size must not exceed %s.'=>'檔案大小不得超過 %s。','File size must be at least %s.'=>'檔案大小必須至少為 %s。','Image height must not exceed %dpx.'=>'圖片高度不得超過 %dpx。','Image height must be at least %dpx.'=>'圖片高度必須至少為 %dpx。','Image width must not exceed %dpx.'=>'圖片寬度不得超過 %dpx。','Image width must be at least %dpx.'=>'圖片寬度必須至少為 %dpx。','(no title)'=>'(無標題)','Full Size'=>'完整尺寸','Large'=>'大型尺寸','Medium'=>'中型尺寸','Thumbnail'=>'縮圖尺寸','(no label)'=>'(無標籤)','Sets the textarea height'=>'設定文字區域高度','Rows'=>'文字列數','Text Area'=>'多行文字','Prepend an extra checkbox to toggle all choices'=>'','Save \'custom\' values to the field\'s choices'=>'','Allow \'custom\' values to be added'=>'','Add new choice'=>'','Toggle All'=>'選取全部','Allow Archives URLs'=>'','Archives'=>'彙整','Page Link'=>'頁面連結','Add'=>'新增','Name'=>'名稱','%s added'=>'[%s] 已新增。','%s already exists'=>'[%s] 已存在。','User unable to add new %s'=>'使用者無法新增 [%s]。','Term ID'=>'分類法詞彙 ID','Term Object'=>'分類法詞彙物件','Load value from posts terms'=>'','Load Terms'=>'','Connect selected terms to the post'=>'','Save Terms'=>'','Allow new terms to be created whilst editing'=>'','Create Terms'=>'','Radio Buttons'=>'選項按鈕','Single Value'=>'單一值','Multi Select'=>'多重選取','Checkbox'=>'核取方塊','Multiple Values'=>'多個值','Select the appearance of this field'=>'','Appearance'=>'外觀','Select the taxonomy to be displayed'=>'','No TermsNo %s'=>'','Value must be equal to or lower than %d'=>'','Value must be equal to or higher than %d'=>'','Value must be a number'=>'','Number'=>'數值','Save \'other\' values to the field\'s choices'=>'儲存填入 [其他] 選項中的值,作為這個欄位的選項','Add \'other\' choice to allow for custom values'=>'加入 [其他] 這個選項,讓使用者可輸入自訂值','Other'=>'其他','Radio Button'=>'選項按鈕','Define an endpoint for the previous accordion to stop. This accordion will not be visible.'=>'','Allow this accordion to open without closing others.'=>'','Multi-Expand'=>'','Display this accordion as open on page load.'=>'','Open'=>'開啟','Accordion'=>'開闔式內容','Restrict which files can be uploaded'=>'','File ID'=>'檔案 ID','File URL'=>'檔案網址','File Array'=>'檔案陣列','Add File'=>'新增檔案','No file selected'=>'尚未選取檔案','File name'=>'檔案名稱','Update File'=>'更新檔案','Edit File'=>'編輯檔案','Select File'=>'選取檔案','File'=>'檔案','Password'=>'密碼','Specify the value returned'=>'','Use AJAX to lazy load choices?'=>'','Enter each default value on a new line'=>'每行輸入一個預設選項值 (而非選項標籤)','verbSelect'=>'選取','Select2 JS load_failLoading failed'=>'無法載入','Select2 JS searchingSearching…'=>'正在搜尋...','Select2 JS load_moreLoading more results…'=>'正在載入更多結果...','Select2 JS selection_too_long_nYou can only select %d items'=>'僅能選取 %d 個項目','Select2 JS selection_too_long_1You can only select 1 item'=>'僅能選取 1 個項目','Select2 JS input_too_long_nPlease delete %d characters'=>'請刪除 %d 個字元','Select2 JS input_too_long_1Please delete 1 character'=>'請刪除 1 個字元','Select2 JS input_too_short_nPlease enter %d or more characters'=>'請輸入 %d 或多個字元','Select2 JS input_too_short_1Please enter 1 or more characters'=>'請輸入一或多個字元','Select2 JS matches_0No matches found'=>'找不到符合條件的項目','Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.'=>'','Select2 JS matches_1One result is available, press enter to select it.'=>'','nounSelect'=>'選取','User ID'=>'使用者 ID','User Object'=>'使用者物件','User Array'=>'使用者陣列','All user roles'=>'全部使用者角色','Filter by Role'=>'依據使用者角色篩選','User'=>'使用者','Separator'=>'分隔符號','Select Color'=>'選取色彩','Default'=>'預設','Clear'=>'清除','Color Picker'=>'色彩選擇器','Date Time Picker JS pmTextShortP'=>'','Date Time Picker JS pmTextPM'=>'下午','Date Time Picker JS amTextShortA'=>'','Date Time Picker JS amTextAM'=>'上午','Date Time Picker JS selectTextSelect'=>'選取','Date Time Picker JS closeTextDone'=>'完成','Date Time Picker JS currentTextNow'=>'現在','Date Time Picker JS timezoneTextTime Zone'=>'時區','Date Time Picker JS microsecTextMicrosecond'=>'微秒','Date Time Picker JS millisecTextMillisecond'=>'毫秒','Date Time Picker JS secondTextSecond'=>'秒','Date Time Picker JS minuteTextMinute'=>'分鐘','Date Time Picker JS hourTextHour'=>'小時','Date Time Picker JS timeTextTime'=>'時間','Date Time Picker JS timeOnlyTitleChoose Time'=>'選擇時間','Date Time Picker'=>'日期時間選擇器','Endpoint'=>'端點','Left aligned'=>'靠左對齊','Top aligned'=>'靠上對齊','Placement'=>'位置','Tab'=>'分頁','Value must be a valid URL'=>'','Link URL'=>'連結網址','Link Array'=>'網址陣列','Opens in a new window/tab'=>'(在新視窗/分頁中開啟)','Select Link'=>'選取連結','Link'=>'連結','Email'=>'電子郵件地址','Step Size'=>'數值增減幅度','Maximum Value'=>'最大值','Minimum Value'=>'最小值','Range'=>'數值範圍','Both (Array)'=>'','Label'=>'標籤','Value'=>'','Vertical'=>'垂直排列','Horizontal'=>'水平排列','red : Red'=>'red : 紅色','For more control, you may specify both a value and label like this:'=>'為了能對資料有更佳的掌控,可以同時指定如下所示的選項值與選項標籤,格式為「選項值 : 選項標籤」(請使用冒號,並在冒號前後加上空格分隔選項值及選項標籤):','Enter each choice on a new line.'=>'每行輸入一個選項。','Choices'=>'選項','Button Group'=>'按鈕群組','Allow Null'=>'','Parent'=>'上層項目','TinyMCE will not be initialized until field is clicked'=>'','Delay Initialization'=>'延遲初始化','Show Media Upload Buttons'=>'','Toolbar'=>'工具列','Text Only'=>'','Visual Only'=>'','Visual & Text'=>'','Tabs'=>'分頁','Click to initialize TinyMCE'=>'點擊以初始化 TinyMCE','Name for the Text editor tab (formerly HTML)Text'=>'文字','Visual'=>'','Value must not exceed %d characters'=>'','Leave blank for no limit'=>'留空代表不限制字元數','Character Limit'=>'字元數限制','Appears after the input'=>'資料欄位後顯示的文字。','Append'=>'欄位後置文字','Appears before the input'=>'資料欄位前顯示的文字。','Prepend'=>'欄位前置文字','Appears within the input'=>'資料欄位內未填資料前顯示的文字。','Placeholder Text'=>'預留位置文字','Appears when creating a new post'=>'建立新文章後,顯示於這個欄位的預設值。','Text'=>'單行文字','%1$s requires at least %2$s selection'=>'','Post ID'=>'文章 ID','Post Object'=>'文章物件','Maximum Posts'=>'','Minimum Posts'=>'','Featured Image'=>'精選圖片','Selected elements will be displayed in each result'=>'選取的元素會顯示於搜尋結果中','Elements'=>'顯示元素','Taxonomy'=>'分類法','Post Type'=>'內容類型','Filters'=>'外掛內建的篩選條件','All taxonomies'=>'','Filter by Taxonomy'=>'','All post types'=>'','Filter by Post Type'=>'','Search...'=>'搜尋...','Select taxonomy'=>'選取分類法','Select post type'=>'選取內容類型','No matches found'=>'找不到符合條件的項目','Loading'=>'正在載入','Maximum values reached ( {max} values )'=>'最大值為 {max} 篇,目前已達最大值','Relationship'=>'關聯內容','Comma separated list. Leave blank for all types'=>'請以逗號分隔列出。留白表示允許所有類型','Allowed File Types'=>'允許的檔案類型','Maximum'=>'最大值','File size'=>'檔案大小','Restrict which images can be uploaded'=>'限制哪些圖片可以上傳','Minimum'=>'最小值','Uploaded to post'=>'上傳至文章','All'=>'全部','Limit the media library choice'=>'預先設定媒體上傳的位置','Library'=>'媒體庫','Preview Size'=>'預覽尺寸','Image ID'=>'圖片 ID','Image URL'=>'圖片網址','Image Array'=>'圖片陣列','Specify the returned value on front end'=>'指定在網站前端傳回的值','Return Value'=>'傳回值','Add Image'=>'新增圖片','No image selected'=>'尚未選取圖片','Remove'=>'移除','Edit'=>'編輯','All images'=>'全部圖片','Update Image'=>'更新圖片','Edit Image'=>'編輯圖片','Select Image'=>'選取圖片','Image'=>'圖片','Allow HTML markup to display as visible text instead of rendering'=>'','Escape HTML'=>'','No Formatting'=>'','Automatically add <br>'=>'','Automatically add paragraphs'=>'自動增加段落','Controls how new lines are rendered'=>'','New Lines'=>'','Week Starts On'=>'每週開始於','The format used when saving a value'=>'儲存資料值時使用的格式','Save Format'=>'儲存格式','Date Picker JS weekHeaderWk'=>'','Date Picker JS prevTextPrev'=>'','Date Picker JS nextTextNext'=>'','Date Picker JS currentTextToday'=>'今天','Date Picker JS closeTextDone'=>'完成','Date Picker'=>'日期選擇器','Width'=>'寬度','Embed Size'=>'','Enter URL'=>'輸入網址','oEmbed'=>'oEmbed','Text shown when inactive'=>'','Off Text'=>'','Text shown when active'=>'','On Text'=>'','Stylized UI'=>'樣式化使用者介面','Default Value'=>'預設值','Displays text alongside the checkbox'=>'','Message'=>'訊息','No'=>'否','Yes'=>'是','True / False'=>'True/False','Row'=>'行','Table'=>'表格','Block'=>'區塊','Specify the style used to render the selected fields'=>'指定用於呈現選定欄位的樣式','Layout'=>'版面配置','Sub Fields'=>'子欄位','Group'=>'群組','Customize the map height'=>'','Height'=>'高度','Set the initial zoom level'=>'載入地圖後的初始縮放層級','Zoom'=>'縮放層級','Center the initial map'=>'載入地圖後的初始中心位置,請輸入緯度 (lat) 及經度 (lng)','Center'=>'中心位置','Search for address...'=>'以地址進行搜尋...','Find current location'=>'尋找目前位置','Clear location'=>'清除位置','Search'=>'搜尋','Sorry, this browser does not support geolocation'=>'很抱歉,使用中的瀏覽器不支援地理位置','Google Map'=>'Google 地圖','The format returned via template functions'=>'範本函式回傳的格式','Return Format'=>'傳回的資料格式','Custom:'=>'自訂:','The format displayed when editing a post'=>'編輯文章時顯示的格式','Display Format'=>'顯示格式','Time Picker'=>'時間選擇器','Inactive (%s)'=>'未啟用 (%s)','No Fields found in Trash'=>'在回收桶中找不到符合條件的欄位','No Fields found'=>'找不到符合條件的欄位','Search Fields'=>'搜尋欄位','View Field'=>'檢視欄位','New Field'=>'新欄位','Edit Field'=>'編輯欄位','Add New Field'=>'新增欄位','Field'=>'欄位','Fields'=>'欄位','No Field Groups found in Trash'=>'在回收桶中找不到符合條件的欄位群組','No Field Groups found'=>'找不到符合條件的欄位群組','Search Field Groups'=>'搜尋欄位群組','View Field Group'=>'檢視欄位群組','New Field Group'=>'新增欄位群組','Edit Field Group'=>'編輯欄位群組','Add New Field Group'=>'新增欄位群組','Add New'=>'新增項目','Field Group'=>'欄位群組','Field Groups'=>'欄位群組','Customize WordPress with powerful, professional and intuitive fields.'=>'','https://www.advancedcustomfields.com'=>'','Advanced Custom Fields'=>'Advanced Custom Fields','Advanced Custom Fields PRO'=>'Advanced Custom Fields PRO','Block type name is required.'=>'%s 值為必填','Block type "%s" is already registered.'=>'','Switch to Edit'=>'切換至編輯','Switch to Preview'=>'切換至預覽','Change content alignment'=>'','%s settings'=>'設定','This block contains no editable fields.'=>'','Assign a field group to add fields to this block.'=>'','Options Updated'=>'選項已更新','To enable updates, please enter your license key on the Updates page. If you don\'t have a licence key, please see details & pricing.'=>'要啟用更新,請在更新頁面上輸入您的授權金鑰。 如果您沒有授權金鑰,請參閱詳情和定價。','ACF Activation Error. Your defined license key has changed, but an error occurred when deactivating your old licence'=>'','ACF Activation Error. Your defined license key has changed, but an error occurred when connecting to activation server'=>'','ACF Activation Error'=>'','ACF Activation Error. An error occurred when connecting to activation server'=>'錯誤。 無法連接到更新伺服器','Check Again'=>'再檢查一次','ACF Activation Error. Could not connect to activation server'=>'錯誤。 無法連接到更新伺服器','Publish'=>'發佈','No Custom Field Groups found for this options page. Create a Custom Field Group'=>'此設定頁沒有自訂欄位群組。建立一個自訂欄位群組','Error. Could not connect to update server'=>'錯誤。 無法連接到更新伺服器','Error. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.'=>'錯誤。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授權。','Error. Your license for this site has expired or been deactivated. Please reactivate your ACF PRO license.'=>'錯誤。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授權。','Allows you to select and display existing fields. It does not duplicate any fields in the database, but loads and displays the selected fields at run-time. The Clone field can either replace itself with the selected fields or display the selected fields as a group of subfields.'=>'','Select one or more fields you wish to clone'=>'選取一或多個你希望複製的欄位','Display'=>'顯示','Specify the style used to render the clone field'=>'指定繪製分身欄位的樣式','Group (displays selected fields in a group within this field)'=>'群組(顯示該欄位內群組中被選定的欄位)','Seamless (replaces this field with selected fields)'=>'無縫(用選定欄位取代此欄位)','Labels will be displayed as %s'=>'標籤將顯示為%s','Prefix Field Labels'=>'前置欄位標籤','Values will be saved as %s'=>'值將被儲存為 %s','Prefix Field Names'=>'前置欄位名稱','Unknown field'=>'未知的欄位','Unknown field group'=>'未知的欄位群組','All fields from %s field group'=>'所有欄位來自 %s 欄位群組','Allows you to define, create and manage content with total control by creating layouts that contain subfields that content editors can choose from.'=>'','Add Row'=>'新增列','layout'=>'版面配置','layouts'=>'版面','This field requires at least {min} {label} {identifier}'=>'這個欄位至少需要 {min} {label} {identifier}','This field has a limit of {max} {label} {identifier}'=>'此欄位的限制為 {max} {label} {identifier}','{available} {label} {identifier} available (max {max})'=>'{available} {label} {identifier} 可用 (最大 {max})','{required} {label} {identifier} required (min {min})'=>'{required} {label} {identifier} 需要 (最小 {min})','Flexible Content requires at least 1 layout'=>'彈性內容需要至少 1 個版面配置','Click the "%s" button below to start creating your layout'=>'點擊下方的 "%s" 按鈕以新增設定','Add layout'=>'新增版面','Duplicate layout'=>'複製版面','Remove layout'=>'移除版面','Click to toggle'=>'點擊切換','Delete Layout'=>'刪除版面','Duplicate Layout'=>'複製版面','Add New Layout'=>'新增版面','Add Layout'=>'新增版面','Min'=>'最小','Max'=>'最大','Minimum Layouts'=>'最少可使用版面數量','Maximum Layouts'=>'最多可使用版面數量','Button Label'=>'按鈕標籤','%s must be of type array or null.'=>'','%1$s must contain at least %2$s %3$s layout.'=>'','%1$s must contain at most %2$s %3$s layout.'=>'','An interactive interface for managing a collection of attachments, such as images.'=>'','Add Image to Gallery'=>'新增圖片到圖庫','Maximum selection reached'=>'已達到最大選擇','Length'=>'長度','Caption'=>'標題','Alt Text'=>'替代文字','Add to gallery'=>'加入圖庫','Bulk actions'=>'批次操作','Sort by date uploaded'=>'依上傳日期排序','Sort by date modified'=>'依修改日期排序','Sort by title'=>'依標題排序','Reverse current order'=>'反向目前順序','Close'=>'關閉','Minimum Selection'=>'最小選擇','Maximum Selection'=>'最大選擇','Allowed file types'=>'允許的檔案類型','Insert'=>'插入','Specify where new attachments are added'=>'指定新附件加入的位置','Append to the end'=>'附加在後','Prepend to the beginning'=>'插入至最前','Minimum rows not reached ({min} rows)'=>'已達最小行數 ( {min} 行 )','Maximum rows reached ({max} rows)'=>'已達最大行數 ( {max} 行 )','Error loading page'=>'','Order will be assigned upon save'=>'','Useful for fields with a large number of rows.'=>'','Rows Per Page'=>'文章頁面','Set the number of rows to be displayed on a page.'=>'選擇要顯示的分類法','Minimum Rows'=>'最小行數','Maximum Rows'=>'最大行數','Collapsed'=>'收合','Select a sub field to show when row is collapsed'=>'選取一個子欄位,讓它在行列收合時顯示','Invalid field key or name.'=>'','There was an error retrieving the field.'=>'','Click to reorder'=>'拖曳排序','Add row'=>'新增列','Duplicate row'=>'複製','Remove row'=>'移除列','Current Page'=>'目前使用者','First Page'=>'網站首頁','Previous Page'=>'文章頁面','paging%1$s of %2$s'=>'','Next Page'=>'網站首頁','Last Page'=>'文章頁面','No block types exist'=>'設定頁面不存在','No options pages exist'=>'設定頁面不存在','Deactivate License'=>'停用授權','Activate License'=>'啟用授權','License Information'=>'授權資訊','To unlock updates, please enter your license key below. If you don\'t have a licence key, please see details & pricing.'=>'要解鎖更新服務,請於下方輸入您的授權金鑰。若你沒有授權金鑰,請查閱 詳情與價目。','License Key'=>'授權金鑰','Your license key is defined in wp-config.php.'=>'','Retry Activation'=>'啟用碼','Update Information'=>'更新資訊','Current Version'=>'目前版本','Latest Version'=>'最新版本','Update Available'=>'可用更新','Upgrade Notice'=>'升級提醒','Check For Updates'=>'','Enter your license key to unlock updates'=>'請於上方輸入你的授權金鑰以解鎖更新','Update Plugin'=>'更新外掛','Please reactivate your license to unlock updates'=>'請於上方輸入你的授權金鑰以解鎖更新'],'language'=>'zh_TW','x-generator'=>'gettext'];
\ No newline at end of file
diff --git a/lang/acf-zh_TW.mo b/lang/acf-zh_TW.mo
index 3a942e7..fa73199 100644
Binary files a/lang/acf-zh_TW.mo and b/lang/acf-zh_TW.mo differ
diff --git a/lang/acf-zh_TW.po b/lang/acf-zh_TW.po
index 9c3a5c5..f9b9297 100644
--- a/lang/acf-zh_TW.po
+++ b/lang/acf-zh_TW.po
@@ -12,7 +12,7 @@
# This file is distributed under the same license as Advanced Custom Fields.
msgid ""
msgstr ""
-"PO-Revision-Date: 2025-01-21T10:45:54+00:00\n"
+"PO-Revision-Date: 2025-03-10T14:58:23+00:00\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"Language: zh_TW\n"
"MIME-Version: 1.0\n"
@@ -21,6 +21,28 @@ msgstr ""
"X-Generator: gettext\n"
"Project-Id-Version: Advanced Custom Fields\n"
+#: includes/validation.php:144
+msgid "Learn more"
+msgstr ""
+
+#: includes/validation.php:133
+msgid ""
+"ACF was unable to perform validation because the provided nonce failed "
+"verification."
+msgstr ""
+
+#: includes/validation.php:131
+msgid ""
+"ACF was unable to perform validation because no nonce was received by the "
+"server."
+msgstr ""
+
+#. translators: This text is prepended by a link to ACF's website, and appended
+#. by a link to WP Engine's website.
+#: includes/admin/admin.php:324
+msgid "are developed and maintained by"
+msgstr ""
+
#: includes/class-acf-site-health.php:291
msgid "Update Source"
msgstr ""
@@ -57,12 +79,6 @@ msgstr ""
msgid "wordpress.org"
msgstr "WordPress.org"
-#: includes/validation.php:136
-msgid ""
-"ACF was unable to perform validation due to an invalid security nonce being "
-"provided."
-msgstr "提供的安全性單次有效驗證碼無效,因此 ACF 無法執行驗證。"
-
#: includes/fields/class-acf-field.php:359
msgid "Allow Access to Value in Editor UI"
msgstr "允許存取編輯器使用者介面中的值"
@@ -2019,21 +2035,21 @@ msgstr "新增欄位"
msgid "This Field"
msgstr "這個欄位"
-#: includes/admin/admin.php:352
+#: includes/admin/admin.php:361
msgid "ACF PRO"
msgstr ""
-#: includes/admin/admin.php:350
+#: includes/admin/admin.php:359
msgid "Feedback"
msgstr ""
-#: includes/admin/admin.php:348
+#: includes/admin/admin.php:357
msgid "Support"
msgstr ""
#. translators: This text is prepended by a link to ACF's website, and appended
#. by a link to WP Engine's website.
-#: includes/admin/admin.php:323
+#: includes/admin/admin.php:332
msgid "is developed and maintained by"
msgstr ""
@@ -4364,7 +4380,7 @@ msgid ""
"manage them with ACF. Get Started."
msgstr ""
-#: includes/admin/admin.php:46 includes/admin/admin.php:352
+#: includes/admin/admin.php:46 includes/admin/admin.php:361
#: includes/class-acf-site-health.php:250
msgid "ACF"
msgstr "ACF"
@@ -4686,7 +4702,7 @@ msgstr "啟用這個項目"
msgid "Move field group to trash?"
msgstr "將欄位群組移至回收桶"
-#: acf.php:501 includes/admin/admin-internal-post-type-list.php:264
+#: acf.php:504 includes/admin/admin-internal-post-type-list.php:264
#: includes/admin/post-types/admin-field-group.php:304
#: includes/admin/post-types/admin-post-type.php:282
#: includes/admin/post-types/admin-taxonomy.php:284
@@ -4699,13 +4715,13 @@ msgstr ""
msgid "WP Engine"
msgstr ""
-#: acf.php:559
+#: acf.php:562
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields PRO."
msgstr ""
-#: acf.php:557
+#: acf.php:560
msgid ""
"Advanced Custom Fields and Advanced Custom Fields PRO should not be active "
"at the same time. We've automatically deactivated Advanced Custom Fields."
@@ -5126,7 +5142,7 @@ msgstr ""
msgid "Attachment"
msgstr "附件"
-#: includes/validation.php:313
+#: includes/validation.php:323
msgid "%s value is required"
msgstr ""
@@ -5605,7 +5621,7 @@ msgstr "再製這個項目"
msgid "Supports"
msgstr "支援項目"
-#: includes/admin/admin.php:346
+#: includes/admin/admin.php:355
#: includes/admin/views/browse-fields-modal.php:102
msgid "Documentation"
msgstr "線上說明文件"
@@ -5899,8 +5915,8 @@ msgstr ""
msgid "1 field requires attention"
msgstr ""
-#: includes/assets.php:368 includes/validation.php:247
-#: includes/validation.php:255
+#: includes/assets.php:368 includes/validation.php:257
+#: includes/validation.php:265
msgid "Validation failed"
msgstr "驗證失敗"
@@ -7279,89 +7295,89 @@ msgid "Time Picker"
msgstr "時間選擇器"
#. translators: counts for inactive field groups
-#: acf.php:507
+#: acf.php:510
msgid "Inactive (%s)"
msgid_plural "Inactive (%s)"
msgstr[0] "未啟用 (%s)"
-#: acf.php:468
+#: acf.php:471
msgid "No Fields found in Trash"
msgstr "在回收桶中找不到符合條件的欄位"
-#: acf.php:467
+#: acf.php:470
msgid "No Fields found"
msgstr "找不到符合條件的欄位"
-#: acf.php:466
+#: acf.php:469
msgid "Search Fields"
msgstr "搜尋欄位"
-#: acf.php:465
+#: acf.php:468
msgid "View Field"
msgstr "檢視欄位"
-#: acf.php:464 includes/admin/views/acf-field-group/fields.php:113
+#: acf.php:467 includes/admin/views/acf-field-group/fields.php:113
msgid "New Field"
msgstr "新欄位"
-#: acf.php:463
+#: acf.php:466
msgid "Edit Field"
msgstr "編輯欄位"
-#: acf.php:462
+#: acf.php:465
msgid "Add New Field"
msgstr "新增欄位"
-#: acf.php:460
+#: acf.php:463
msgid "Field"
msgstr "欄位"
-#: acf.php:459 includes/admin/post-types/admin-field-group.php:179
+#: acf.php:462 includes/admin/post-types/admin-field-group.php:179
#: includes/admin/post-types/admin-field-groups.php:93
#: includes/admin/views/acf-field-group/fields.php:32
msgid "Fields"
msgstr "欄位"
-#: acf.php:434
+#: acf.php:437
msgid "No Field Groups found in Trash"
msgstr "在回收桶中找不到符合條件的欄位群組"
-#: acf.php:433
+#: acf.php:436
msgid "No Field Groups found"
msgstr "找不到符合條件的欄位群組"
-#: acf.php:432
+#: acf.php:435
msgid "Search Field Groups"
msgstr "搜尋欄位群組"
-#: acf.php:431
+#: acf.php:434
msgid "View Field Group"
msgstr "檢視欄位群組"
-#: acf.php:430
+#: acf.php:433
msgid "New Field Group"
msgstr "新增欄位群組"
-#: acf.php:429
+#: acf.php:432
msgid "Edit Field Group"
msgstr "編輯欄位群組"
-#: acf.php:428
+#: acf.php:431
msgid "Add New Field Group"
msgstr "新增欄位群組"
-#: acf.php:427 acf.php:461
+#: acf.php:430 acf.php:464
#: includes/admin/views/acf-post-type/advanced-settings.php:224
#: includes/post-types/class-acf-post-type.php:93
#: includes/post-types/class-acf-taxonomy.php:92
msgid "Add New"
msgstr "新增項目"
-#: acf.php:426
+#: acf.php:429
msgid "Field Group"
msgstr "欄位群組"
-#: acf.php:425 includes/admin/post-types/admin-field-groups.php:55
+#: acf.php:428 includes/admin/post-types/admin-field-groups.php:55
#: includes/admin/post-types/admin-post-types.php:113
#: includes/admin/post-types/admin-taxonomies.php:112
msgid "Field Groups"
diff --git a/lang/pro/acf-en_GB.po b/lang/pro/acf-en_GB.po
index 42b6ebe..3fcf3b9 100644
--- a/lang/pro/acf-en_GB.po
+++ b/lang/pro/acf-en_GB.po
@@ -4,7 +4,7 @@ msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields PRO\n"
"Report-Msgid-Bugs-To: https://support.advancedcustomfields.com\n"
-"POT-Creation-Date: 2024-02-26 11:28+0000\n"
+"POT-Creation-Date: 2025-01-21 10:45+0000\n"
"PO-Revision-Date: \n"
"Last-Translator: WP Engine \n"
"Language-Team: WP Engine \n"
@@ -18,15 +18,23 @@ msgstr ""
"_nx_noop:1,2,3c;_x:1,2c;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;"
"esc_html_e;esc_html_x:1,2c\n"
"X-Poedit-SourceCharset: UTF-8\n"
-"X-Generator: Poedit 3.4.2\n"
+"X-Generator: Poedit 3.5\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"
-#: pro/acf-pro.php:22
+#: pro/acf-pro.php:21
msgid "Advanced Custom Fields PRO"
msgstr ""
-#: pro/acf-pro.php:181
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+msgstr ""
+"Your ACF PRO licence is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+
+#: pro/acf-pro.php:171
msgid ""
"Your license has expired. Please renew to continue to have access to "
"updates, support & PRO features."
@@ -34,7 +42,7 @@ msgstr ""
"Your licence has expired. Please renew to continue to have access to "
"updates, support & PRO features."
-#: pro/acf-pro.php:178
+#: pro/acf-pro.php:168
msgid ""
"Activate your license to enable access to updates, support & PRO "
"features."
@@ -42,84 +50,104 @@ msgstr ""
"Activate your licence to enable access to updates, support & PRO "
"features."
-#: pro/acf-pro.php:196, pro/admin/views/html-settings-updates.php:114
+#: pro/acf-pro.php:189, pro/admin/views/html-settings-updates.php:114
msgid "Manage License"
msgstr "Manage Licence"
-#: pro/blocks.php:172
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "A valid licence is required to edit options pages."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr "A valid licence is required to edit field groups assigned to a block."
+
+#: pro/blocks.php:186
msgid "Block type name is required."
msgstr ""
#. translators: The name of the block type
-#: pro/blocks.php:180
+#: pro/blocks.php:194
msgid "Block type \"%s\" is already registered."
msgstr ""
-#: pro/blocks.php:725
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr ""
+
+#: pro/blocks.php:790
msgid "Switch to Edit"
msgstr ""
-#: pro/blocks.php:726
+#: pro/blocks.php:791
msgid "Switch to Preview"
msgstr ""
-#: pro/blocks.php:727
+#: pro/blocks.php:792
msgid "Change content alignment"
msgstr ""
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
+msgstr ""
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+
#. translators: %s: Block type title
-#: pro/blocks.php:730
+#: pro/blocks.php:797
msgid "%s settings"
msgstr ""
-#: pro/blocks.php:938
+#: pro/blocks.php:1039
msgid "This block contains no editable fields."
msgstr ""
#. translators: %s: an admin URL to the field group edit screen
-#: pro/blocks.php:944
+#: pro/blocks.php:1045
msgid ""
"Assign a field group to add fields to "
"this block."
msgstr ""
-#: pro/options-page.php:44,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:209
+#: pro/options-page.php:43,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:237
msgid "Options"
msgstr ""
-#: pro/options-page.php:74, pro/fields/class-acf-field-gallery.php:504,
-#: pro/post-types/acf-ui-options-page.php:172,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:137
+#: pro/options-page.php:73, pro/fields/class-acf-field-gallery.php:483,
+#: pro/post-types/acf-ui-options-page.php:173,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:165
msgid "Update"
msgstr ""
-#: pro/options-page.php:75, pro/post-types/acf-ui-options-page.php:173
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
msgid "Options Updated"
msgstr ""
#. translators: %1 A link to the updates page. %2 link to the pricing page
-#: pro/updates.php:72
+#: pro/updates.php:75
msgid ""
"To enable updates, please enter your license key on the Updates page. If you don't have a license key, please see "
"details & pricing."
msgstr ""
"To enable updates, please enter your licence key on the Updates page. If you don’t have a licence key, please see details & pricing."
+"href=\"%1$s\">Updates page. If you don’t have a licence key, please see "
+"details & pricing."
-#: pro/updates.php:68
+#: pro/updates.php:71
msgid ""
"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
"key, please see details & pricing."
msgstr ""
"To enable updates, please enter your licence key on the Updates page of the main site. If you don’t have a licence "
-"key, please see details & pricing."
+"href=\"%1$s\">Updates page of the main site. If you don’t have a licence "
+"key, please see details & pricing."
-#: pro/updates.php:133
+#: pro/updates.php:136
msgid ""
"Your defined license key has changed, but an error occurred when "
"deactivating your old license"
@@ -127,7 +155,7 @@ msgstr ""
"Your defined licence key has changed, but an error occurred when "
"deactivating your old licence"
-#: pro/updates.php:130
+#: pro/updates.php:133
msgid ""
"Your defined license key has changed, but an error occurred when connecting "
"to activation server"
@@ -135,7 +163,7 @@ msgstr ""
"Your defined licence key has changed, but an error occurred when connecting "
"to activation server"
-#: pro/updates.php:174
+#: pro/updates.php:168
msgid ""
"ACF PRO — Your license key has been activated "
"successfully. Access to updates, support & PRO features is now enabled."
@@ -143,53 +171,59 @@ msgstr ""
"ACF PRO — Your licence key has been activated "
"successfully. Access to updates, support & PRO features is now enabled."
-#: pro/updates.php:165
+#: pro/updates.php:159
msgid "There was an issue activating your license key."
msgstr "There was an issue activating your licence key."
-#: pro/updates.php:161
+#: pro/updates.php:155
msgid "An error occurred when connecting to activation server"
-msgstr "An error occurred when connecting to activation server"
-
-#: pro/updates.php:262
-msgid ""
-"An internal error occurred when trying to check your license key. Please try "
-"again later."
-msgstr ""
-"An internal error occurred when trying to check your licence key. Please try "
-"again later."
-
-#: pro/updates.php:260
-msgid ""
-"The ACF activation server is temporarily unavailable for scheduled "
-"maintenance. Please try again later."
msgstr ""
-#: pro/updates.php:230
-msgid "You have reached the activation limit for the license."
-msgstr "You have reached the activation limit for the licence."
-
-#: pro/updates.php:239, pro/updates.php:211
-msgid "View your licenses"
-msgstr "View your licences"
-
-#: pro/updates.php:252
-msgid "check again"
+#: pro/updates.php:258
+msgid ""
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
msgstr ""
#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"An upstream API error occurred when checking your ACF PRO licence status. We "
+"will retry again shortly."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "You have reached the activation limit for the licence."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "View your licences"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr ""
+
+#: pro/updates.php:250
msgid "%1$s or %2$s."
msgstr ""
-#: pro/updates.php:216
+#: pro/updates.php:210
msgid "Your license key has expired and cannot be activated."
msgstr "Your licence key has expired and cannot be activated."
-#: pro/updates.php:225
+#: pro/updates.php:219
msgid "View your subscriptions"
msgstr ""
-#: pro/updates.php:202
+#: pro/updates.php:196
msgid ""
"License key not found. Make sure you have copied your license key exactly as "
"it appears in your receipt or your account."
@@ -197,11 +231,11 @@ msgstr ""
"Licence key not found. Make sure you have copied your licence key exactly as "
"it appears in your receipt or your account."
-#: pro/updates.php:200
+#: pro/updates.php:194
msgid "Your license key has been deactivated."
msgstr "Your licence key has been deactivated."
-#: pro/updates.php:198
+#: pro/updates.php:192
msgid ""
"Your license key has been activated successfully. Access to updates, support "
"& PRO features is now enabled."
@@ -210,32 +244,34 @@ msgstr ""
"& PRO features is now enabled."
#. translators: %s an untranslatable internal upstream error message
-#: pro/updates.php:266
-msgid "An unknown error occurred while trying to validate your license: %s."
-msgstr "An unknown error occurred while trying to validate your licence: %s."
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
+msgstr ""
-#: pro/updates.php:337, pro/updates.php:926
+#: pro/updates.php:333, pro/updates.php:949
msgid "ACF PRO —"
msgstr ""
-#: pro/updates.php:346
+#: pro/updates.php:342
msgid "Check again"
msgstr ""
-#: pro/updates.php:678
+#: pro/updates.php:657
msgid "Could not connect to the activation server"
msgstr ""
#. translators: %s - URL to ACF updates page
-#: pro/updates.php:722
+#: pro/updates.php:727
msgid ""
"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
msgstr ""
"Your licence key is valid but not activated on this site. Please deactivate and then reactivate the licence."
+"href=\"%s\">deactivate and then reactivate the licence."
-#: pro/updates.php:926
+#: pro/updates.php:949
msgid ""
"Your site URL has changed since last activating your license. We've "
"automatically activated it for this site URL."
@@ -243,7 +279,7 @@ msgstr ""
"Your site URL has changed since last activating your licence. We’ve "
"automatically activated it for this site URL."
-#: pro/updates.php:918
+#: pro/updates.php:941
msgid ""
"Your site URL has changed since last activating your license, but we weren't "
"able to automatically reactivate it: %s"
@@ -251,17 +287,17 @@ msgstr ""
"Your site URL has changed since last activating your licence, but we weren’t "
"able to automatically reactivate it: %s"
-#: pro/admin/admin-options-page.php:160
+#: pro/admin/admin-options-page.php:159
msgid "Publish"
msgstr ""
-#: pro/admin/admin-options-page.php:163
+#: pro/admin/admin-options-page.php:162
msgid ""
"No Custom Field Groups found for this options page. Create a "
"Custom Field Group"
msgstr ""
-#: pro/admin/admin-options-page.php:260
+#: pro/admin/admin-options-page.php:258
msgid "Edit field group"
msgstr ""
@@ -275,13 +311,13 @@ msgid "Updates"
msgstr ""
#. translators: %s the version of WordPress required for this ACF update
-#: pro/admin/admin-updates.php:196
+#: pro/admin/admin-updates.php:203
msgid ""
"An update to ACF is available, but it is not compatible with your version of "
"WordPress. Please upgrade to WordPress %s or newer to update ACF."
msgstr ""
-#: pro/admin/admin-updates.php:217
+#: pro/admin/admin-updates.php:224
msgid ""
"Error. Could not authenticate update package. Please check "
"again or deactivate and reactivate your ACF PRO license."
@@ -289,7 +325,7 @@ msgstr ""
"Error. Could not authenticate update package. Please check "
"again or deactivate and reactivate your ACF PRO licence."
-#: pro/admin/admin-updates.php:207
+#: pro/admin/admin-updates.php:214
msgid ""
"Error. Your license for this site has expired or been "
"deactivated. Please reactivate your ACF PRO license."
@@ -297,13 +333,12 @@ msgstr ""
"Error. Your licence for this site has expired or been "
"deactivated. Please reactivate your ACF PRO licence."
-#: pro/fields/class-acf-field-clone.php:23
+#: pro/fields/class-acf-field-clone.php:22
msgctxt "noun"
msgid "Clone"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:25,
-#: pro/fields/class-acf-field-repeater.php:31
+#: pro/fields/class-acf-field-clone.php:24
msgid ""
"Allows you to select and display existing fields. It does not duplicate any "
"fields in the database, but loads and displays the selected fields at run-"
@@ -311,90 +346,90 @@ msgid ""
"display the selected fields as a group of subfields."
msgstr ""
-#: pro/fields/class-acf-field-clone.php:737,
-#: pro/fields/class-acf-field-flexible-content.php:71
+#: pro/fields/class-acf-field-clone.php:724,
+#: pro/fields/class-acf-field-flexible-content.php:72
msgid "Fields"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:738
+#: pro/fields/class-acf-field-clone.php:725
msgid "Select one or more fields you wish to clone"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:757
+#: pro/fields/class-acf-field-clone.php:745
msgid "Display"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:758
+#: pro/fields/class-acf-field-clone.php:746
msgid "Specify the style used to render the clone field"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:763
+#: pro/fields/class-acf-field-clone.php:751
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:764
+#: pro/fields/class-acf-field-clone.php:752
msgid "Seamless (replaces this field with selected fields)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:773,
-#: pro/fields/class-acf-field-flexible-content.php:512,
-#: pro/fields/class-acf-field-flexible-content.php:575,
-#: pro/fields/class-acf-field-repeater.php:177
+#: pro/fields/class-acf-field-clone.php:761,
+#: pro/fields/class-acf-field-flexible-content.php:509,
+#: pro/fields/class-acf-field-flexible-content.php:572,
+#: pro/fields/class-acf-field-repeater.php:178
msgid "Layout"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:774
+#: pro/fields/class-acf-field-clone.php:762
msgid "Specify the style used to render the selected fields"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:779,
-#: pro/fields/class-acf-field-flexible-content.php:588,
-#: pro/fields/class-acf-field-repeater.php:185,
+#: pro/fields/class-acf-field-clone.php:767,
+#: pro/fields/class-acf-field-flexible-content.php:585,
+#: pro/fields/class-acf-field-repeater.php:186,
#: pro/locations/class-acf-location-block.php:22
msgid "Block"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:780,
-#: pro/fields/class-acf-field-flexible-content.php:587,
-#: pro/fields/class-acf-field-repeater.php:184
+#: pro/fields/class-acf-field-clone.php:768,
+#: pro/fields/class-acf-field-flexible-content.php:584,
+#: pro/fields/class-acf-field-repeater.php:185
msgid "Table"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:781,
-#: pro/fields/class-acf-field-flexible-content.php:589,
-#: pro/fields/class-acf-field-repeater.php:186
+#: pro/fields/class-acf-field-clone.php:769,
+#: pro/fields/class-acf-field-flexible-content.php:586,
+#: pro/fields/class-acf-field-repeater.php:187
msgid "Row"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:787
+#: pro/fields/class-acf-field-clone.php:775
msgid "Labels will be displayed as %s"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:792
+#: pro/fields/class-acf-field-clone.php:780
msgid "Prefix Field Labels"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:802
+#: pro/fields/class-acf-field-clone.php:790
msgid "Values will be saved as %s"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:807
+#: pro/fields/class-acf-field-clone.php:795
msgid "Prefix Field Names"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:907
+#: pro/fields/class-acf-field-clone.php:892
msgid "Unknown field"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:911
+#: pro/fields/class-acf-field-clone.php:896
msgid "(no title)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:941
+#: pro/fields/class-acf-field-clone.php:925
msgid "Unknown field group"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:945
+#: pro/fields/class-acf-field-clone.php:929
msgid "All fields from %s field group"
msgstr ""
@@ -412,310 +447,310 @@ msgstr ""
msgid "We do not recommend using this field in ACF Blocks."
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:33,
-#: pro/fields/class-acf-field-repeater.php:103,
-#: pro/fields/class-acf-field-repeater.php:297
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
msgid "Add Row"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:69,
-#: pro/fields/class-acf-field-flexible-content.php:870,
-#: pro/fields/class-acf-field-flexible-content.php:948
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
msgid "layout"
msgid_plural "layouts"
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-flexible-content.php:70
+#: pro/fields/class-acf-field-flexible-content.php:71
msgid "layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:74,
-#: pro/fields/class-acf-field-flexible-content.php:869,
-#: pro/fields/class-acf-field-flexible-content.php:947
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
msgid "This field requires at least {min} {label} {identifier}"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:75
+#: pro/fields/class-acf-field-flexible-content.php:76
msgid "This field has a limit of {max} {label} {identifier}"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:78
+#: pro/fields/class-acf-field-flexible-content.php:79
msgid "{available} {label} {identifier} available (max {max})"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:79
+#: pro/fields/class-acf-field-flexible-content.php:80
msgid "{required} {label} {identifier} required (min {min})"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:82
+#: pro/fields/class-acf-field-flexible-content.php:83
msgid "Flexible Content requires at least 1 layout"
msgstr ""
#. translators: %s the button label used for adding a new layout.
-#: pro/fields/class-acf-field-flexible-content.php:257
+#: pro/fields/class-acf-field-flexible-content.php:255
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:378,
-#: pro/fields/class-acf-repeater-table.php:363
+#: pro/fields/class-acf-field-flexible-content.php:375,
+#: pro/fields/class-acf-repeater-table.php:364
msgid "Drag to reorder"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:381
+#: pro/fields/class-acf-field-flexible-content.php:378
msgid "Add layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:382
+#: pro/fields/class-acf-field-flexible-content.php:379
msgid "Duplicate layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:383
+#: pro/fields/class-acf-field-flexible-content.php:380
msgid "Remove layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:384,
-#: pro/fields/class-acf-repeater-table.php:379
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
msgid "Click to toggle"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:520
+#: pro/fields/class-acf-field-flexible-content.php:517
msgid "Delete Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:521
+#: pro/fields/class-acf-field-flexible-content.php:518
msgid "Duplicate Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:522
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add New Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:522
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add Layout"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:551
+#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Label"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:568
+#: pro/fields/class-acf-field-flexible-content.php:565
msgid "Name"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:606
+#: pro/fields/class-acf-field-flexible-content.php:603
msgid "Min"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:621
+#: pro/fields/class-acf-field-flexible-content.php:618
msgid "Max"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:662
+#: pro/fields/class-acf-field-flexible-content.php:659
msgid "Minimum Layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:673
+#: pro/fields/class-acf-field-flexible-content.php:670
msgid "Maximum Layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:684,
-#: pro/fields/class-acf-field-repeater.php:293
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
msgid "Button Label"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:1555,
-#: pro/fields/class-acf-field-repeater.php:912
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
msgid "%s must be of type array or null."
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:1566
+#: pro/fields/class-acf-field-flexible-content.php:1563
msgid "%1$s must contain at least %2$s %3$s layout."
msgid_plural "%1$s must contain at least %2$s %3$s layouts."
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-flexible-content.php:1582
+#: pro/fields/class-acf-field-flexible-content.php:1579
msgid "%1$s must contain at most %2$s %3$s layout."
msgid_plural "%1$s must contain at most %2$s %3$s layouts."
msgstr[0] ""
msgstr[1] ""
-#: pro/fields/class-acf-field-gallery.php:23
+#: pro/fields/class-acf-field-gallery.php:22
msgid "Gallery"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:25
+#: pro/fields/class-acf-field-gallery.php:24
msgid ""
"An interactive interface for managing a collection of attachments, such as "
"images."
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:73
+#: pro/fields/class-acf-field-gallery.php:72
msgid "Add Image to Gallery"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:74
+#: pro/fields/class-acf-field-gallery.php:73
msgid "Maximum selection reached"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:303
+#: pro/fields/class-acf-field-gallery.php:282
msgid "Length"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:318
+#: pro/fields/class-acf-field-gallery.php:297
msgid "Edit"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:319,
-#: pro/fields/class-acf-field-gallery.php:472
+#: pro/fields/class-acf-field-gallery.php:298,
+#: pro/fields/class-acf-field-gallery.php:451
msgid "Remove"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:335
+#: pro/fields/class-acf-field-gallery.php:314
msgid "Title"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:347
+#: pro/fields/class-acf-field-gallery.php:326
msgid "Caption"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:359
+#: pro/fields/class-acf-field-gallery.php:338
msgid "Alt Text"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:371,
+#: pro/fields/class-acf-field-gallery.php:350,
#: pro/admin/post-types/admin-ui-options-pages.php:117,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:125
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:153
msgid "Description"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:481
+#: pro/fields/class-acf-field-gallery.php:460
msgid "Add to gallery"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:485
+#: pro/fields/class-acf-field-gallery.php:464
msgid "Bulk actions"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:486
+#: pro/fields/class-acf-field-gallery.php:465
msgid "Sort by date uploaded"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:487
+#: pro/fields/class-acf-field-gallery.php:466
msgid "Sort by date modified"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:488
+#: pro/fields/class-acf-field-gallery.php:467
msgid "Sort by title"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:489
+#: pro/fields/class-acf-field-gallery.php:468
msgid "Reverse current order"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:501
+#: pro/fields/class-acf-field-gallery.php:480
msgid "Close"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:530
+#: pro/fields/class-acf-field-gallery.php:508
msgid "Return Format"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:536
+#: pro/fields/class-acf-field-gallery.php:514
msgid "Image Array"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:537
+#: pro/fields/class-acf-field-gallery.php:515
msgid "Image URL"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:538
+#: pro/fields/class-acf-field-gallery.php:516
msgid "Image ID"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:546
+#: pro/fields/class-acf-field-gallery.php:524
msgid "Library"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:547
+#: pro/fields/class-acf-field-gallery.php:525
msgid "Limit the media library choice"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:552,
-#: pro/locations/class-acf-location-block.php:66
+#: pro/fields/class-acf-field-gallery.php:530,
+#: pro/locations/class-acf-location-block.php:68
msgid "All"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:553
+#: pro/fields/class-acf-field-gallery.php:531
msgid "Uploaded to post"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:589
+#: pro/fields/class-acf-field-gallery.php:567
msgid "Minimum Selection"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:599
+#: pro/fields/class-acf-field-gallery.php:577
msgid "Maximum Selection"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:609
+#: pro/fields/class-acf-field-gallery.php:587
msgid "Minimum"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:610,
-#: pro/fields/class-acf-field-gallery.php:646
+#: pro/fields/class-acf-field-gallery.php:588,
+#: pro/fields/class-acf-field-gallery.php:624
msgid "Restrict which images can be uploaded"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:613,
-#: pro/fields/class-acf-field-gallery.php:649
+#: pro/fields/class-acf-field-gallery.php:591,
+#: pro/fields/class-acf-field-gallery.php:627
msgid "Width"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:624,
-#: pro/fields/class-acf-field-gallery.php:660
+#: pro/fields/class-acf-field-gallery.php:602,
+#: pro/fields/class-acf-field-gallery.php:638
msgid "Height"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:636,
-#: pro/fields/class-acf-field-gallery.php:672
+#: pro/fields/class-acf-field-gallery.php:614,
+#: pro/fields/class-acf-field-gallery.php:650
msgid "File size"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:645
+#: pro/fields/class-acf-field-gallery.php:623
msgid "Maximum"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:681
+#: pro/fields/class-acf-field-gallery.php:659
msgid "Allowed File Types"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:682
+#: pro/fields/class-acf-field-gallery.php:660
msgid "Comma separated list. Leave blank for all types"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:701
+#: pro/fields/class-acf-field-gallery.php:679
msgid "Insert"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:702
+#: pro/fields/class-acf-field-gallery.php:680
msgid "Specify where new attachments are added"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:706
+#: pro/fields/class-acf-field-gallery.php:684
msgid "Append to the end"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:707
+#: pro/fields/class-acf-field-gallery.php:685
msgid "Prepend to the beginning"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:715
+#: pro/fields/class-acf-field-gallery.php:693
msgid "Preview Size"
msgstr ""
-#: pro/fields/class-acf-field-gallery.php:811
+#: pro/fields/class-acf-field-gallery.php:787
msgid "%1$s requires at least %2$s selection"
msgid_plural "%1$s requires at least %2$s selections"
msgstr[0] ""
@@ -725,120 +760,127 @@ msgstr[1] ""
msgid "Repeater"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:66,
-#: pro/fields/class-acf-field-repeater.php:461
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
msgid "Minimum rows not reached ({min} rows)"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:67
+#: pro/fields/class-acf-field-repeater.php:68
msgid "Maximum rows reached ({max} rows)"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:68
+#: pro/fields/class-acf-field-repeater.php:69
msgid "Error loading page"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:69
+#: pro/fields/class-acf-field-repeater.php:70
msgid "Order will be assigned upon save"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:162
+#: pro/fields/class-acf-field-repeater.php:163
msgid "Sub Fields"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:195
+#: pro/fields/class-acf-field-repeater.php:196
msgid "Pagination"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:196
+#: pro/fields/class-acf-field-repeater.php:197
msgid "Useful for fields with a large number of rows."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:207
+#: pro/fields/class-acf-field-repeater.php:208
msgid "Rows Per Page"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:208
+#: pro/fields/class-acf-field-repeater.php:209
msgid "Set the number of rows to be displayed on a page."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:240
+#: pro/fields/class-acf-field-repeater.php:241
msgid "Minimum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:251
+#: pro/fields/class-acf-field-repeater.php:252
msgid "Maximum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:281
+#: pro/fields/class-acf-field-repeater.php:282
msgid "Collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:282
+#: pro/fields/class-acf-field-repeater.php:283
msgid "Select a sub field to show when row is collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1038
+#: pro/fields/class-acf-field-repeater.php:1050
msgid "Invalid nonce."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1053
+#: pro/fields/class-acf-field-repeater.php:1055
msgid "Invalid field key or name."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1062
+#: pro/fields/class-acf-field-repeater.php:1064
msgid "There was an error retrieving the field."
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:366
+#: pro/fields/class-acf-repeater-table.php:367
msgid "Click to reorder"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:399
+#: pro/fields/class-acf-repeater-table.php:400
msgid "Add row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:400
+#: pro/fields/class-acf-repeater-table.php:401
msgid "Duplicate row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:401
+#: pro/fields/class-acf-repeater-table.php:402
msgid "Remove row"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:445,
-#: pro/fields/class-acf-repeater-table.php:462,
-#: pro/fields/class-acf-repeater-table.php:463
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
msgid "Current Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:453,
-#: pro/fields/class-acf-repeater-table.php:454
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
msgid "First Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:457,
-#: pro/fields/class-acf-repeater-table.php:458
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
msgid "Previous Page"
msgstr ""
#. translators: 1: Current page, 2: Total pages.
-#: pro/fields/class-acf-repeater-table.php:467
+#: pro/fields/class-acf-repeater-table.php:468
msgctxt "paging"
msgid "%1$s of %2$s"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:474,
-#: pro/fields/class-acf-repeater-table.php:475
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
msgid "Next Page"
msgstr ""
-#: pro/fields/class-acf-repeater-table.php:478,
-#: pro/fields/class-acf-repeater-table.php:479
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
msgid "Last Page"
msgstr ""
-#: pro/locations/class-acf-location-block.php:71
+#: pro/locations/class-acf-location-block.php:73
msgid "No block types exist"
msgstr ""
@@ -852,7 +894,7 @@ msgstr ""
#: pro/locations/class-acf-location-options-page.php:74,
#: pro/post-types/acf-ui-options-page.php:95,
-#: pro/admin/post-types/admin-ui-options-page.php:476
+#: pro/admin/post-types/admin-ui-options-page.php:482
msgid "Add New Options Page"
msgstr ""
@@ -891,13 +933,13 @@ msgstr ""
msgid "No Options Pages found in Trash"
msgstr "No Options Pages found in Bin"
-#: pro/post-types/acf-ui-options-page.php:202
+#: pro/post-types/acf-ui-options-page.php:203
msgid ""
"The menu slug must only contain lower case alphanumeric characters, "
"underscores or dashes."
msgstr ""
-#: pro/post-types/acf-ui-options-page.php:234
+#: pro/post-types/acf-ui-options-page.php:235
msgid "This Menu Slug is already in use by another ACF Options Page."
msgstr ""
@@ -986,7 +1028,7 @@ msgstr ""
msgid "No Parent"
msgstr ""
-#: pro/admin/post-types/admin-ui-options-page.php:444
+#: pro/admin/post-types/admin-ui-options-page.php:450
msgid "The provided Menu Slug already exists."
msgstr ""
@@ -1098,7 +1140,7 @@ msgstr "Licence Information"
msgid "License Key"
msgstr "Licence Key"
-#: pro/admin/views/html-settings-updates.php:190,
+#: pro/admin/views/html-settings-updates.php:191,
#: pro/admin/views/html-settings-updates.php:157
msgid "Recheck License"
msgstr "Recheck Licence"
@@ -1107,64 +1149,68 @@ msgstr "Recheck Licence"
msgid "Your license key is defined in wp-config.php."
msgstr "Your licence key is defined in wp-config.php."
-#: pro/admin/views/html-settings-updates.php:210
+#: pro/admin/views/html-settings-updates.php:211
msgid "View pricing & purchase"
msgstr ""
#. translators: %s - link to ACF website
-#: pro/admin/views/html-settings-updates.php:219
+#: pro/admin/views/html-settings-updates.php:220
msgid "Don't have an ACF PRO license? %s"
msgstr "Don’t have an ACF PRO licence? %s"
-#: pro/admin/views/html-settings-updates.php:234
+#: pro/admin/views/html-settings-updates.php:235
msgid "Update Information"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:241
+#: pro/admin/views/html-settings-updates.php:242
msgid "Current Version"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:249
+#: pro/admin/views/html-settings-updates.php:250
msgid "Latest Version"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:257
+#: pro/admin/views/html-settings-updates.php:258
msgid "Update Available"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:264
+#: pro/admin/views/html-settings-updates.php:265
msgid "No"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:262
+#: pro/admin/views/html-settings-updates.php:263
msgid "Yes"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:271
+#: pro/admin/views/html-settings-updates.php:272
msgid "Upgrade Notice"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:300
+#: pro/admin/views/html-settings-updates.php:303
msgid "Check For Updates"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:297
+#: pro/admin/views/html-settings-updates.php:300
msgid "Enter your license key to unlock updates"
msgstr "Enter your licence key to unlock updates"
-#: pro/admin/views/html-settings-updates.php:295
+#: pro/admin/views/html-settings-updates.php:298
msgid "Update Plugin"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:293
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr ""
+
+#: pro/admin/views/html-settings-updates.php:294
msgid "Update ACF in Network Admin"
msgstr ""
-#: pro/admin/views/html-settings-updates.php:291
+#: pro/admin/views/html-settings-updates.php:292
msgid "Please reactivate your license to unlock updates"
msgstr "Please reactivate your licence to unlock updates"
-#: pro/admin/views/html-settings-updates.php:289
+#: pro/admin/views/html-settings-updates.php:290
msgid "Please upgrade WordPress to update ACF"
msgstr ""
@@ -1179,141 +1225,141 @@ msgid ""
"a URL or %s to use for the icon."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:31
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:59
msgid "Menu Icon"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:52
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
msgid "Menu Title"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:66
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
msgid "Learn more about menu positions."
msgstr ""
#. translators: %s - link to WordPress docs to learn more about menu positions.
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:70,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:76
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
msgid "The position in the menu where this page should appear. %s"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
msgid ""
"The position in the menu where this child page should appear. The first "
"child page is 0, the next is 1, etc."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:87
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:115
msgid "Menu Position"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:101
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
msgid "Redirect to Child Page"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:102
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
msgid ""
"When child pages exist for this parent page, this page will redirect to the "
"first child page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:126
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
msgid "A descriptive summary of the options page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:135
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
msgid "Update Button Label"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:136
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
msgid ""
"The label used for the submit button which updates the fields on the options "
"page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:150
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
msgid "Updated Message"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:151
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
msgid ""
"The message that is displayed after successfully updating the options page."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:152
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
msgid "Updated Options"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:189
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
msgid "Capability"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:190
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
msgid "The capability required for this menu to be displayed to the user."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:206
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
msgid "Data Storage"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:207
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
msgid ""
"By default, the option page stores field data in the options table. You can "
"make the page load field data from a post, user, or term."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:210,
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:241
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
msgid "Custom Storage"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:230
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
msgid "Learn more about available settings."
msgstr ""
#. translators: %s = link to learn more about storage locations.
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
msgid ""
"Set a custom storage location. Can be a numeric post ID (123), or a string "
"(`user_2`). %s"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:260
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
msgid "Autoload Options"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/advanced-settings.php:261
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
msgid ""
"Improve performance by loading the fields in the option records "
"automatically when WordPress loads."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:6,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
msgid "Page Title"
msgstr ""
#. translators: example options page name
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:8,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
msgid "Site Settings"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:23,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
msgid "Menu Slug"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:38,
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
msgid "Parent Page"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:58
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:72
msgid "Advanced Configuration"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/basic-settings.php:59
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:73
msgid "I know what I'm doing, show me all the options."
msgstr ""
@@ -1340,10 +1386,22 @@ msgid ""
"started guide."
msgstr ""
-#: pro/admin/views/acf-ui-options-page/list-empty.php:24
+#: pro/admin/views/acf-ui-options-page/list-empty.php:32
+msgid "Upgrade to ACF PRO to create options pages in just a few clicks"
+msgstr ""
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
msgid "Add Your First Options Page"
msgstr ""
-#: pro/admin/views/acf-ui-options-page/list-empty.php:26
+#: pro/admin/views/acf-ui-options-page/list-empty.php:43
+msgid "Learn More"
+msgstr ""
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:44
+msgid "Upgrade to ACF PRO"
+msgstr ""
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:40
msgid "Add Options Page"
msgstr ""
diff --git a/lang/pro/acf-nl_NL.po b/lang/pro/acf-nl_NL.po
index 447957e..f80d701 100644
--- a/lang/pro/acf-nl_NL.po
+++ b/lang/pro/acf-nl_NL.po
@@ -2,16 +2,16 @@ msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields PRO\n"
"Report-Msgid-Bugs-To: https://support.advancedcustomfields.com\n"
-"POT-Creation-Date: 2023-04-18 07:25+0000\n"
-"PO-Revision-Date: 2023-04-24 13:30+0100\n"
-"Last-Translator: WP Engine \n"
+"POT-Creation-Date: 2025-01-21 10:45+0000\n"
+"PO-Revision-Date: 2025-01-21 19:14+0100\n"
+"Last-Translator: Toine Rademacher (toineenzo) \n"
"Language-Team: WP Engine \n"
"Language: nl_NL\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 3.2.2\n"
+"X-Generator: Poedit 3.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;"
@@ -22,774 +22,1442 @@ msgstr ""
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"
-#: pro/acf-pro.php:27
+#: pro/acf-pro.php:21
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"
-#: pro/blocks.php:170
-msgid "Block type name is required."
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
msgstr ""
+"Je ACF PRO licentie is niet langer actief. Verleng om toegang te blijven "
+"houden tot updates, ondersteuning en PRO functies."
+
+#: pro/acf-pro.php:171
+msgid ""
+"Your license has expired. Please renew to continue to have access to "
+"updates, support & PRO features."
+msgstr ""
+"Je licentie is verlopen. Verleng om toegang te blijven houden tot updates, "
+"ondersteuning & PRO functies."
+
+#: pro/acf-pro.php:168
+msgid ""
+"Activate your license to enable access to updates, support & PRO "
+"features."
+msgstr ""
+"Activeer je licentie om toegang te krijgen tot updates, ondersteuning & "
+"PRO functies."
+
+#: pro/acf-pro.php:189, pro/admin/views/html-settings-updates.php:114
+msgid "Manage License"
+msgstr "Licentie beheren"
+
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "Je hebt een geldige licentie nodig om opties pagina's te bewerken."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr ""
+"Je hebt een geldige licentie nodig om veldgroepen, die aan een blok zijn "
+"toegewezen, te bewerken."
+
+#: pro/blocks.php:186
+msgid "Block type name is required."
+msgstr "De naam van het bloktype is verplicht."
#. translators: The name of the block type
-#: pro/blocks.php:178
+#: pro/blocks.php:194
msgid "Block type \"%s\" is already registered."
-msgstr ""
+msgstr "Bloktype “%s” is al geregistreerd."
-#: pro/blocks.php:726
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr "De rendertemplate voor dit ACF blok is niet gevonden"
+
+#: pro/blocks.php:790
msgid "Switch to Edit"
-msgstr ""
+msgstr "Schakel naar bewerken"
-#: pro/blocks.php:727
+#: pro/blocks.php:791
msgid "Switch to Preview"
-msgstr ""
+msgstr "Schakel naar voorbeeld"
-#: pro/blocks.php:728
+#: pro/blocks.php:792
msgid "Change content alignment"
+msgstr "Inhoudsuitlijning wijzigen"
+
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
msgstr ""
+"Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok."
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus."
#. translators: %s: Block type title
-#: pro/blocks.php:731
+#: pro/blocks.php:797
msgid "%s settings"
-msgstr ""
+msgstr "%s instellingen"
-#: pro/blocks.php:936
+#: pro/blocks.php:1039
msgid "This block contains no editable fields."
-msgstr ""
+msgstr "Dit blok bevat geen bewerkbare velden."
#. translators: %s: an admin URL to the field group edit screen
-#: pro/blocks.php:942
+#: pro/blocks.php:1045
msgid ""
"Assign a field group to add fields to "
"this block."
msgstr ""
+"Wijs een veldgroep toe om velden aan dit "
+"blok toe te voegen."
-#: pro/options-page.php:47
+#: pro/options-page.php:43,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:237
msgid "Options"
msgstr "Opties"
-#: pro/options-page.php:77, pro/fields/class-acf-field-gallery.php:527
+#: pro/options-page.php:73, pro/fields/class-acf-field-gallery.php:483,
+#: pro/post-types/acf-ui-options-page.php:173,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:165
msgid "Update"
-msgstr "Bijwerken"
+msgstr "Updaten"
-#: pro/options-page.php:78
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
msgid "Options Updated"
-msgstr "Opties bijgewerkt"
+msgstr "Opties geüpdatet"
-#: pro/updates.php:99
+#. translators: %1 A link to the updates page. %2 link to the pricing page
+#: pro/updates.php:75
msgid ""
"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see "
+"href=\"%1$s\">Updates page. If you don't have a license key, please see "
"details & pricing."
msgstr ""
+"Om updates te ontvangen, vul je hieronder je licentiecode in. Als je geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:71
+msgid ""
+"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
+"key, please see details & pricing."
+msgstr ""
+"Om updates in te schakelen, voer je je licentiesleutel in op de Updates pagina van de hoofdsite. Als je geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:136
+msgid ""
+"Your defined license key has changed, but an error occurred when "
+"deactivating your old license"
+msgstr ""
+"Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het deactiveren van je oude licentie"
+
+#: pro/updates.php:133
+msgid ""
+"Your defined license key has changed, but an error occurred when connecting "
+"to activation server"
+msgstr ""
+"Je gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:168
+msgid ""
+"ACF PRO — Your license key has been activated "
+"successfully. Access to updates, support & PRO features is now enabled."
+msgstr ""
+"ACF PRO — Je licentiesleutel is succesvol "
+"geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu "
+"ingeschakeld."
#: pro/updates.php:159
-msgid ""
-"ACF Activation Error. Your defined license key has changed, but an "
-"error occurred when deactivating your old licence"
+msgid "There was an issue activating your license key."
msgstr ""
+"Er is een probleem opgetreden bij het activeren van je licentiesleutel."
-#: pro/updates.php:154
+#: pro/updates.php:155
+msgid "An error occurred when connecting to activation server"
+msgstr "Er is een fout opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:258
msgid ""
-"ACF Activation Error. Your defined license key has changed, but an "
-"error occurred when connecting to activation server"
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later "
+"nog eens."
+
+#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland "
+"onderhoud. Probeer het later nog eens."
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"Er is een API fout opgetreden bij het controleren van je ACF PRO "
+"licentiestatus. We zullen het binnenkort opnieuw proberen."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "Je hebt de activeringslimiet voor de licentie bereikt."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "Je licenties bekijken"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr "opnieuw controleren"
+
+#: pro/updates.php:250
+msgid "%1$s or %2$s."
+msgstr "%1$s of %2$s."
+
+#: pro/updates.php:210
+msgid "Your license key has expired and cannot be activated."
+msgstr "Je licentiesleutel is verlopen en kan niet worden geactiveerd."
+
+#: pro/updates.php:219
+msgid "View your subscriptions"
+msgstr "Je abonnementen bekijken"
+
+#: pro/updates.php:196
+msgid ""
+"License key not found. Make sure you have copied your license key exactly as "
+"it appears in your receipt or your account."
+msgstr ""
+"Licentiesleutel niet gevonden. Zorg ervoor dat je de licentiesleutel precies "
+"zo hebt gekopieerd als op je ontvangstbewijs of in je account."
+
+#: pro/updates.php:194
+msgid "Your license key has been deactivated."
+msgstr "Je licentiesleutel is gedeactiveerd."
#: pro/updates.php:192
-msgid "ACF Activation Error"
-msgstr ""
-
-#: pro/updates.php:187
msgid ""
-"ACF Activation Error. An error occurred when connecting to activation "
-"server"
+"Your license key has been activated successfully. Access to updates, support "
+"& PRO features is now enabled."
msgstr ""
+"Je licentiesleutel is succesvol geactiveerd. Toegang tot updates, "
+"ondersteuning & PRO functies is nu ingeschakeld."
-#: pro/updates.php:279
-msgid "Check Again"
-msgstr "Controleer op updates"
-
-#: pro/updates.php:593
-msgid "ACF Activation Error. Could not connect to activation server"
+#. translators: %s an untranslatable internal upstream error message
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
msgstr ""
+"Er is een onbekende fout opgetreden tijdens het communiceren met de ACF "
+"activeringsservice: %s."
-#: pro/admin/admin-options-page.php:195
+#: pro/updates.php:333, pro/updates.php:949
+msgid "ACF PRO —"
+msgstr "ACF PRO —"
+
+#: pro/updates.php:342
+msgid "Check again"
+msgstr "Opnieuw controleren"
+
+#: pro/updates.php:657
+msgid "Could not connect to the activation server"
+msgstr "Kon niet verbinden met de activeringsserver"
+
+#. translators: %s - URL to ACF updates page
+#: pro/updates.php:727
+msgid ""
+"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
+msgstr ""
+"Je licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw."
+
+#: pro/updates.php:949
+msgid ""
+"Your site URL has changed since last activating your license. We've "
+"automatically activated it for this site URL."
+msgstr ""
+"De URL van je site is veranderd sinds de laatste keer dat je je licentie "
+"hebt geactiveerd. We hebben het automatisch geactiveerd voor deze site URL."
+
+#: pro/updates.php:941
+msgid ""
+"Your site URL has changed since last activating your license, but we weren't "
+"able to automatically reactivate it: %s"
+msgstr ""
+"De URL van je site is veranderd sinds de laatste keer dat je je licentie "
+"hebt geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen "
+"activeren: %s"
+
+#: pro/admin/admin-options-page.php:159
msgid "Publish"
-msgstr "Publiceer"
+msgstr "Publiceren"
-#: pro/admin/admin-options-page.php:199
+#: pro/admin/admin-options-page.php:162
msgid ""
"No Custom Field Groups found for this options page. Create a "
"Custom Field Group"
msgstr ""
-"Er zijn geen groepen gevonden voor deze optie pagina. Maak "
-"een extra velden groep"
+"Er zijn geen groepen gevonden voor deze opties pagina. Maak "
+"een extra veldgroep"
-#: pro/admin/admin-options-page.php:309
+#: pro/admin/admin-options-page.php:258
msgid "Edit field group"
-msgstr "Bewerk groep"
+msgstr "Veldgroep bewerken"
#: pro/admin/admin-updates.php:52
-msgid "Error. Could not connect to update server"
-msgstr "Fout. Kan niet verbinden met de update server"
+msgid "Error. Could not connect to the update server"
+msgstr "Fout. Kon niet verbinden met de updateserver"
-#: pro/admin/admin-updates.php:122,
-#: pro/admin/views/html-settings-updates.php:12
+#: pro/admin/admin-updates.php:117,
+#: pro/admin/views/html-settings-updates.php:132
msgid "Updates"
msgstr "Updates"
-#: pro/admin/admin-updates.php:212
+#. translators: %s the version of WordPress required for this ACF update
+#: pro/admin/admin-updates.php:203
msgid ""
-"Error. Could not authenticate update package. Please check again or "
-"deactivate and reactivate your ACF PRO license."
+"An update to ACF is available, but it is not compatible with your version of "
+"WordPress. Please upgrade to WordPress %s or newer to update ACF."
msgstr ""
+"Er is een update voor ACF beschikbaar, maar deze is niet compatibel met jouw "
+"versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten."
-#: pro/admin/admin-updates.php:199
+#: pro/admin/admin-updates.php:224
msgid ""
-"Error. Your license for this site has expired or been deactivated. "
-"Please reactivate your ACF PRO license."
+"Error. Could not authenticate update package. Please check "
+"again or deactivate and reactivate your ACF PRO license."
msgstr ""
+"Fout. Kan het updatepakket niet verifiëren. Controleer "
+"opnieuw of deactiveer en heractiveer je ACF PRO licentie."
-#: pro/fields/class-acf-field-clone.php:25
+#: pro/admin/admin-updates.php:214
+msgid ""
+"Error. Your license for this site has expired or been "
+"deactivated. Please reactivate your ACF PRO license."
+msgstr ""
+"Fout. Je licentie voor deze site is verlopen of "
+"gedeactiveerd. Activeer je ACF PRO licentie opnieuw."
+
+#: pro/fields/class-acf-field-clone.php:22
msgctxt "noun"
msgid "Clone"
-msgstr "Kloon"
+msgstr "Klonen"
-#: pro/fields/class-acf-field-clone.php:27,
-#: pro/fields/class-acf-field-repeater.php:31
+#: pro/fields/class-acf-field-clone.php:24
msgid ""
"Allows you to select and display existing fields. It does not duplicate any "
"fields in the database, but loads and displays the selected fields at run-"
"time. The Clone field can either replace itself with the selected fields or "
"display the selected fields as a group of subfields."
msgstr ""
+"Hiermee kan je bestaande velden selecteren en weergeven. Het dupliceert geen "
+"velden in de database, maar laadt en toont de geselecteerde velden bij run-"
+"time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of "
+"de geselecteerde velden weergeven als een groep subvelden."
-#: pro/fields/class-acf-field-clone.php:818,
-#: pro/fields/class-acf-field-flexible-content.php:78
+#: pro/fields/class-acf-field-clone.php:724,
+#: pro/fields/class-acf-field-flexible-content.php:72
msgid "Fields"
msgstr "Velden"
-#: pro/fields/class-acf-field-clone.php:819
+#: pro/fields/class-acf-field-clone.php:725
msgid "Select one or more fields you wish to clone"
-msgstr "Selecteer een of meer velden om te klonen"
+msgstr "Selecteer één of meer velden om te klonen"
-#: pro/fields/class-acf-field-clone.php:838
+#: pro/fields/class-acf-field-clone.php:745
msgid "Display"
-msgstr "Toon"
+msgstr "Weergeven"
-#: pro/fields/class-acf-field-clone.php:839
+#: pro/fields/class-acf-field-clone.php:746
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:844
+#: pro/fields/class-acf-field-clone.php:751
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:845
+#: pro/fields/class-acf-field-clone.php:752
msgid "Seamless (replaces this field with selected fields)"
msgstr "Naadloos (vervangt dit veld met de geselecteerde velden)"
-#: pro/fields/class-acf-field-clone.php:854,
-#: pro/fields/class-acf-field-flexible-content.php:558,
-#: pro/fields/class-acf-field-flexible-content.php:616,
-#: pro/fields/class-acf-field-repeater.php:177
+#: pro/fields/class-acf-field-clone.php:761,
+#: pro/fields/class-acf-field-flexible-content.php:509,
+#: pro/fields/class-acf-field-flexible-content.php:572,
+#: pro/fields/class-acf-field-repeater.php:178
msgid "Layout"
-msgstr "Layout"
+msgstr "Lay-out"
-#: pro/fields/class-acf-field-clone.php:855
+#: pro/fields/class-acf-field-clone.php:762
msgid "Specify the style used to render the selected fields"
msgstr "Kies de gebruikte stijl bij het renderen van de geselecteerde velden"
-#: pro/fields/class-acf-field-clone.php:860,
-#: pro/fields/class-acf-field-flexible-content.php:629,
-#: pro/fields/class-acf-field-repeater.php:185,
+#: pro/fields/class-acf-field-clone.php:767,
+#: pro/fields/class-acf-field-flexible-content.php:585,
+#: pro/fields/class-acf-field-repeater.php:186,
#: pro/locations/class-acf-location-block.php:22
msgid "Block"
msgstr "Blok"
-#: pro/fields/class-acf-field-clone.php:861,
-#: pro/fields/class-acf-field-flexible-content.php:628,
-#: pro/fields/class-acf-field-repeater.php:184
+#: pro/fields/class-acf-field-clone.php:768,
+#: pro/fields/class-acf-field-flexible-content.php:584,
+#: pro/fields/class-acf-field-repeater.php:185
msgid "Table"
msgstr "Tabel"
-#: pro/fields/class-acf-field-clone.php:862,
-#: pro/fields/class-acf-field-flexible-content.php:630,
-#: pro/fields/class-acf-field-repeater.php:186
+#: pro/fields/class-acf-field-clone.php:769,
+#: pro/fields/class-acf-field-flexible-content.php:586,
+#: pro/fields/class-acf-field-repeater.php:187
msgid "Row"
msgstr "Rij"
-#: pro/fields/class-acf-field-clone.php:868
+#: pro/fields/class-acf-field-clone.php:775
msgid "Labels will be displayed as %s"
-msgstr "Labels worden getoond als %s"
+msgstr "Labels worden weergegeven als %s"
-#: pro/fields/class-acf-field-clone.php:873
+#: pro/fields/class-acf-field-clone.php:780
msgid "Prefix Field Labels"
msgstr "Prefix veld labels"
-#: pro/fields/class-acf-field-clone.php:883
+#: pro/fields/class-acf-field-clone.php:790
msgid "Values will be saved as %s"
msgstr "Waarden worden opgeslagen als %s"
-#: pro/fields/class-acf-field-clone.php:888
+#: pro/fields/class-acf-field-clone.php:795
msgid "Prefix Field Names"
msgstr "Prefix veld namen"
-#: pro/fields/class-acf-field-clone.php:1005
+#: pro/fields/class-acf-field-clone.php:892
msgid "Unknown field"
msgstr "Onbekend veld"
-#: pro/fields/class-acf-field-clone.php:1009
+#: pro/fields/class-acf-field-clone.php:896
msgid "(no title)"
msgstr "(geen titel)"
-#: pro/fields/class-acf-field-clone.php:1042
+#: pro/fields/class-acf-field-clone.php:925
msgid "Unknown field group"
msgstr "Onbekend groep"
-#: pro/fields/class-acf-field-clone.php:1046
+#: pro/fields/class-acf-field-clone.php:929
msgid "All fields from %s field group"
-msgstr "Alle velden van %s veld groep"
+msgstr "Alle velden van %s veldgroep"
-#: pro/fields/class-acf-field-flexible-content.php:25
+#: pro/fields/class-acf-field-flexible-content.php:22
msgid "Flexible Content"
-msgstr "Flexibele content"
+msgstr "Flexibele inhoud"
-#: pro/fields/class-acf-field-flexible-content.php:27
+#: pro/fields/class-acf-field-flexible-content.php:24
msgid ""
"Allows you to define, create and manage content with total control by "
"creating layouts that contain subfields that content editors can choose from."
msgstr ""
+"Hiermee kan je inhoud definiëren, creëren en beheren met volledige controle "
+"door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren "
+"kunnen kiezen."
-#: pro/fields/class-acf-field-flexible-content.php:27
+#: pro/fields/class-acf-field-flexible-content.php:24
msgid "We do not recommend using this field in ACF Blocks."
-msgstr ""
+msgstr "Wij raden het gebruik van dit veld in ACF blokken af."
-#: pro/fields/class-acf-field-flexible-content.php:36,
-#: pro/fields/class-acf-field-repeater.php:103,
-#: pro/fields/class-acf-field-repeater.php:297
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
msgid "Add Row"
-msgstr "Nieuwe regel"
+msgstr "Nieuwe rij"
-#: pro/fields/class-acf-field-flexible-content.php:76,
-#: pro/fields/class-acf-field-flexible-content.php:943,
-#: pro/fields/class-acf-field-flexible-content.php:1022
-#, fuzzy
-#| msgid "layout"
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
msgid "layout"
msgid_plural "layouts"
-msgstr[0] "layout"
-msgstr[1] "layout"
+msgstr[0] "lay-out"
+msgstr[1] "lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:77
+#: pro/fields/class-acf-field-flexible-content.php:71
msgid "layouts"
-msgstr "layouts"
+msgstr "lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:81,
-#: pro/fields/class-acf-field-flexible-content.php:942,
-#: pro/fields/class-acf-field-flexible-content.php:1021
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
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:82
+#: pro/fields/class-acf-field-flexible-content.php:76
msgid "This field has a limit of {max} {label} {identifier}"
-msgstr ""
+msgstr "Dit veld heeft een limiet van {max} {label} {identifier}"
-#: pro/fields/class-acf-field-flexible-content.php:85
+#: pro/fields/class-acf-field-flexible-content.php:79
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} beschikbaar (max {max})"
-#: pro/fields/class-acf-field-flexible-content.php:86
+#: pro/fields/class-acf-field-flexible-content.php:80
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} verplicht (min {min})"
-#: pro/fields/class-acf-field-flexible-content.php:89
+#: pro/fields/class-acf-field-flexible-content.php:83
msgid "Flexible Content requires at least 1 layout"
-msgstr "Flexibele content vereist minimaal 1 layout"
+msgstr "Flexibele inhoud vereist minimaal 1 lay-out"
-#: pro/fields/class-acf-field-flexible-content.php:282
+#. translators: %s the button label used for adding a new layout.
+#: pro/fields/class-acf-field-flexible-content.php:255
msgid "Click the \"%s\" button below to start creating your layout"
-msgstr "Klik op de \"%s\" button om een nieuwe lay-out te maken"
+msgstr "Klik op de \"%s\" knop om een nieuwe lay-out te maken"
-#: pro/fields/class-acf-field-flexible-content.php:420,
-#: pro/fields/class-acf-repeater-table.php:366
+#: pro/fields/class-acf-field-flexible-content.php:375,
+#: pro/fields/class-acf-repeater-table.php:364
msgid "Drag to reorder"
-msgstr "Sleep om te sorteren"
+msgstr "Slepen om te herschikken"
-#: pro/fields/class-acf-field-flexible-content.php:423
+#: pro/fields/class-acf-field-flexible-content.php:378
msgid "Add layout"
-msgstr "Layout toevoegen"
+msgstr "Lay-out toevoegen"
-#: pro/fields/class-acf-field-flexible-content.php:424
+#: pro/fields/class-acf-field-flexible-content.php:379
msgid "Duplicate layout"
-msgstr ""
+msgstr "Lay-out dupliceren"
-#: pro/fields/class-acf-field-flexible-content.php:425
+#: pro/fields/class-acf-field-flexible-content.php:380
msgid "Remove layout"
-msgstr "Verwijder layout"
+msgstr "Lay-out verwijderen"
-#: pro/fields/class-acf-field-flexible-content.php:426,
-#: pro/fields/class-acf-repeater-table.php:382
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
msgid "Click to toggle"
msgstr "Klik om in/uit te klappen"
-#: pro/fields/class-acf-field-flexible-content.php:562
+#: pro/fields/class-acf-field-flexible-content.php:517
msgid "Delete Layout"
-msgstr "Verwijder layout"
+msgstr "Lay-out verwijderen"
-#: pro/fields/class-acf-field-flexible-content.php:563
+#: pro/fields/class-acf-field-flexible-content.php:518
msgid "Duplicate Layout"
-msgstr "Dupliceer layout"
+msgstr "Lay-out dupliceren"
-#: pro/fields/class-acf-field-flexible-content.php:564
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add New Layout"
msgstr "Nieuwe layout"
-#: pro/fields/class-acf-field-flexible-content.php:564
-#, fuzzy
-#| msgid "Add layout"
+#: pro/fields/class-acf-field-flexible-content.php:519
msgid "Add Layout"
-msgstr "Layout toevoegen"
+msgstr "Lay-out toevoegen"
-#: pro/fields/class-acf-field-flexible-content.php:593
+#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Label"
msgstr "Label"
-#: pro/fields/class-acf-field-flexible-content.php:609
+#: pro/fields/class-acf-field-flexible-content.php:565
msgid "Name"
msgstr "Naam"
-#: pro/fields/class-acf-field-flexible-content.php:647
+#: pro/fields/class-acf-field-flexible-content.php:603
msgid "Min"
msgstr "Min"
-#: pro/fields/class-acf-field-flexible-content.php:662
+#: pro/fields/class-acf-field-flexible-content.php:618
msgid "Max"
msgstr "Max"
-#: pro/fields/class-acf-field-flexible-content.php:705
+#: pro/fields/class-acf-field-flexible-content.php:659
msgid "Minimum Layouts"
msgstr "Minimale layouts"
-#: pro/fields/class-acf-field-flexible-content.php:716
+#: pro/fields/class-acf-field-flexible-content.php:670
msgid "Maximum Layouts"
-msgstr "Maximale layouts"
+msgstr "Maximale lay-outs"
-#: pro/fields/class-acf-field-flexible-content.php:727,
-#: pro/fields/class-acf-field-repeater.php:293
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
msgid "Button Label"
-msgstr "Button label"
+msgstr "Knop label"
-#: pro/fields/class-acf-field-flexible-content.php:1710,
-#: pro/fields/class-acf-field-repeater.php:918
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
msgid "%s must be of type array or null."
-msgstr ""
+msgstr "%s moet van het type array of null zijn."
-#: pro/fields/class-acf-field-flexible-content.php:1721
+#: pro/fields/class-acf-field-flexible-content.php:1563
msgid "%1$s must contain at least %2$s %3$s layout."
msgid_plural "%1$s must contain at least %2$s %3$s layouts."
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "%1$s moet minstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet minstens %2$s %3$s lay-outs bevatten."
-#: pro/fields/class-acf-field-flexible-content.php:1737
+#: pro/fields/class-acf-field-flexible-content.php:1579
msgid "%1$s must contain at most %2$s %3$s layout."
msgid_plural "%1$s must contain at most %2$s %3$s layouts."
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "%1$s moet hoogstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet hoogstens %2$s %3$s lay-outs bevatten."
-#: pro/fields/class-acf-field-gallery.php:25
+#: pro/fields/class-acf-field-gallery.php:22
msgid "Gallery"
msgstr "Galerij"
-#: pro/fields/class-acf-field-gallery.php:27
+#: pro/fields/class-acf-field-gallery.php:24
msgid ""
"An interactive interface for managing a collection of attachments, such as "
"images."
msgstr ""
+"Een interactieve interface voor het beheer van een verzameling van bijlagen, "
+"zoals afbeeldingen."
-#: pro/fields/class-acf-field-gallery.php:77
+#: pro/fields/class-acf-field-gallery.php:72
msgid "Add Image to Gallery"
-msgstr "Voeg afbeelding toe aan galerij"
+msgstr "Afbeelding toevoegen aan galerij"
-#: pro/fields/class-acf-field-gallery.php:78
+#: pro/fields/class-acf-field-gallery.php:73
msgid "Maximum selection reached"
msgstr "Maximale selectie bereikt"
-#: pro/fields/class-acf-field-gallery.php:324
+#: pro/fields/class-acf-field-gallery.php:282
msgid "Length"
msgstr "Lengte"
-#: pro/fields/class-acf-field-gallery.php:339
+#: pro/fields/class-acf-field-gallery.php:297
msgid "Edit"
-msgstr "Bewerk"
+msgstr "Bewerken"
-#: pro/fields/class-acf-field-gallery.php:340,
-#: pro/fields/class-acf-field-gallery.php:495
+#: pro/fields/class-acf-field-gallery.php:298,
+#: pro/fields/class-acf-field-gallery.php:451
msgid "Remove"
-msgstr "Verwijder"
+msgstr "Verwijderen"
-#: pro/fields/class-acf-field-gallery.php:356
+#: pro/fields/class-acf-field-gallery.php:314
msgid "Title"
msgstr "Titel"
-#: pro/fields/class-acf-field-gallery.php:368
+#: pro/fields/class-acf-field-gallery.php:326
msgid "Caption"
msgstr "Onderschrift"
-#: pro/fields/class-acf-field-gallery.php:380
+#: pro/fields/class-acf-field-gallery.php:338
msgid "Alt Text"
msgstr "Alt tekst"
-#: pro/fields/class-acf-field-gallery.php:392
+#: pro/fields/class-acf-field-gallery.php:350,
+#: pro/admin/post-types/admin-ui-options-pages.php:117,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:153
msgid "Description"
msgstr "Omschrijving"
-#: pro/fields/class-acf-field-gallery.php:504
+#: pro/fields/class-acf-field-gallery.php:460
msgid "Add to gallery"
msgstr "Afbeelding(en) toevoegen"
-#: pro/fields/class-acf-field-gallery.php:508
+#: pro/fields/class-acf-field-gallery.php:464
msgid "Bulk actions"
-msgstr "Acties"
+msgstr "Bulkacties"
-#: pro/fields/class-acf-field-gallery.php:509
+#: pro/fields/class-acf-field-gallery.php:465
msgid "Sort by date uploaded"
-msgstr "Sorteer op datum geüpload"
+msgstr "Sorteren op datum geüpload"
-#: pro/fields/class-acf-field-gallery.php:510
+#: pro/fields/class-acf-field-gallery.php:466
msgid "Sort by date modified"
-msgstr "Sorteer op datum aangepast"
+msgstr "Sorteren op datum aangepast"
-#: pro/fields/class-acf-field-gallery.php:511
+#: pro/fields/class-acf-field-gallery.php:467
msgid "Sort by title"
-msgstr "Sorteer op titel"
+msgstr "Sorteren op titel"
-#: pro/fields/class-acf-field-gallery.php:512
+#: pro/fields/class-acf-field-gallery.php:468
msgid "Reverse current order"
-msgstr "Keer volgorde om"
+msgstr "Volgorde omkeren"
-#: pro/fields/class-acf-field-gallery.php:524
+#: pro/fields/class-acf-field-gallery.php:480
msgid "Close"
msgstr "Sluiten"
-#: pro/fields/class-acf-field-gallery.php:556
+#: pro/fields/class-acf-field-gallery.php:508
msgid "Return Format"
msgstr "Output weergeven als"
-#: pro/fields/class-acf-field-gallery.php:562
+#: pro/fields/class-acf-field-gallery.php:514
msgid "Image Array"
-msgstr "Afbeelding Array"
+msgstr "Afbeelding array"
-#: pro/fields/class-acf-field-gallery.php:563
+#: pro/fields/class-acf-field-gallery.php:515
msgid "Image URL"
msgstr "Afbeelding URL"
-#: pro/fields/class-acf-field-gallery.php:564
+#: pro/fields/class-acf-field-gallery.php:516
msgid "Image ID"
msgstr "Afbeelding ID"
-#: pro/fields/class-acf-field-gallery.php:572
+#: pro/fields/class-acf-field-gallery.php:524
msgid "Library"
msgstr "Bibliotheek"
-#: pro/fields/class-acf-field-gallery.php:573
+#: pro/fields/class-acf-field-gallery.php:525
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."
+msgstr "Mediabibliotheek keuze beperken"
-#: pro/fields/class-acf-field-gallery.php:578,
-#: pro/locations/class-acf-location-block.php:66
+#: pro/fields/class-acf-field-gallery.php:530,
+#: pro/locations/class-acf-location-block.php:68
msgid "All"
msgstr "Alles"
-#: pro/fields/class-acf-field-gallery.php:579
+#: pro/fields/class-acf-field-gallery.php:531
msgid "Uploaded to post"
-msgstr "Geüpload naar post"
+msgstr "Geüpload naar bericht"
-#: pro/fields/class-acf-field-gallery.php:615
+#: pro/fields/class-acf-field-gallery.php:567
msgid "Minimum Selection"
msgstr "Minimale selectie"
-#: pro/fields/class-acf-field-gallery.php:625
+#: pro/fields/class-acf-field-gallery.php:577
msgid "Maximum Selection"
msgstr "Maximale selectie"
-#: pro/fields/class-acf-field-gallery.php:635
+#: pro/fields/class-acf-field-gallery.php:587
msgid "Minimum"
msgstr "Minimaal"
-#: pro/fields/class-acf-field-gallery.php:636,
-#: pro/fields/class-acf-field-gallery.php:672
+#: pro/fields/class-acf-field-gallery.php:588,
+#: pro/fields/class-acf-field-gallery.php:624
msgid "Restrict which images can be uploaded"
msgstr "Bepaal welke afbeeldingen geüpload mogen worden"
-#: pro/fields/class-acf-field-gallery.php:639,
-#: pro/fields/class-acf-field-gallery.php:675
+#: pro/fields/class-acf-field-gallery.php:591,
+#: pro/fields/class-acf-field-gallery.php:627
msgid "Width"
msgstr "Breedte"
-#: pro/fields/class-acf-field-gallery.php:650,
-#: pro/fields/class-acf-field-gallery.php:686
+#: pro/fields/class-acf-field-gallery.php:602,
+#: pro/fields/class-acf-field-gallery.php:638
msgid "Height"
msgstr "Hoogte"
-#: pro/fields/class-acf-field-gallery.php:662,
-#: pro/fields/class-acf-field-gallery.php:698
+#: pro/fields/class-acf-field-gallery.php:614,
+#: pro/fields/class-acf-field-gallery.php:650
msgid "File size"
msgstr "Bestandsgrootte"
-#: pro/fields/class-acf-field-gallery.php:671
+#: pro/fields/class-acf-field-gallery.php:623
msgid "Maximum"
msgstr "Maximaal"
-#: pro/fields/class-acf-field-gallery.php:707
-msgid "Allowed file types"
+#: pro/fields/class-acf-field-gallery.php:659
+msgid "Allowed File Types"
msgstr "Toegestane bestandstypen"
-#: pro/fields/class-acf-field-gallery.php:708
+#: pro/fields/class-acf-field-gallery.php:660
msgid "Comma separated list. Leave blank for all types"
-msgstr "Met komma's gescheiden lijst. Laat leeg voor alle types."
+msgstr "Met komma's gescheiden lijst. Laat leeg voor alle types"
-#: pro/fields/class-acf-field-gallery.php:727
+#: pro/fields/class-acf-field-gallery.php:679
msgid "Insert"
msgstr "Invoegen"
-#: pro/fields/class-acf-field-gallery.php:728
+#: pro/fields/class-acf-field-gallery.php:680
msgid "Specify where new attachments are added"
msgstr "Geef aan waar nieuwe bijlagen worden toegevoegd"
-#: pro/fields/class-acf-field-gallery.php:732
+#: pro/fields/class-acf-field-gallery.php:684
msgid "Append to the end"
msgstr "Toevoegen aan het einde"
-#: pro/fields/class-acf-field-gallery.php:733
+#: pro/fields/class-acf-field-gallery.php:685
msgid "Prepend to the beginning"
msgstr "Toevoegen aan het begin"
-#: pro/fields/class-acf-field-gallery.php:741
+#: pro/fields/class-acf-field-gallery.php:693
msgid "Preview Size"
-msgstr "Afmeting voorbeeld"
+msgstr "Voorbeeldgrootte"
-#: pro/fields/class-acf-field-gallery.php:844
+#: pro/fields/class-acf-field-gallery.php:787
msgid "%1$s requires at least %2$s selection"
msgid_plural "%1$s requires at least %2$s selections"
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "%1$s vereist minstens %2$s selectie"
+msgstr[1] "%1$s vereist minstens %2$s selecties"
#: pro/fields/class-acf-field-repeater.php:29
msgid "Repeater"
msgstr "Herhalen"
-#: pro/fields/class-acf-field-repeater.php:66,
-#: pro/fields/class-acf-field-repeater.php:463
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+"Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en "
+"call-to-action tegels, door te dienen als een hoofditem voor een set "
+"subvelden die steeds opnieuw kunnen worden herhaald."
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
msgid "Minimum rows not reached ({min} rows)"
msgstr "Minimum aantal rijen bereikt ({min} rijen)"
-#: pro/fields/class-acf-field-repeater.php:67
+#: pro/fields/class-acf-field-repeater.php:68
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximum aantal rijen bereikt ({max} rijen)"
-#: pro/fields/class-acf-field-repeater.php:68
-msgid "Error loading page"
-msgstr ""
-
#: pro/fields/class-acf-field-repeater.php:69
+msgid "Error loading page"
+msgstr "Fout bij het laden van de pagina"
+
+#: pro/fields/class-acf-field-repeater.php:70
msgid "Order will be assigned upon save"
-msgstr ""
+msgstr "Volgorde zal worden toegewezen bij opslaan"
-#: pro/fields/class-acf-field-repeater.php:162
+#: pro/fields/class-acf-field-repeater.php:163
msgid "Sub Fields"
-msgstr "Sub-velden"
-
-#: pro/fields/class-acf-field-repeater.php:195
-msgid "Pagination"
-msgstr ""
+msgstr "Subvelden"
#: pro/fields/class-acf-field-repeater.php:196
-msgid "Useful for fields with a large number of rows."
-msgstr ""
+msgid "Pagination"
+msgstr "Paginering"
-#: pro/fields/class-acf-field-repeater.php:207
-msgid "Rows Per Page"
-msgstr ""
+#: pro/fields/class-acf-field-repeater.php:197
+msgid "Useful for fields with a large number of rows."
+msgstr "Nuttig voor velden met een groot aantal rijen."
#: pro/fields/class-acf-field-repeater.php:208
-msgid "Set the number of rows to be displayed on a page."
-msgstr ""
+msgid "Rows Per Page"
+msgstr "Rijen per pagina"
-#: pro/fields/class-acf-field-repeater.php:240
+#: pro/fields/class-acf-field-repeater.php:209
+msgid "Set the number of rows to be displayed on a page."
+msgstr "Stel het aantal rijen in om weer te geven op een pagina."
+
+#: pro/fields/class-acf-field-repeater.php:241
msgid "Minimum Rows"
msgstr "Minimum aantal rijen"
-#: pro/fields/class-acf-field-repeater.php:251
+#: pro/fields/class-acf-field-repeater.php:252
msgid "Maximum Rows"
msgstr "Maximum aantal rijen"
-#: pro/fields/class-acf-field-repeater.php:281
+#: pro/fields/class-acf-field-repeater.php:282
msgid "Collapsed"
msgstr "Ingeklapt"
-#: pro/fields/class-acf-field-repeater.php:282
+#: pro/fields/class-acf-field-repeater.php:283
msgid "Select a sub field to show when row is collapsed"
-msgstr "Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is"
+msgstr "Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is"
-#: pro/fields/class-acf-field-repeater.php:1045
+#: pro/fields/class-acf-field-repeater.php:1050
msgid "Invalid nonce."
-msgstr ""
+msgstr "Ongeldige nonce."
-#: pro/fields/class-acf-field-repeater.php:1060
+#: pro/fields/class-acf-field-repeater.php:1055
msgid "Invalid field key or name."
-msgstr ""
+msgstr "Ongeldige veldsleutel of -naam."
-#: pro/fields/class-acf-field-repeater.php:1069
+#: pro/fields/class-acf-field-repeater.php:1064
msgid "There was an error retrieving the field."
-msgstr ""
+msgstr "Er is een fout opgetreden bij het ophalen van het veld."
-#: pro/fields/class-acf-repeater-table.php:369
-#, fuzzy
-#| msgid "Drag to reorder"
+#: pro/fields/class-acf-repeater-table.php:367
msgid "Click to reorder"
-msgstr "Sleep om te sorteren"
+msgstr "Klik om te herschikken"
+
+#: pro/fields/class-acf-repeater-table.php:400
+msgid "Add row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-repeater-table.php:401
+msgid "Duplicate row"
+msgstr "Rij dupliceren"
#: pro/fields/class-acf-repeater-table.php:402
-msgid "Add row"
-msgstr "Nieuwe regel"
-
-#: pro/fields/class-acf-repeater-table.php:403
-msgid "Duplicate row"
-msgstr ""
-
-#: pro/fields/class-acf-repeater-table.php:404
msgid "Remove row"
-msgstr "Verwijder regel"
+msgstr "Regel verwijderen"
-#: pro/fields/class-acf-repeater-table.php:448,
-#: pro/fields/class-acf-repeater-table.php:465,
-#: pro/fields/class-acf-repeater-table.php:466
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
msgid "Current Page"
-msgstr ""
+msgstr "Huidige pagina"
-#: pro/fields/class-acf-repeater-table.php:456,
-#: pro/fields/class-acf-repeater-table.php:457
-#, fuzzy
-#| msgid "Front Page"
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
msgid "First Page"
-msgstr "Hoofdpagina"
+msgstr "Eerste pagina"
-#: pro/fields/class-acf-repeater-table.php:460,
-#: pro/fields/class-acf-repeater-table.php:461
-#, fuzzy
-#| msgid "Posts Page"
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
msgid "Previous Page"
-msgstr "Berichten pagina"
+msgstr "Vorige pagina"
#. translators: 1: Current page, 2: Total pages.
-#: pro/fields/class-acf-repeater-table.php:470
+#: pro/fields/class-acf-repeater-table.php:468
msgctxt "paging"
msgid "%1$s of %2$s"
-msgstr ""
+msgstr "%1$s van %2$s"
-#: pro/fields/class-acf-repeater-table.php:477,
-#: pro/fields/class-acf-repeater-table.php:478
-#, fuzzy
-#| msgid "Front Page"
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
msgid "Next Page"
-msgstr "Hoofdpagina"
+msgstr "Volgende pagina"
-#: pro/fields/class-acf-repeater-table.php:481,
-#: pro/fields/class-acf-repeater-table.php:482
-#, fuzzy
-#| msgid "Posts Page"
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
msgid "Last Page"
-msgstr "Berichten pagina"
+msgstr "Laatste pagina"
-#: pro/locations/class-acf-location-block.php:71
+#: pro/locations/class-acf-location-block.php:73
msgid "No block types exist"
-msgstr ""
+msgstr "Er bestaan geen bloktypes"
#: pro/locations/class-acf-location-options-page.php:22
msgid "Options Page"
msgstr "Opties pagina"
#: pro/locations/class-acf-location-options-page.php:70
-msgid "No options pages exist"
-msgstr "Er zijn nog geen optie pagina's"
+msgid "Select options page..."
+msgstr "Opties pagina selecteren…"
-#: pro/admin/views/html-settings-updates.php:6
+#: pro/locations/class-acf-location-options-page.php:74,
+#: pro/post-types/acf-ui-options-page.php:95,
+#: pro/admin/post-types/admin-ui-options-page.php:482
+msgid "Add New Options Page"
+msgstr "Nieuwe opties pagina toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:92,
+#: pro/post-types/acf-ui-options-page.php:93,
+#: pro/admin/post-types/admin-ui-options-pages.php:94,
+#: pro/admin/post-types/admin-ui-options-pages.php:94
+msgid "Options Pages"
+msgstr "Opties pagina’s"
+
+#: pro/post-types/acf-ui-options-page.php:94
+msgid "Add New"
+msgstr "Nieuwe toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:96
+msgid "Edit Options Page"
+msgstr "Opties pagina bewerken"
+
+#: pro/post-types/acf-ui-options-page.php:97
+msgid "New Options Page"
+msgstr "Nieuwe opties pagina"
+
+#: pro/post-types/acf-ui-options-page.php:98
+msgid "View Options Page"
+msgstr "Opties pagina bekijken"
+
+#: pro/post-types/acf-ui-options-page.php:99
+msgid "Search Options Pages"
+msgstr "Opties pagina’s zoeken"
+
+#: pro/post-types/acf-ui-options-page.php:100
+msgid "No Options Pages found"
+msgstr "Geen opties pagina’s gevonden"
+
+#: pro/post-types/acf-ui-options-page.php:101
+msgid "No Options Pages found in Trash"
+msgstr "Geen opties pagina’s gevonden in prullenbak"
+
+#: pro/post-types/acf-ui-options-page.php:203
+msgid ""
+"The menu slug must only contain lower case alphanumeric characters, "
+"underscores or dashes."
+msgstr ""
+"De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes "
+"bevatten."
+
+#: pro/post-types/acf-ui-options-page.php:235
+msgid "This Menu Slug is already in use by another ACF Options Page."
+msgstr "Deze menuslug wordt al gebruikt door een andere ACF opties pagina."
+
+#: pro/admin/post-types/admin-ui-options-page.php:56
+msgid "Options page deleted."
+msgstr "Opties pagina verwijderd."
+
+#: pro/admin/post-types/admin-ui-options-page.php:57
+msgid "Options page updated."
+msgstr "Opties pagina geüpdatet."
+
+#: pro/admin/post-types/admin-ui-options-page.php:60
+msgid "Options page saved."
+msgstr "Opties pagina opgeslagen."
+
+#: pro/admin/post-types/admin-ui-options-page.php:61
+msgid "Options page submitted."
+msgstr "Opties pagina ingediend."
+
+#: pro/admin/post-types/admin-ui-options-page.php:62
+msgid "Options page scheduled for."
+msgstr "Opties pagina gepland voor."
+
+#: pro/admin/post-types/admin-ui-options-page.php:63
+msgid "Options page draft updated."
+msgstr "Opties pagina concept geüpdatet."
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:83
+msgid "%s options page updated"
+msgstr "%s opties pagina geüpdatet"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:85
+msgid "Add fields to %s"
+msgstr "Velden toevoegen aan %s"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:89
+msgid "%s options page created"
+msgstr "%s opties pagina aangemaakt"
+
+#: pro/admin/post-types/admin-ui-options-page.php:102
+msgid "Link existing field groups"
+msgstr "Koppel bestaande veldgroepen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:131
+msgid "Post"
+msgstr "Bericht"
+
+#: pro/admin/post-types/admin-ui-options-page.php:132
+msgid "Posts"
+msgstr "Berichten"
+
+#: pro/admin/post-types/admin-ui-options-page.php:133
+msgid "Page"
+msgstr "Pagina"
+
+#: pro/admin/post-types/admin-ui-options-page.php:134
+msgid "Pages"
+msgstr "Pagina’s"
+
+#: pro/admin/post-types/admin-ui-options-page.php:135
+msgid "Default"
+msgstr "Standaard"
+
+#: pro/admin/post-types/admin-ui-options-page.php:157
+msgid "Basic Settings"
+msgstr "Basis instellingen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:158
+msgid "Advanced Settings"
+msgstr "Geavanceerde instellingen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:283
+msgctxt "post status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/post-types/admin-ui-options-page.php:283
+msgctxt "post status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/post-types/admin-ui-options-page.php:361
+msgid "No Parent"
+msgstr "Geen hoofditem"
+
+#: pro/admin/post-types/admin-ui-options-page.php:450
+msgid "The provided Menu Slug already exists."
+msgstr "De opgegeven menuslug bestaat al."
+
+#: pro/admin/post-types/admin-ui-options-pages.php:118
+msgid "Key"
+msgstr "Sleutel"
+
+#: pro/admin/post-types/admin-ui-options-pages.php:122
+msgid "Local JSON"
+msgstr "Lokale JSON"
+
+#: pro/admin/post-types/admin-ui-options-pages.php:151
+msgid "No description"
+msgstr "Geen beschrijving"
+
+#. translators: %s number of post types activated
+#: pro/admin/post-types/admin-ui-options-pages.php:179
+msgid "Options page activated."
+msgid_plural "%s options pages activated."
+msgstr[0] "Opties pagina geactiveerd."
+msgstr[1] "%s opties pagina’s geactiveerd."
+
+#. translators: %s number of post types deactivated
+#: pro/admin/post-types/admin-ui-options-pages.php:186
+msgid "Options page deactivated."
+msgid_plural "%s options pages deactivated."
+msgstr[0] "Opties pagina gedeactiveerd."
+msgstr[1] "%s opties pagina’s gedeactiveerd."
+
+#. translators: %s number of post types duplicated
+#: pro/admin/post-types/admin-ui-options-pages.php:193
+msgid "Options page duplicated."
+msgid_plural "%s options pages duplicated."
+msgstr[0] "Opties pagina gedupliceerd."
+msgstr[1] "%s opties pagina’s gedupliceerd."
+
+#. translators: %s number of post types synchronized
+#: pro/admin/post-types/admin-ui-options-pages.php:200
+msgid "Options page synchronized."
+msgid_plural "%s options pages synchronized."
+msgstr[0] "Opties pagina gesynchroniseerd."
+msgstr[1] "%s opties pagina's gesynchroniseerd."
+
+#: pro/admin/views/html-settings-updates.php:9
msgid "Deactivate License"
msgstr "Licentiecode deactiveren"
-#: pro/admin/views/html-settings-updates.php:6
+#: pro/admin/views/html-settings-updates.php:9
msgid "Activate License"
-msgstr "Activeer licentiecode"
+msgstr "Licentie activeren"
-#: pro/admin/views/html-settings-updates.php:16
+#: pro/admin/views/html-settings-updates.php:26
+msgctxt "license status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/views/html-settings-updates.php:34
+msgctxt "license status"
+msgid "Cancelled"
+msgstr "Geannuleerd"
+
+#: pro/admin/views/html-settings-updates.php:32
+msgctxt "license status"
+msgid "Expired"
+msgstr "Verlopen"
+
+#: pro/admin/views/html-settings-updates.php:30
+msgctxt "license status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/views/html-settings-updates.php:47
+msgid "Subscription Status"
+msgstr "Abonnementsstatus"
+
+#: pro/admin/views/html-settings-updates.php:45
+msgid "License Status"
+msgstr "Licentiestatus"
+
+#: pro/admin/views/html-settings-updates.php:60
+msgid "Subscription Type"
+msgstr "Abonnementstype"
+
+#: pro/admin/views/html-settings-updates.php:58
+msgid "License Type"
+msgstr "Licentietype"
+
+#: pro/admin/views/html-settings-updates.php:67
+msgid "Lifetime - "
+msgstr "Levenslang - "
+
+#: pro/admin/views/html-settings-updates.php:81
+msgid "Subscription Expires"
+msgstr "Abonnement verloopt"
+
+#: pro/admin/views/html-settings-updates.php:79
+msgid "Subscription Expired"
+msgstr "Abonnement verlopen"
+
+#: pro/admin/views/html-settings-updates.php:118
+msgid "Renew Subscription"
+msgstr "Abonnement verlengen"
+
+#: pro/admin/views/html-settings-updates.php:136
msgid "License Information"
msgstr "Licentie informatie"
-#: pro/admin/views/html-settings-updates.php:34
-msgid ""
-"To unlock updates, please enter your license key below. If you don't have a "
-"licence key, please see details & pricing"
-"a>."
-msgstr ""
-"Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen "
-"licentiecode? Bekijk details & prijzen."
-
-#: pro/admin/views/html-settings-updates.php:37
+#: pro/admin/views/html-settings-updates.php:170
msgid "License Key"
msgstr "Licentiecode"
-#: pro/admin/views/html-settings-updates.php:22
+#: pro/admin/views/html-settings-updates.php:191,
+#: pro/admin/views/html-settings-updates.php:157
+msgid "Recheck License"
+msgstr "Licentie opnieuw controleren"
+
+#: pro/admin/views/html-settings-updates.php:142
msgid "Your license key is defined in wp-config.php."
-msgstr ""
+msgstr "Je licentiesleutel wordt gedefinieerd in wp-config.php."
-#: pro/admin/views/html-settings-updates.php:29
-msgid "Retry Activation"
-msgstr ""
+#: pro/admin/views/html-settings-updates.php:211
+msgid "View pricing & purchase"
+msgstr "Prijzen bekijken & kopen"
-#: pro/admin/views/html-settings-updates.php:61
+#. translators: %s - link to ACF website
+#: pro/admin/views/html-settings-updates.php:220
+msgid "Don't have an ACF PRO license? %s"
+msgstr "Heb je geen ACF PRO licentie? %s"
+
+#: pro/admin/views/html-settings-updates.php:235
msgid "Update Information"
-msgstr "Update informatie"
+msgstr "Informatie updaten"
-#: pro/admin/views/html-settings-updates.php:68
+#: pro/admin/views/html-settings-updates.php:242
msgid "Current Version"
msgstr "Huidige versie"
-#: pro/admin/views/html-settings-updates.php:76
+#: pro/admin/views/html-settings-updates.php:250
msgid "Latest Version"
msgstr "Nieuwste versie"
-#: pro/admin/views/html-settings-updates.php:84
+#: pro/admin/views/html-settings-updates.php:258
msgid "Update Available"
msgstr "Update beschikbaar"
-#: pro/admin/views/html-settings-updates.php:91
+#: pro/admin/views/html-settings-updates.php:265
msgid "No"
msgstr "Nee"
-#: pro/admin/views/html-settings-updates.php:89
+#: pro/admin/views/html-settings-updates.php:263
msgid "Yes"
msgstr "Ja"
-#: pro/admin/views/html-settings-updates.php:98
+#: pro/admin/views/html-settings-updates.php:272
msgid "Upgrade Notice"
msgstr "Upgrade opmerking"
-#: pro/admin/views/html-settings-updates.php:126
+#: pro/admin/views/html-settings-updates.php:303
msgid "Check For Updates"
-msgstr ""
+msgstr "Controleren op updates"
-#: pro/admin/views/html-settings-updates.php:121
-#, fuzzy
-#| msgid "Please enter your license key above to unlock updates"
+#: pro/admin/views/html-settings-updates.php:300
msgid "Enter your license key to unlock updates"
-msgstr "Vul uw licentiecode hierboven in om updates te ontvangen"
+msgstr "Vul je licentiecode hierboven in om updates te ontgrendelen"
-#: pro/admin/views/html-settings-updates.php:119
+#: pro/admin/views/html-settings-updates.php:298
msgid "Update Plugin"
-msgstr "Update plugin"
+msgstr "Plugin updaten"
-#: pro/admin/views/html-settings-updates.php:117
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr "Updates moeten handmatig worden geïnstalleerd in deze configuratie"
+
+#: pro/admin/views/html-settings-updates.php:294
+msgid "Update ACF in Network Admin"
+msgstr "ACF updaten in netwerkbeheer"
+
+#: pro/admin/views/html-settings-updates.php:292
msgid "Please reactivate your license to unlock updates"
+msgstr "Activeer je licentie opnieuw om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:290
+msgid "Please upgrade WordPress to update ACF"
+msgstr "Upgrade WordPress om ACF te updaten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:20
+msgid "Dashicon class name"
+msgstr "Dashicon class naam"
+
+#. translators: %s = "dashicon class name", link to the WordPress dashicon documentation.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:25
+msgid ""
+"The icon used for the options page menu item in the admin dashboard. Can be "
+"a URL or %s to use for the icon."
msgstr ""
+"Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het "
+"beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:59
+msgid "Menu Icon"
+msgstr "Menu-icoon"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+msgid "Menu Title"
+msgstr "Menutitel"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
+msgid "Learn more about menu positions."
+msgstr "Meer informatie over menuposities."
+
+#. translators: %s - link to WordPress docs to learn more about menu positions.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
+msgid "The position in the menu where this page should appear. %s"
+msgstr "De positie in het menu waar deze pagina moet verschijnen. %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
+msgid ""
+"The position in the menu where this child page should appear. The first "
+"child page is 0, the next is 1, etc."
+msgstr ""
+"De positie in het menu waar deze subpagina moet verschijnen. De eerste "
+"subpagina is 0, de volgende is 1, etc."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:115
+msgid "Menu Position"
+msgstr "Menupositie"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
+msgid "Redirect to Child Page"
+msgstr "Doorverwijzen naar subpagina"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
+msgid ""
+"When child pages exist for this parent page, this page will redirect to the "
+"first child page."
+msgstr ""
+"Als er subpagina's bestaan voor deze hoofdpagina, zal deze pagina doorsturen "
+"naar de eerste subpagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
+msgid "A descriptive summary of the options page."
+msgstr "Een beschrijvende samenvatting van de opties pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
+msgid "Update Button Label"
+msgstr "Update knop label"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
+msgid ""
+"The label used for the submit button which updates the fields on the options "
+"page."
+msgstr ""
+"Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de "
+"opties pagina worden geüpdatet."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
+msgid "Updated Message"
+msgstr "Bericht geüpdatet"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
+msgid ""
+"The message that is displayed after successfully updating the options page."
+msgstr ""
+"Het bericht dat wordt weergegeven na het succesvol updaten van de opties "
+"pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
+msgid "Updated Options"
+msgstr "Geüpdatete opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
+msgid "Capability"
+msgstr "Rechten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
+msgid "The capability required for this menu to be displayed to the user."
+msgstr "De rechten die nodig zijn om dit menu weer te geven aan de gebruiker."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
+msgid "Data Storage"
+msgstr "Gegevensopslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+msgid ""
+"By default, the option page stores field data in the options table. You can "
+"make the page load field data from a post, user, or term."
+msgstr ""
+"Standaard slaat de opties pagina veldgegevens op in de optietabel. Je kunt "
+"de pagina veldgegevens laten laden van een bericht, gebruiker of term."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
+msgid "Custom Storage"
+msgstr "Aangepaste opslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
+msgid "Learn more about available settings."
+msgstr "Meer informatie over beschikbare instellingen."
+
+#. translators: %s = link to learn more about storage locations.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
+msgid ""
+"Set a custom storage location. Can be a numeric post ID (123), or a string "
+"(`user_2`). %s"
+msgstr ""
+"Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn "
+"(123) of een tekenreeks (`user_2`). %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
+msgid "Autoload Options"
+msgstr "Autoload opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
+msgid ""
+"Improve performance by loading the fields in the option records "
+"automatically when WordPress loads."
+msgstr ""
+"Verbeter de prestaties door de velden in de optie-records automatisch te "
+"laden wanneer WordPress wordt geladen."
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
+msgid "Page Title"
+msgstr "Paginatitel"
+
+#. translators: example options page name
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
+msgid "Site Settings"
+msgstr "Site instellingen"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
+msgid "Menu Slug"
+msgstr "Menuslug"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
+msgid "Parent Page"
+msgstr "Hoofdpagina"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:72
+msgid "Advanced Configuration"
+msgstr "Geavanceerde configuratie"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:73
+msgid "I know what I'm doing, show me all the options."
+msgstr "Ik weet wat ik doe, laat me alle opties zien."
+
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:62
+msgid "Cancel"
+msgstr "Annuleren"
+
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:63
+msgid "Done"
+msgstr "Klaar"
+
+#. translators: %s URL to ACF options pages documentation
+#: pro/admin/views/acf-ui-options-page/list-empty.php:10
+msgid ""
+"ACF options pages are custom admin "
+"pages for managing global settings via fields. You can create multiple pages "
+"and sub-pages."
+msgstr ""
+"ACF opties pagina's zijn aangepaste "
+"beheerpagina's voor het beheren van globale instellingen via velden. Je kunt "
+"meerdere pagina's en subpagina's maken."
+
+#. translators: %s url to getting started guide
+#: pro/admin/views/acf-ui-options-page/list-empty.php:16
+msgid ""
+"New to ACF? Take a look at our getting "
+"started guide."
+msgstr ""
+"Ben je nieuw bij ACF? Bekijk onze startersgids."
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:32
+msgid "Upgrade to ACF PRO to create options pages in just a few clicks"
+msgstr ""
+"Upgrade naar ACF PRO om opties pagina's te maken in slechts een paar klikken"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
+msgid "Add Your First Options Page"
+msgstr "Voeg je eerste opties pagina toe"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:43
+msgid "Learn More"
+msgstr "Meer leren"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:44
+msgid "Upgrade to ACF PRO"
+msgstr "Upgraden naar ACF PRO"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:40
+msgid "Add Options Page"
+msgstr "Opties pagina toevoegen"
diff --git a/lang/pro/acf-nl_NL_formal.po b/lang/pro/acf-nl_NL_formal.po
new file mode 100644
index 0000000..3b1aaf9
--- /dev/null
+++ b/lang/pro/acf-nl_NL_formal.po
@@ -0,0 +1,1462 @@
+msgid ""
+msgstr ""
+"Project-Id-Version: Advanced Custom Fields PRO\n"
+"Report-Msgid-Bugs-To: https://support.advancedcustomfields.com\n"
+"POT-Creation-Date: 2025-01-21 10:45+0000\n"
+"PO-Revision-Date: 2025-01-21 19:17+0100\n"
+"Last-Translator: Toine Rademacher (toineenzo) \n"
+"Language-Team: WP Engine \n"
+"Language: nl_NL@formal\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 3.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-Basepath: ..\n"
+"X-Poedit-WPHeader: acf.php\n"
+"X-Textdomain-Support: yes\n"
+"X-Poedit-SearchPath-0: .\n"
+"X-Poedit-SearchPathExcluded-0: *.js\n"
+
+#: pro/acf-pro.php:21
+msgid "Advanced Custom Fields PRO"
+msgstr "Advanced Custom Fields PRO"
+
+#: pro/acf-pro.php:174
+msgid ""
+"Your ACF PRO license is no longer active. Please renew to continue to have "
+"access to updates, support, & PRO features."
+msgstr ""
+"Uw ACF PRO licentie is niet langer actief. Verleng om toegang te blijven "
+"houden tot updates, ondersteuning en PRO functies."
+
+#: pro/acf-pro.php:171
+msgid ""
+"Your license has expired. Please renew to continue to have access to "
+"updates, support & PRO features."
+msgstr ""
+"Uw licentie is verlopen. Verleng om toegang te blijven houden tot updates, "
+"ondersteuning & PRO functies."
+
+#: pro/acf-pro.php:168
+msgid ""
+"Activate your license to enable access to updates, support & PRO "
+"features."
+msgstr ""
+"Activeer uw licentie om toegang te krijgen tot updates, ondersteuning & "
+"PRO functies."
+
+#: pro/acf-pro.php:189, pro/admin/views/html-settings-updates.php:114
+msgid "Manage License"
+msgstr "Licentie beheren"
+
+#: pro/acf-pro.php:257
+msgid "A valid license is required to edit options pages."
+msgstr "U heeft een geldige licentie nodig om opties pagina's te bewerken."
+
+#: pro/acf-pro.php:255
+msgid "A valid license is required to edit field groups assigned to a block."
+msgstr ""
+"U heeft een geldige licentie nodig om veldgroepen, die aan een blok zijn "
+"toegewezen, te bewerken."
+
+#: pro/blocks.php:186
+msgid "Block type name is required."
+msgstr "De naam van het bloktype is verplicht."
+
+#. translators: The name of the block type
+#: pro/blocks.php:194
+msgid "Block type \"%s\" is already registered."
+msgstr "Bloktype “%s” is al geregistreerd."
+
+#: pro/blocks.php:740
+msgid "The render template for this ACF Block was not found"
+msgstr "De rendertemplate voor dit ACF blok is niet gevonden"
+
+#: pro/blocks.php:790
+msgid "Switch to Edit"
+msgstr "Schakel naar bewerken"
+
+#: pro/blocks.php:791
+msgid "Switch to Preview"
+msgstr "Schakel naar voorbeeld"
+
+#: pro/blocks.php:792
+msgid "Change content alignment"
+msgstr "Inhoudsuitlijning wijzigen"
+
+#: pro/blocks.php:793
+msgid "An error occurred when loading the preview for this block."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het voorbeeld voor dit blok."
+
+#: pro/blocks.php:794
+msgid "An error occurred when loading the block in edit mode."
+msgstr ""
+"Er is een fout opgetreden bij het laden van het blok in bewerkingsmodus."
+
+#. translators: %s: Block type title
+#: pro/blocks.php:797
+msgid "%s settings"
+msgstr "%s instellingen"
+
+#: pro/blocks.php:1039
+msgid "This block contains no editable fields."
+msgstr "Dit blok bevat geen bewerkbare velden."
+
+#. translators: %s: an admin URL to the field group edit screen
+#: pro/blocks.php:1045
+msgid ""
+"Assign a field group to add fields to "
+"this block."
+msgstr ""
+"Wijs een veldgroep toe om velden aan dit "
+"blok toe te voegen."
+
+#: pro/options-page.php:43,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:237
+msgid "Options"
+msgstr "Opties"
+
+#: pro/options-page.php:73, pro/fields/class-acf-field-gallery.php:483,
+#: pro/post-types/acf-ui-options-page.php:173,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:165
+msgid "Update"
+msgstr "Updaten"
+
+#: pro/options-page.php:74, pro/post-types/acf-ui-options-page.php:174
+msgid "Options Updated"
+msgstr "Opties geüpdatet"
+
+#. translators: %1 A link to the updates page. %2 link to the pricing page
+#: pro/updates.php:75
+msgid ""
+"To enable updates, please enter your license key on the Updates page. If you don't have a license key, please see "
+"details & pricing."
+msgstr ""
+"Om updates te ontvangen, vult u hieronder uw licentiecode in. Als u geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:71
+msgid ""
+"To enable updates, please enter your license key on the Updates page of the main site. If you don't have a license "
+"key, please see details & pricing."
+msgstr ""
+"Om updates in te schakelen, voert u uw licentiesleutel in op de Updates pagina van de hoofdsite. Als u geen "
+"licentiesleutel hebt, raadpleeg dan details & "
+"prijzen."
+
+#: pro/updates.php:136
+msgid ""
+"Your defined license key has changed, but an error occurred when "
+"deactivating your old license"
+msgstr ""
+"Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het deactiveren van uw oude licentie"
+
+#: pro/updates.php:133
+msgid ""
+"Your defined license key has changed, but an error occurred when connecting "
+"to activation server"
+msgstr ""
+"Uw gedefinieerde licentiesleutel is gewijzigd, maar er is een fout "
+"opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:168
+msgid ""
+"ACF PRO — Your license key has been activated "
+"successfully. Access to updates, support & PRO features is now enabled."
+msgstr ""
+"ACF PRO — Uw licentiesleutel is succesvol "
+"geactiveerd. Toegang tot updates, ondersteuning & PRO functies is nu "
+"ingeschakeld."
+
+#: pro/updates.php:159
+msgid "There was an issue activating your license key."
+msgstr ""
+"Er is een probleem opgetreden bij het activeren van uw licentiesleutel."
+
+#: pro/updates.php:155
+msgid "An error occurred when connecting to activation server"
+msgstr "Er is een fout opgetreden bij het verbinden met de activeringsserver"
+
+#: pro/updates.php:258
+msgid ""
+"The ACF activation service is temporarily unavailable. Please try again "
+"later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar. Probeer het later "
+"nog eens."
+
+#: pro/updates.php:256
+msgid ""
+"The ACF activation service is temporarily unavailable for scheduled "
+"maintenance. Please try again later."
+msgstr ""
+"De ACF activeringsservice is tijdelijk niet beschikbaar voor gepland "
+"onderhoud. Probeer het later nog eens."
+
+#: pro/updates.php:254
+msgid ""
+"An upstream API error occurred when checking your ACF PRO license status. We "
+"will retry again shortly."
+msgstr ""
+"Er is een API fout opgetreden bij het controleren van uw ACF PRO "
+"licentiestatus. We zullen het binnenkort opnieuw proberen."
+
+#: pro/updates.php:224
+msgid "You have reached the activation limit for the license."
+msgstr "U heeft de activeringslimiet voor de licentie bereikt."
+
+#: pro/updates.php:233, pro/updates.php:205
+msgid "View your licenses"
+msgstr "Uw licenties bekijken"
+
+#: pro/updates.php:246
+msgid "check again"
+msgstr "opnieuw controleren"
+
+#: pro/updates.php:250
+msgid "%1$s or %2$s."
+msgstr "%1$s of %2$s."
+
+#: pro/updates.php:210
+msgid "Your license key has expired and cannot be activated."
+msgstr "Uw licentiesleutel is verlopen en kan niet worden geactiveerd."
+
+#: pro/updates.php:219
+msgid "View your subscriptions"
+msgstr "Uw abonnementen bekijken"
+
+#: pro/updates.php:196
+msgid ""
+"License key not found. Make sure you have copied your license key exactly as "
+"it appears in your receipt or your account."
+msgstr ""
+"Licentiesleutel niet gevonden. Zorg ervoor dat u de licentiesleutel precies "
+"zo hebt gekopieerd als op uw ontvangstbewijs of in uw account."
+
+#: pro/updates.php:194
+msgid "Your license key has been deactivated."
+msgstr "Uw licentiesleutel is gedeactiveerd."
+
+#: pro/updates.php:192
+msgid ""
+"Your license key has been activated successfully. Access to updates, support "
+"& PRO features is now enabled."
+msgstr ""
+"Uw licentiesleutel is succesvol geactiveerd. Toegang tot updates, "
+"ondersteuning & PRO functies is nu ingeschakeld."
+
+#. translators: %s an untranslatable internal upstream error message
+#: pro/updates.php:262
+msgid ""
+"An unknown error occurred while trying to communicate with the ACF "
+"activation service: %s."
+msgstr ""
+"Er is een onbekende fout opgetreden tijdens het communiceren met de ACF "
+"activeringsservice: %s."
+
+#: pro/updates.php:333, pro/updates.php:949
+msgid "ACF PRO —"
+msgstr "ACF PRO —"
+
+#: pro/updates.php:342
+msgid "Check again"
+msgstr "Opnieuw controleren"
+
+#: pro/updates.php:657
+msgid "Could not connect to the activation server"
+msgstr "Kon niet verbinden met de activeringsserver"
+
+#. translators: %s - URL to ACF updates page
+#: pro/updates.php:727
+msgid ""
+"Your license key is valid but not activated on this site. Please deactivate and then reactivate the license."
+msgstr ""
+"Uw licentiesleutel is geldig maar niet geactiveerd op deze site. Deactiveer de licentie en activeer deze opnieuw."
+
+#: pro/updates.php:949
+msgid ""
+"Your site URL has changed since last activating your license. We've "
+"automatically activated it for this site URL."
+msgstr ""
+"De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt "
+"geactiveerd. We hebben het automatisch geactiveerd voor deze site URL."
+
+#: pro/updates.php:941
+msgid ""
+"Your site URL has changed since last activating your license, but we weren't "
+"able to automatically reactivate it: %s"
+msgstr ""
+"De URL van uw site is veranderd sinds de laatste keer dat u uw licentie hebt "
+"geactiveerd, maar we hebben hem niet automatisch opnieuw kunnen activeren: %s"
+
+#: pro/admin/admin-options-page.php:159
+msgid "Publish"
+msgstr "Publiceren"
+
+#: pro/admin/admin-options-page.php:162
+msgid ""
+"No Custom Field Groups found for this options page. Create a "
+"Custom Field Group"
+msgstr ""
+"Er zijn geen groepen gevonden voor deze opties pagina. Maak "
+"een extra veldgroep"
+
+#: pro/admin/admin-options-page.php:258
+msgid "Edit field group"
+msgstr "Veldgroep bewerken"
+
+#: pro/admin/admin-updates.php:52
+msgid "Error. Could not connect to the update server"
+msgstr "Fout. Kon niet verbinden met de updateserver"
+
+#: pro/admin/admin-updates.php:117,
+#: pro/admin/views/html-settings-updates.php:132
+msgid "Updates"
+msgstr "Updates"
+
+#. translators: %s the version of WordPress required for this ACF update
+#: pro/admin/admin-updates.php:203
+msgid ""
+"An update to ACF is available, but it is not compatible with your version of "
+"WordPress. Please upgrade to WordPress %s or newer to update ACF."
+msgstr ""
+"Er is een update voor ACF beschikbaar, maar deze is niet compatibel met uw "
+"versie van WordPress. Upgrade naar WordPress %s of nieuwer om ACF te updaten."
+
+#: pro/admin/admin-updates.php:224
+msgid ""
+"Error. Could not authenticate update package. Please check "
+"again or deactivate and reactivate your ACF PRO license."
+msgstr ""
+"Fout. Kan het updatepakket niet verifiëren. Controleer "
+"opnieuw of deactiveer en heractiveer uw ACF PRO licentie."
+
+#: pro/admin/admin-updates.php:214
+msgid ""
+"Error. Your license for this site has expired or been "
+"deactivated. Please reactivate your ACF PRO license."
+msgstr ""
+"Fout. Uw licentie voor deze site is verlopen of "
+"gedeactiveerd. Activeer uw ACF PRO licentie opnieuw."
+
+#: pro/fields/class-acf-field-clone.php:22
+msgctxt "noun"
+msgid "Clone"
+msgstr "Klonen"
+
+#: pro/fields/class-acf-field-clone.php:24
+msgid ""
+"Allows you to select and display existing fields. It does not duplicate any "
+"fields in the database, but loads and displays the selected fields at run-"
+"time. The Clone field can either replace itself with the selected fields or "
+"display the selected fields as a group of subfields."
+msgstr ""
+"Hiermee kunt u bestaande velden selecteren en weergeven. Het dupliceert geen "
+"velden in de database, maar laadt en toont de geselecteerde velden bij run-"
+"time. Het kloonveld kan zichzelf vervangen door de geselecteerde velden of "
+"de geselecteerde velden weergeven als een groep subvelden."
+
+#: pro/fields/class-acf-field-clone.php:724,
+#: pro/fields/class-acf-field-flexible-content.php:72
+msgid "Fields"
+msgstr "Velden"
+
+#: pro/fields/class-acf-field-clone.php:725
+msgid "Select one or more fields you wish to clone"
+msgstr "Selecteer één of meer velden om te klonen"
+
+#: pro/fields/class-acf-field-clone.php:745
+msgid "Display"
+msgstr "Weergeven"
+
+#: pro/fields/class-acf-field-clone.php:746
+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:751
+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:752
+msgid "Seamless (replaces this field with selected fields)"
+msgstr "Naadloos (vervangt dit veld met de geselecteerde velden)"
+
+#: pro/fields/class-acf-field-clone.php:761,
+#: pro/fields/class-acf-field-flexible-content.php:509,
+#: pro/fields/class-acf-field-flexible-content.php:572,
+#: pro/fields/class-acf-field-repeater.php:178
+msgid "Layout"
+msgstr "Lay-out"
+
+#: pro/fields/class-acf-field-clone.php:762
+msgid "Specify the style used to render the selected fields"
+msgstr "Kies de gebruikte stijl bij het renderen van de geselecteerde velden"
+
+#: pro/fields/class-acf-field-clone.php:767,
+#: pro/fields/class-acf-field-flexible-content.php:585,
+#: pro/fields/class-acf-field-repeater.php:186,
+#: pro/locations/class-acf-location-block.php:22
+msgid "Block"
+msgstr "Blok"
+
+#: pro/fields/class-acf-field-clone.php:768,
+#: pro/fields/class-acf-field-flexible-content.php:584,
+#: pro/fields/class-acf-field-repeater.php:185
+msgid "Table"
+msgstr "Tabel"
+
+#: pro/fields/class-acf-field-clone.php:769,
+#: pro/fields/class-acf-field-flexible-content.php:586,
+#: pro/fields/class-acf-field-repeater.php:187
+msgid "Row"
+msgstr "Rij"
+
+#: pro/fields/class-acf-field-clone.php:775
+msgid "Labels will be displayed as %s"
+msgstr "Labels worden weergegeven als %s"
+
+#: pro/fields/class-acf-field-clone.php:780
+msgid "Prefix Field Labels"
+msgstr "Prefix veld labels"
+
+#: pro/fields/class-acf-field-clone.php:790
+msgid "Values will be saved as %s"
+msgstr "Waarden worden opgeslagen als %s"
+
+#: pro/fields/class-acf-field-clone.php:795
+msgid "Prefix Field Names"
+msgstr "Prefix veld namen"
+
+#: pro/fields/class-acf-field-clone.php:892
+msgid "Unknown field"
+msgstr "Onbekend veld"
+
+#: pro/fields/class-acf-field-clone.php:896
+msgid "(no title)"
+msgstr "(geen titel)"
+
+#: pro/fields/class-acf-field-clone.php:925
+msgid "Unknown field group"
+msgstr "Onbekend groep"
+
+#: pro/fields/class-acf-field-clone.php:929
+msgid "All fields from %s field group"
+msgstr "Alle velden van %s veldgroep"
+
+#: pro/fields/class-acf-field-flexible-content.php:22
+msgid "Flexible Content"
+msgstr "Flexibele inhoud"
+
+#: pro/fields/class-acf-field-flexible-content.php:24
+msgid ""
+"Allows you to define, create and manage content with total control by "
+"creating layouts that contain subfields that content editors can choose from."
+msgstr ""
+"Hiermee kunt u inhoud definiëren, creëren en beheren met volledige controle "
+"door lay-outs te maken die subvelden bevatten waaruit inhoudsredacteuren "
+"kunnen kiezen."
+
+#: pro/fields/class-acf-field-flexible-content.php:24
+msgid "We do not recommend using this field in ACF Blocks."
+msgstr "Wij raden het gebruik van dit veld in ACF blokken af."
+
+#: pro/fields/class-acf-field-flexible-content.php:34,
+#: pro/fields/class-acf-field-repeater.php:104,
+#: pro/fields/class-acf-field-repeater.php:298
+msgid "Add Row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-field-flexible-content.php:70,
+#: pro/fields/class-acf-field-flexible-content.php:867,
+#: pro/fields/class-acf-field-flexible-content.php:949
+msgid "layout"
+msgid_plural "layouts"
+msgstr[0] "lay-out"
+msgstr[1] "lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:71
+msgid "layouts"
+msgstr "lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:75,
+#: pro/fields/class-acf-field-flexible-content.php:866,
+#: pro/fields/class-acf-field-flexible-content.php:948
+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:76
+msgid "This field has a limit of {max} {label} {identifier}"
+msgstr "Dit veld heeft een limiet van {max} {label} {identifier}"
+
+#: pro/fields/class-acf-field-flexible-content.php:79
+msgid "{available} {label} {identifier} available (max {max})"
+msgstr "{available} {label} {identifier} beschikbaar (max {max})"
+
+#: pro/fields/class-acf-field-flexible-content.php:80
+msgid "{required} {label} {identifier} required (min {min})"
+msgstr "{required} {label} {identifier} verplicht (min {min})"
+
+#: pro/fields/class-acf-field-flexible-content.php:83
+msgid "Flexible Content requires at least 1 layout"
+msgstr "Flexibele inhoud vereist minimaal 1 lay-out"
+
+#. translators: %s the button label used for adding a new layout.
+#: pro/fields/class-acf-field-flexible-content.php:255
+msgid "Click the \"%s\" button below to start creating your layout"
+msgstr "Klik op de \"%s\" knop om een nieuwe lay-out te maken"
+
+#: pro/fields/class-acf-field-flexible-content.php:375,
+#: pro/fields/class-acf-repeater-table.php:364
+msgid "Drag to reorder"
+msgstr "Slepen om te herschikken"
+
+#: pro/fields/class-acf-field-flexible-content.php:378
+msgid "Add layout"
+msgstr "Lay-out toevoegen"
+
+#: pro/fields/class-acf-field-flexible-content.php:379
+msgid "Duplicate layout"
+msgstr "Lay-out dupliceren"
+
+#: pro/fields/class-acf-field-flexible-content.php:380
+msgid "Remove layout"
+msgstr "Lay-out verwijderen"
+
+#: pro/fields/class-acf-field-flexible-content.php:381,
+#: pro/fields/class-acf-repeater-table.php:380
+msgid "Click to toggle"
+msgstr "Klik om in/uit te klappen"
+
+#: pro/fields/class-acf-field-flexible-content.php:517
+msgid "Delete Layout"
+msgstr "Lay-out verwijderen"
+
+#: pro/fields/class-acf-field-flexible-content.php:518
+msgid "Duplicate Layout"
+msgstr "Lay-out dupliceren"
+
+#: pro/fields/class-acf-field-flexible-content.php:519
+msgid "Add New Layout"
+msgstr "Nieuwe layout"
+
+#: pro/fields/class-acf-field-flexible-content.php:519
+msgid "Add Layout"
+msgstr "Lay-out toevoegen"
+
+#: pro/fields/class-acf-field-flexible-content.php:548
+msgid "Label"
+msgstr "Label"
+
+#: pro/fields/class-acf-field-flexible-content.php:565
+msgid "Name"
+msgstr "Naam"
+
+#: pro/fields/class-acf-field-flexible-content.php:603
+msgid "Min"
+msgstr "Min"
+
+#: pro/fields/class-acf-field-flexible-content.php:618
+msgid "Max"
+msgstr "Max"
+
+#: pro/fields/class-acf-field-flexible-content.php:659
+msgid "Minimum Layouts"
+msgstr "Minimale layouts"
+
+#: pro/fields/class-acf-field-flexible-content.php:670
+msgid "Maximum Layouts"
+msgstr "Maximale lay-outs"
+
+#: pro/fields/class-acf-field-flexible-content.php:681,
+#: pro/fields/class-acf-field-repeater.php:294
+msgid "Button Label"
+msgstr "Knop label"
+
+#: pro/fields/class-acf-field-flexible-content.php:1552,
+#: pro/fields/class-acf-field-repeater.php:913
+msgid "%s must be of type array or null."
+msgstr "%s moet van het type array of null zijn."
+
+#: pro/fields/class-acf-field-flexible-content.php:1563
+msgid "%1$s must contain at least %2$s %3$s layout."
+msgid_plural "%1$s must contain at least %2$s %3$s layouts."
+msgstr[0] "%1$s moet minstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet minstens %2$s %3$s lay-outs bevatten."
+
+#: pro/fields/class-acf-field-flexible-content.php:1579
+msgid "%1$s must contain at most %2$s %3$s layout."
+msgid_plural "%1$s must contain at most %2$s %3$s layouts."
+msgstr[0] "%1$s moet hoogstens %2$s %3$s lay-out bevatten."
+msgstr[1] "%1$s moet hoogstens %2$s %3$s lay-outs bevatten."
+
+#: pro/fields/class-acf-field-gallery.php:22
+msgid "Gallery"
+msgstr "Galerij"
+
+#: pro/fields/class-acf-field-gallery.php:24
+msgid ""
+"An interactive interface for managing a collection of attachments, such as "
+"images."
+msgstr ""
+"Een interactieve interface voor het beheer van een verzameling van bijlagen, "
+"zoals afbeeldingen."
+
+#: pro/fields/class-acf-field-gallery.php:72
+msgid "Add Image to Gallery"
+msgstr "Afbeelding toevoegen aan galerij"
+
+#: pro/fields/class-acf-field-gallery.php:73
+msgid "Maximum selection reached"
+msgstr "Maximale selectie bereikt"
+
+#: pro/fields/class-acf-field-gallery.php:282
+msgid "Length"
+msgstr "Lengte"
+
+#: pro/fields/class-acf-field-gallery.php:297
+msgid "Edit"
+msgstr "Bewerken"
+
+#: pro/fields/class-acf-field-gallery.php:298,
+#: pro/fields/class-acf-field-gallery.php:451
+msgid "Remove"
+msgstr "Verwijderen"
+
+#: pro/fields/class-acf-field-gallery.php:314
+msgid "Title"
+msgstr "Titel"
+
+#: pro/fields/class-acf-field-gallery.php:326
+msgid "Caption"
+msgstr "Onderschrift"
+
+#: pro/fields/class-acf-field-gallery.php:338
+msgid "Alt Text"
+msgstr "Alt tekst"
+
+#: pro/fields/class-acf-field-gallery.php:350,
+#: pro/admin/post-types/admin-ui-options-pages.php:117,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:153
+msgid "Description"
+msgstr "Omschrijving"
+
+#: pro/fields/class-acf-field-gallery.php:460
+msgid "Add to gallery"
+msgstr "Afbeelding(en) toevoegen"
+
+#: pro/fields/class-acf-field-gallery.php:464
+msgid "Bulk actions"
+msgstr "Bulkacties"
+
+#: pro/fields/class-acf-field-gallery.php:465
+msgid "Sort by date uploaded"
+msgstr "Sorteren op datum geüpload"
+
+#: pro/fields/class-acf-field-gallery.php:466
+msgid "Sort by date modified"
+msgstr "Sorteren op datum aangepast"
+
+#: pro/fields/class-acf-field-gallery.php:467
+msgid "Sort by title"
+msgstr "Sorteren op titel"
+
+#: pro/fields/class-acf-field-gallery.php:468
+msgid "Reverse current order"
+msgstr "Volgorde omkeren"
+
+#: pro/fields/class-acf-field-gallery.php:480
+msgid "Close"
+msgstr "Sluiten"
+
+#: pro/fields/class-acf-field-gallery.php:508
+msgid "Return Format"
+msgstr "Output weergeven als"
+
+#: pro/fields/class-acf-field-gallery.php:514
+msgid "Image Array"
+msgstr "Afbeelding array"
+
+#: pro/fields/class-acf-field-gallery.php:515
+msgid "Image URL"
+msgstr "Afbeelding URL"
+
+#: pro/fields/class-acf-field-gallery.php:516
+msgid "Image ID"
+msgstr "Afbeelding ID"
+
+#: pro/fields/class-acf-field-gallery.php:524
+msgid "Library"
+msgstr "Bibliotheek"
+
+#: pro/fields/class-acf-field-gallery.php:525
+msgid "Limit the media library choice"
+msgstr "Mediabibliotheek keuze beperken"
+
+#: pro/fields/class-acf-field-gallery.php:530,
+#: pro/locations/class-acf-location-block.php:68
+msgid "All"
+msgstr "Alles"
+
+#: pro/fields/class-acf-field-gallery.php:531
+msgid "Uploaded to post"
+msgstr "Geüpload naar bericht"
+
+#: pro/fields/class-acf-field-gallery.php:567
+msgid "Minimum Selection"
+msgstr "Minimale selectie"
+
+#: pro/fields/class-acf-field-gallery.php:577
+msgid "Maximum Selection"
+msgstr "Maximale selectie"
+
+#: pro/fields/class-acf-field-gallery.php:587
+msgid "Minimum"
+msgstr "Minimaal"
+
+#: pro/fields/class-acf-field-gallery.php:588,
+#: pro/fields/class-acf-field-gallery.php:624
+msgid "Restrict which images can be uploaded"
+msgstr "Bepaal welke afbeeldingen geüpload mogen worden"
+
+#: pro/fields/class-acf-field-gallery.php:591,
+#: pro/fields/class-acf-field-gallery.php:627
+msgid "Width"
+msgstr "Breedte"
+
+#: pro/fields/class-acf-field-gallery.php:602,
+#: pro/fields/class-acf-field-gallery.php:638
+msgid "Height"
+msgstr "Hoogte"
+
+#: pro/fields/class-acf-field-gallery.php:614,
+#: pro/fields/class-acf-field-gallery.php:650
+msgid "File size"
+msgstr "Bestandsgrootte"
+
+#: pro/fields/class-acf-field-gallery.php:623
+msgid "Maximum"
+msgstr "Maximaal"
+
+#: pro/fields/class-acf-field-gallery.php:659
+msgid "Allowed File Types"
+msgstr "Toegestane bestandstypen"
+
+#: pro/fields/class-acf-field-gallery.php:660
+msgid "Comma separated list. Leave blank for all types"
+msgstr "Met komma's gescheiden lijst. Laat leeg voor alle types"
+
+#: pro/fields/class-acf-field-gallery.php:679
+msgid "Insert"
+msgstr "Invoegen"
+
+#: pro/fields/class-acf-field-gallery.php:680
+msgid "Specify where new attachments are added"
+msgstr "Geef aan waar nieuwe bijlagen worden toegevoegd"
+
+#: pro/fields/class-acf-field-gallery.php:684
+msgid "Append to the end"
+msgstr "Toevoegen aan het einde"
+
+#: pro/fields/class-acf-field-gallery.php:685
+msgid "Prepend to the beginning"
+msgstr "Toevoegen aan het begin"
+
+#: pro/fields/class-acf-field-gallery.php:693
+msgid "Preview Size"
+msgstr "Voorbeeldgrootte"
+
+#: pro/fields/class-acf-field-gallery.php:787
+msgid "%1$s requires at least %2$s selection"
+msgid_plural "%1$s requires at least %2$s selections"
+msgstr[0] "%1$s vereist minstens %2$s selectie"
+msgstr[1] "%1$s vereist minstens %2$s selecties"
+
+#: pro/fields/class-acf-field-repeater.php:29
+msgid "Repeater"
+msgstr "Herhalen"
+
+#: pro/fields/class-acf-field-repeater.php:31
+msgid ""
+"Provides a solution for repeating content such as slides, team members, and "
+"call-to-action tiles, by acting as a parent to a set of subfields which can "
+"be repeated again and again."
+msgstr ""
+"Dit biedt een oplossing voor herhalende inhoud zoals slides, teamleden en "
+"call-to-action tegels, door te dienen als een hoofditem voor een set "
+"subvelden die steeds opnieuw kunnen worden herhaald."
+
+#: pro/fields/class-acf-field-repeater.php:67,
+#: pro/fields/class-acf-field-repeater.php:462
+msgid "Minimum rows not reached ({min} rows)"
+msgstr "Minimum aantal rijen bereikt ({min} rijen)"
+
+#: pro/fields/class-acf-field-repeater.php:68
+msgid "Maximum rows reached ({max} rows)"
+msgstr "Maximum aantal rijen bereikt ({max} rijen)"
+
+#: pro/fields/class-acf-field-repeater.php:69
+msgid "Error loading page"
+msgstr "Fout bij het laden van de pagina"
+
+#: pro/fields/class-acf-field-repeater.php:70
+msgid "Order will be assigned upon save"
+msgstr "Volgorde zal worden toegewezen bij opslaan"
+
+#: pro/fields/class-acf-field-repeater.php:163
+msgid "Sub Fields"
+msgstr "Subvelden"
+
+#: pro/fields/class-acf-field-repeater.php:196
+msgid "Pagination"
+msgstr "Paginering"
+
+#: pro/fields/class-acf-field-repeater.php:197
+msgid "Useful for fields with a large number of rows."
+msgstr "Nuttig voor velden met een groot aantal rijen."
+
+#: pro/fields/class-acf-field-repeater.php:208
+msgid "Rows Per Page"
+msgstr "Rijen per pagina"
+
+#: pro/fields/class-acf-field-repeater.php:209
+msgid "Set the number of rows to be displayed on a page."
+msgstr "Stel het aantal rijen in om weer te geven op een pagina."
+
+#: pro/fields/class-acf-field-repeater.php:241
+msgid "Minimum Rows"
+msgstr "Minimum aantal rijen"
+
+#: pro/fields/class-acf-field-repeater.php:252
+msgid "Maximum Rows"
+msgstr "Maximum aantal rijen"
+
+#: pro/fields/class-acf-field-repeater.php:282
+msgid "Collapsed"
+msgstr "Ingeklapt"
+
+#: pro/fields/class-acf-field-repeater.php:283
+msgid "Select a sub field to show when row is collapsed"
+msgstr "Selecteer een subveld om weer te geven wanneer rij dichtgeklapt is"
+
+#: pro/fields/class-acf-field-repeater.php:1050
+msgid "Invalid nonce."
+msgstr "Ongeldige nonce."
+
+#: pro/fields/class-acf-field-repeater.php:1055
+msgid "Invalid field key or name."
+msgstr "Ongeldige veldsleutel of -naam."
+
+#: pro/fields/class-acf-field-repeater.php:1064
+msgid "There was an error retrieving the field."
+msgstr "Er is een fout opgetreden bij het ophalen van het veld."
+
+#: pro/fields/class-acf-repeater-table.php:367
+msgid "Click to reorder"
+msgstr "Klik om te herschikken"
+
+#: pro/fields/class-acf-repeater-table.php:400
+msgid "Add row"
+msgstr "Nieuwe rij"
+
+#: pro/fields/class-acf-repeater-table.php:401
+msgid "Duplicate row"
+msgstr "Rij dupliceren"
+
+#: pro/fields/class-acf-repeater-table.php:402
+msgid "Remove row"
+msgstr "Regel verwijderen"
+
+#: pro/fields/class-acf-repeater-table.php:446,
+#: pro/fields/class-acf-repeater-table.php:463,
+#: pro/fields/class-acf-repeater-table.php:464
+msgid "Current Page"
+msgstr "Huidige pagina"
+
+#: pro/fields/class-acf-repeater-table.php:454,
+#: pro/fields/class-acf-repeater-table.php:455
+msgid "First Page"
+msgstr "Eerste pagina"
+
+#: pro/fields/class-acf-repeater-table.php:458,
+#: pro/fields/class-acf-repeater-table.php:459
+msgid "Previous Page"
+msgstr "Vorige pagina"
+
+#. translators: 1: Current page, 2: Total pages.
+#: pro/fields/class-acf-repeater-table.php:468
+msgctxt "paging"
+msgid "%1$s of %2$s"
+msgstr "%1$s van %2$s"
+
+#: pro/fields/class-acf-repeater-table.php:475,
+#: pro/fields/class-acf-repeater-table.php:476
+msgid "Next Page"
+msgstr "Volgende pagina"
+
+#: pro/fields/class-acf-repeater-table.php:479,
+#: pro/fields/class-acf-repeater-table.php:480
+msgid "Last Page"
+msgstr "Laatste pagina"
+
+#: pro/locations/class-acf-location-block.php:73
+msgid "No block types exist"
+msgstr "Er bestaan geen bloktypes"
+
+#: pro/locations/class-acf-location-options-page.php:22
+msgid "Options Page"
+msgstr "Opties pagina"
+
+#: pro/locations/class-acf-location-options-page.php:70
+msgid "Select options page..."
+msgstr "Opties pagina selecteren…"
+
+#: pro/locations/class-acf-location-options-page.php:74,
+#: pro/post-types/acf-ui-options-page.php:95,
+#: pro/admin/post-types/admin-ui-options-page.php:482
+msgid "Add New Options Page"
+msgstr "Nieuwe opties pagina toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:92,
+#: pro/post-types/acf-ui-options-page.php:93,
+#: pro/admin/post-types/admin-ui-options-pages.php:94,
+#: pro/admin/post-types/admin-ui-options-pages.php:94
+msgid "Options Pages"
+msgstr "Opties pagina’s"
+
+#: pro/post-types/acf-ui-options-page.php:94
+msgid "Add New"
+msgstr "Nieuwe toevoegen"
+
+#: pro/post-types/acf-ui-options-page.php:96
+msgid "Edit Options Page"
+msgstr "Opties pagina bewerken"
+
+#: pro/post-types/acf-ui-options-page.php:97
+msgid "New Options Page"
+msgstr "Nieuwe opties pagina"
+
+#: pro/post-types/acf-ui-options-page.php:98
+msgid "View Options Page"
+msgstr "Opties pagina bekijken"
+
+#: pro/post-types/acf-ui-options-page.php:99
+msgid "Search Options Pages"
+msgstr "Opties pagina’s zoeken"
+
+#: pro/post-types/acf-ui-options-page.php:100
+msgid "No Options Pages found"
+msgstr "Geen opties pagina’s gevonden"
+
+#: pro/post-types/acf-ui-options-page.php:101
+msgid "No Options Pages found in Trash"
+msgstr "Geen opties pagina’s gevonden in prullenbak"
+
+#: pro/post-types/acf-ui-options-page.php:203
+msgid ""
+"The menu slug must only contain lower case alphanumeric characters, "
+"underscores or dashes."
+msgstr ""
+"De menuslug mag alleen kleine alfanumerieke tekens, underscores of streepjes "
+"bevatten."
+
+#: pro/post-types/acf-ui-options-page.php:235
+msgid "This Menu Slug is already in use by another ACF Options Page."
+msgstr "Deze menuslug wordt al gebruikt door een andere ACF opties pagina."
+
+#: pro/admin/post-types/admin-ui-options-page.php:56
+msgid "Options page deleted."
+msgstr "Opties pagina verwijderd."
+
+#: pro/admin/post-types/admin-ui-options-page.php:57
+msgid "Options page updated."
+msgstr "Opties pagina geüpdatet."
+
+#: pro/admin/post-types/admin-ui-options-page.php:60
+msgid "Options page saved."
+msgstr "Opties pagina opgeslagen."
+
+#: pro/admin/post-types/admin-ui-options-page.php:61
+msgid "Options page submitted."
+msgstr "Opties pagina ingediend."
+
+#: pro/admin/post-types/admin-ui-options-page.php:62
+msgid "Options page scheduled for."
+msgstr "Opties pagina gepland voor."
+
+#: pro/admin/post-types/admin-ui-options-page.php:63
+msgid "Options page draft updated."
+msgstr "Opties pagina concept geüpdatet."
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:83
+msgid "%s options page updated"
+msgstr "%s opties pagina geüpdatet"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:85
+msgid "Add fields to %s"
+msgstr "Velden toevoegen aan %s"
+
+#. translators: %s options page name
+#: pro/admin/post-types/admin-ui-options-page.php:89
+msgid "%s options page created"
+msgstr "%s opties pagina aangemaakt"
+
+#: pro/admin/post-types/admin-ui-options-page.php:102
+msgid "Link existing field groups"
+msgstr "Koppel bestaande veldgroepen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:131
+msgid "Post"
+msgstr "Bericht"
+
+#: pro/admin/post-types/admin-ui-options-page.php:132
+msgid "Posts"
+msgstr "Berichten"
+
+#: pro/admin/post-types/admin-ui-options-page.php:133
+msgid "Page"
+msgstr "Pagina"
+
+#: pro/admin/post-types/admin-ui-options-page.php:134
+msgid "Pages"
+msgstr "Pagina’s"
+
+#: pro/admin/post-types/admin-ui-options-page.php:135
+msgid "Default"
+msgstr "Standaard"
+
+#: pro/admin/post-types/admin-ui-options-page.php:157
+msgid "Basic Settings"
+msgstr "Basis instellingen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:158
+msgid "Advanced Settings"
+msgstr "Geavanceerde instellingen"
+
+#: pro/admin/post-types/admin-ui-options-page.php:283
+msgctxt "post status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/post-types/admin-ui-options-page.php:283
+msgctxt "post status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/post-types/admin-ui-options-page.php:361
+msgid "No Parent"
+msgstr "Geen hoofditem"
+
+#: pro/admin/post-types/admin-ui-options-page.php:450
+msgid "The provided Menu Slug already exists."
+msgstr "De opgegeven menuslug bestaat al."
+
+#: pro/admin/post-types/admin-ui-options-pages.php:118
+msgid "Key"
+msgstr "Sleutel"
+
+#: pro/admin/post-types/admin-ui-options-pages.php:122
+msgid "Local JSON"
+msgstr "Lokale JSON"
+
+#: pro/admin/post-types/admin-ui-options-pages.php:151
+msgid "No description"
+msgstr "Geen beschrijving"
+
+#. translators: %s number of post types activated
+#: pro/admin/post-types/admin-ui-options-pages.php:179
+msgid "Options page activated."
+msgid_plural "%s options pages activated."
+msgstr[0] "Opties pagina geactiveerd."
+msgstr[1] "%s opties pagina’s geactiveerd."
+
+#. translators: %s number of post types deactivated
+#: pro/admin/post-types/admin-ui-options-pages.php:186
+msgid "Options page deactivated."
+msgid_plural "%s options pages deactivated."
+msgstr[0] "Opties pagina gedeactiveerd."
+msgstr[1] "%s opties pagina’s gedeactiveerd."
+
+#. translators: %s number of post types duplicated
+#: pro/admin/post-types/admin-ui-options-pages.php:193
+msgid "Options page duplicated."
+msgid_plural "%s options pages duplicated."
+msgstr[0] "Opties pagina gedupliceerd."
+msgstr[1] "%s opties pagina’s gedupliceerd."
+
+#. translators: %s number of post types synchronized
+#: pro/admin/post-types/admin-ui-options-pages.php:200
+msgid "Options page synchronized."
+msgid_plural "%s options pages synchronized."
+msgstr[0] "Opties pagina gesynchroniseerd."
+msgstr[1] "%s opties pagina's gesynchroniseerd."
+
+#: pro/admin/views/html-settings-updates.php:9
+msgid "Deactivate License"
+msgstr "Licentiecode deactiveren"
+
+#: pro/admin/views/html-settings-updates.php:9
+msgid "Activate License"
+msgstr "Licentie activeren"
+
+#: pro/admin/views/html-settings-updates.php:26
+msgctxt "license status"
+msgid "Inactive"
+msgstr "Inactief"
+
+#: pro/admin/views/html-settings-updates.php:34
+msgctxt "license status"
+msgid "Cancelled"
+msgstr "Geannuleerd"
+
+#: pro/admin/views/html-settings-updates.php:32
+msgctxt "license status"
+msgid "Expired"
+msgstr "Verlopen"
+
+#: pro/admin/views/html-settings-updates.php:30
+msgctxt "license status"
+msgid "Active"
+msgstr "Actief"
+
+#: pro/admin/views/html-settings-updates.php:47
+msgid "Subscription Status"
+msgstr "Abonnementsstatus"
+
+#: pro/admin/views/html-settings-updates.php:45
+msgid "License Status"
+msgstr "Licentiestatus"
+
+#: pro/admin/views/html-settings-updates.php:60
+msgid "Subscription Type"
+msgstr "Abonnementstype"
+
+#: pro/admin/views/html-settings-updates.php:58
+msgid "License Type"
+msgstr "Licentietype"
+
+#: pro/admin/views/html-settings-updates.php:67
+msgid "Lifetime - "
+msgstr "Levenslang - "
+
+#: pro/admin/views/html-settings-updates.php:81
+msgid "Subscription Expires"
+msgstr "Abonnement verloopt"
+
+#: pro/admin/views/html-settings-updates.php:79
+msgid "Subscription Expired"
+msgstr "Abonnement verlopen"
+
+#: pro/admin/views/html-settings-updates.php:118
+msgid "Renew Subscription"
+msgstr "Abonnement verlengen"
+
+#: pro/admin/views/html-settings-updates.php:136
+msgid "License Information"
+msgstr "Licentie informatie"
+
+#: pro/admin/views/html-settings-updates.php:170
+msgid "License Key"
+msgstr "Licentiecode"
+
+#: pro/admin/views/html-settings-updates.php:191,
+#: pro/admin/views/html-settings-updates.php:157
+msgid "Recheck License"
+msgstr "Licentie opnieuw controleren"
+
+#: pro/admin/views/html-settings-updates.php:142
+msgid "Your license key is defined in wp-config.php."
+msgstr "Uw licentiesleutel wordt gedefinieerd in wp-config.php."
+
+#: pro/admin/views/html-settings-updates.php:211
+msgid "View pricing & purchase"
+msgstr "Prijzen bekijken & kopen"
+
+#. translators: %s - link to ACF website
+#: pro/admin/views/html-settings-updates.php:220
+msgid "Don't have an ACF PRO license? %s"
+msgstr "Heeft u geen ACF PRO licentie? %s"
+
+#: pro/admin/views/html-settings-updates.php:235
+msgid "Update Information"
+msgstr "Informatie updaten"
+
+#: pro/admin/views/html-settings-updates.php:242
+msgid "Current Version"
+msgstr "Huidige versie"
+
+#: pro/admin/views/html-settings-updates.php:250
+msgid "Latest Version"
+msgstr "Nieuwste versie"
+
+#: pro/admin/views/html-settings-updates.php:258
+msgid "Update Available"
+msgstr "Update beschikbaar"
+
+#: pro/admin/views/html-settings-updates.php:265
+msgid "No"
+msgstr "Nee"
+
+#: pro/admin/views/html-settings-updates.php:263
+msgid "Yes"
+msgstr "Ja"
+
+#: pro/admin/views/html-settings-updates.php:272
+msgid "Upgrade Notice"
+msgstr "Upgrade opmerking"
+
+#: pro/admin/views/html-settings-updates.php:303
+msgid "Check For Updates"
+msgstr "Controleren op updates"
+
+#: pro/admin/views/html-settings-updates.php:300
+msgid "Enter your license key to unlock updates"
+msgstr "Vul uw licentiecode hierboven in om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:298
+msgid "Update Plugin"
+msgstr "Plugin updaten"
+
+#: pro/admin/views/html-settings-updates.php:296
+msgid "Updates must be manually installed in this configuration"
+msgstr "Updates moeten handmatig worden geïnstalleerd in deze configuratie"
+
+#: pro/admin/views/html-settings-updates.php:294
+msgid "Update ACF in Network Admin"
+msgstr "ACF updaten in netwerkbeheer"
+
+#: pro/admin/views/html-settings-updates.php:292
+msgid "Please reactivate your license to unlock updates"
+msgstr "Activeer uw licentie opnieuw om updates te ontgrendelen"
+
+#: pro/admin/views/html-settings-updates.php:290
+msgid "Please upgrade WordPress to update ACF"
+msgstr "Upgrade WordPress om ACF te updaten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:20
+msgid "Dashicon class name"
+msgstr "Dashicon class naam"
+
+#. translators: %s = "dashicon class name", link to the WordPress dashicon documentation.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:25
+msgid ""
+"The icon used for the options page menu item in the admin dashboard. Can be "
+"a URL or %s to use for the icon."
+msgstr ""
+"Het icoon dat wordt gebruikt voor het menu-item op de opties pagina in het "
+"beheerdashboard. Kan een URL of %s zijn om te gebruiken voor het icoon."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:59
+msgid "Menu Icon"
+msgstr "Menu-icoon"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:80
+msgid "Menu Title"
+msgstr "Menutitel"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:94
+msgid "Learn more about menu positions."
+msgstr "Meer informatie over menuposities."
+
+#. translators: %s - link to WordPress docs to learn more about menu positions.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:98,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:104
+msgid "The position in the menu where this page should appear. %s"
+msgstr "De positie in het menu waar deze pagina moet verschijnen. %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:108
+msgid ""
+"The position in the menu where this child page should appear. The first "
+"child page is 0, the next is 1, etc."
+msgstr ""
+"De positie in het menu waar deze subpagina moet verschijnen. De eerste "
+"subpagina is 0, de volgende is 1, etc."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:115
+msgid "Menu Position"
+msgstr "Menupositie"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:129
+msgid "Redirect to Child Page"
+msgstr "Doorverwijzen naar subpagina"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:130
+msgid ""
+"When child pages exist for this parent page, this page will redirect to the "
+"first child page."
+msgstr ""
+"Als er subpagina's bestaan voor deze hoofdpagina, zal deze pagina doorsturen "
+"naar de eerste subpagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:154
+msgid "A descriptive summary of the options page."
+msgstr "Een beschrijvende samenvatting van de opties pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:163
+msgid "Update Button Label"
+msgstr "Update knop label"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:164
+msgid ""
+"The label used for the submit button which updates the fields on the options "
+"page."
+msgstr ""
+"Het label dat wordt gebruikt voor de verzendknop waarmee de velden op de "
+"opties pagina worden geüpdatet."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:178
+msgid "Updated Message"
+msgstr "Bericht geüpdatet"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:179
+msgid ""
+"The message that is displayed after successfully updating the options page."
+msgstr ""
+"Het bericht dat wordt weergegeven na het succesvol updaten van de opties "
+"pagina."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:180
+msgid "Updated Options"
+msgstr "Geüpdatete opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:217
+msgid "Capability"
+msgstr "Rechten"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:218
+msgid "The capability required for this menu to be displayed to the user."
+msgstr "De rechten die nodig zijn om dit menu weer te geven aan de gebruiker."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:234
+msgid "Data Storage"
+msgstr "Gegevensopslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:235
+msgid ""
+"By default, the option page stores field data in the options table. You can "
+"make the page load field data from a post, user, or term."
+msgstr ""
+"Standaard slaat de opties pagina veldgegevens op in de optietabel. U kunt de "
+"pagina veldgegevens laten laden van een bericht, gebruiker of term."
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:238,
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:269
+msgid "Custom Storage"
+msgstr "Aangepaste opslag"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:258
+msgid "Learn more about available settings."
+msgstr "Meer informatie over beschikbare instellingen."
+
+#. translators: %s = link to learn more about storage locations.
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:263
+msgid ""
+"Set a custom storage location. Can be a numeric post ID (123), or a string "
+"(`user_2`). %s"
+msgstr ""
+"Stel een aangepaste opslaglocatie in. Kan een numerieke bericht ID zijn "
+"(123) of een tekenreeks (`user_2`). %s"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:288
+msgid "Autoload Options"
+msgstr "Autoload opties"
+
+#: pro/admin/views/acf-ui-options-page/advanced-settings.php:289
+msgid ""
+"Improve performance by loading the fields in the option records "
+"automatically when WordPress loads."
+msgstr ""
+"Verbeter de prestaties door de velden in de optie-records automatisch te "
+"laden wanneer WordPress wordt geladen."
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:20,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:16
+msgid "Page Title"
+msgstr "Paginatitel"
+
+#. translators: example options page name
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:22,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:18
+msgid "Site Settings"
+msgstr "Site instellingen"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:37,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:33
+msgid "Menu Slug"
+msgstr "Menuslug"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:52,
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:47
+msgid "Parent Page"
+msgstr "Hoofdpagina"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:72
+msgid "Advanced Configuration"
+msgstr "Geavanceerde configuratie"
+
+#: pro/admin/views/acf-ui-options-page/basic-settings.php:73
+msgid "I know what I'm doing, show me all the options."
+msgstr "Ik weet wat ik doe, laat me alle opties zien."
+
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:62
+msgid "Cancel"
+msgstr "Annuleren"
+
+#: pro/admin/views/acf-ui-options-page/create-options-page-modal.php:63
+msgid "Done"
+msgstr "Klaar"
+
+#. translators: %s URL to ACF options pages documentation
+#: pro/admin/views/acf-ui-options-page/list-empty.php:10
+msgid ""
+"ACF options pages are custom admin "
+"pages for managing global settings via fields. You can create multiple pages "
+"and sub-pages."
+msgstr ""
+"ACF opties pagina's zijn aangepaste "
+"beheerpagina's voor het beheren van globale instellingen via velden. U kunt "
+"meerdere pagina's en subpagina's maken."
+
+#. translators: %s url to getting started guide
+#: pro/admin/views/acf-ui-options-page/list-empty.php:16
+msgid ""
+"New to ACF? Take a look at our getting "
+"started guide."
+msgstr ""
+"Bent u nieuw bij ACF? Bekijk onze startersgids."
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:32
+msgid "Upgrade to ACF PRO to create options pages in just a few clicks"
+msgstr ""
+"Upgrade naar ACF PRO om opties pagina's te maken in slechts een paar klikken"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:30
+msgid "Add Your First Options Page"
+msgstr "Voeg uw eerste opties pagina toe"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:43
+msgid "Learn More"
+msgstr "Meer leren"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:44
+msgid "Upgrade to ACF PRO"
+msgstr "Upgraden naar ACF PRO"
+
+#: pro/admin/views/acf-ui-options-page/list-empty.php:40
+msgid "Add Options Page"
+msgstr "Opties pagina toevoegen"
diff --git a/lang/pro/acf.pot b/lang/pro/acf.pot
index f889101..a0d49ea 100644
--- a/lang/pro/acf.pot
+++ b/lang/pro/acf.pot
@@ -7,7 +7,7 @@ msgstr ""
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language-Team: WP Engine \n"
-"POT-Creation-Date: 2025-01-21 10:45+0000\n"
+"POT-Creation-Date: 2025-03-10 14:58+0000\n"
"Report-Msgid-Bugs-To: https://support.advancedcustomfields.com\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-KeywordsList: __;_e;_ex:1,2c;_n:1,2;_n_noop:1,2;_nx:1,2,4c;_nx_noop:1,2,3c;_x:1,2c;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c\n"
@@ -20,27 +20,27 @@ msgstr ""
msgid "Advanced Custom Fields PRO"
msgstr ""
-#: pro/acf-pro.php:174
+#: pro/acf-pro.php:190
msgid "Your ACF PRO license is no longer active. Please renew to continue to have access to updates, support, & PRO features."
msgstr ""
-#: pro/acf-pro.php:171
+#: pro/acf-pro.php:187
msgid "Your license has expired. Please renew to continue to have access to updates, support & PRO features."
msgstr ""
-#: pro/acf-pro.php:168
+#: pro/acf-pro.php:184
msgid "Activate your license to enable access to updates, support & PRO features."
msgstr ""
-#: pro/acf-pro.php:189, pro/admin/views/html-settings-updates.php:114
+#: pro/acf-pro.php:205, pro/admin/views/html-settings-updates.php:114
msgid "Manage License"
msgstr ""
-#: pro/acf-pro.php:257
+#: pro/acf-pro.php:273
msgid "A valid license is required to edit options pages."
msgstr ""
-#: pro/acf-pro.php:255
+#: pro/acf-pro.php:271
msgid "A valid license is required to edit field groups assigned to a block."
msgstr ""
@@ -276,7 +276,7 @@ msgstr ""
msgid "Seamless (replaces this field with selected fields)"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:761, pro/fields/class-acf-field-flexible-content.php:509, pro/fields/class-acf-field-flexible-content.php:572, pro/fields/class-acf-field-repeater.php:178
+#: pro/fields/class-acf-field-clone.php:761, pro/fields/class-acf-field-flexible-content.php:509, pro/fields/class-acf-field-flexible-content.php:572, pro/fields/class-acf-field-repeater.php:180
msgid "Layout"
msgstr ""
@@ -284,15 +284,15 @@ msgstr ""
msgid "Specify the style used to render the selected fields"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:767, pro/fields/class-acf-field-flexible-content.php:585, pro/fields/class-acf-field-repeater.php:186, pro/locations/class-acf-location-block.php:22
+#: pro/fields/class-acf-field-clone.php:767, pro/fields/class-acf-field-flexible-content.php:585, pro/fields/class-acf-field-repeater.php:188, pro/locations/class-acf-location-block.php:22
msgid "Block"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:768, pro/fields/class-acf-field-flexible-content.php:584, pro/fields/class-acf-field-repeater.php:185
+#: pro/fields/class-acf-field-clone.php:768, pro/fields/class-acf-field-flexible-content.php:584, pro/fields/class-acf-field-repeater.php:187
msgid "Table"
msgstr ""
-#: pro/fields/class-acf-field-clone.php:769, pro/fields/class-acf-field-flexible-content.php:586, pro/fields/class-acf-field-repeater.php:187
+#: pro/fields/class-acf-field-clone.php:769, pro/fields/class-acf-field-flexible-content.php:586, pro/fields/class-acf-field-repeater.php:189
msgid "Row"
msgstr ""
@@ -340,7 +340,7 @@ msgstr ""
msgid "We do not recommend using this field in ACF Blocks."
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:34, pro/fields/class-acf-field-repeater.php:104, pro/fields/class-acf-field-repeater.php:298
+#: pro/fields/class-acf-field-flexible-content.php:34, pro/fields/class-acf-field-repeater.php:104, pro/fields/class-acf-field-repeater.php:300
msgid "Add Row"
msgstr ""
@@ -439,11 +439,11 @@ msgstr ""
msgid "Maximum Layouts"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:681, pro/fields/class-acf-field-repeater.php:294
+#: pro/fields/class-acf-field-flexible-content.php:681, pro/fields/class-acf-field-repeater.php:296
msgid "Button Label"
msgstr ""
-#: pro/fields/class-acf-field-flexible-content.php:1552, pro/fields/class-acf-field-repeater.php:913
+#: pro/fields/class-acf-field-flexible-content.php:1552, pro/fields/class-acf-field-repeater.php:915
msgid "%s must be of type array or null."
msgstr ""
@@ -637,7 +637,7 @@ msgstr ""
msgid "Provides a solution for repeating content such as slides, team members, and call-to-action tiles, by acting as a parent to a set of subfields which can be repeated again and again."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:67, pro/fields/class-acf-field-repeater.php:462
+#: pro/fields/class-acf-field-repeater.php:67, pro/fields/class-acf-field-repeater.php:464
msgid "Minimum rows not reached ({min} rows)"
msgstr ""
@@ -653,51 +653,51 @@ msgstr ""
msgid "Order will be assigned upon save"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:163
+#: pro/fields/class-acf-field-repeater.php:165
msgid "Sub Fields"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:196
+#: pro/fields/class-acf-field-repeater.php:198
msgid "Pagination"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:197
+#: pro/fields/class-acf-field-repeater.php:199
msgid "Useful for fields with a large number of rows."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:208
+#: pro/fields/class-acf-field-repeater.php:210
msgid "Rows Per Page"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:209
+#: pro/fields/class-acf-field-repeater.php:211
msgid "Set the number of rows to be displayed on a page."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:241
+#: pro/fields/class-acf-field-repeater.php:243
msgid "Minimum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:252
+#: pro/fields/class-acf-field-repeater.php:254
msgid "Maximum Rows"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:282
+#: pro/fields/class-acf-field-repeater.php:284
msgid "Collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:283
+#: pro/fields/class-acf-field-repeater.php:285
msgid "Select a sub field to show when row is collapsed"
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1050
+#: pro/fields/class-acf-field-repeater.php:1052
msgid "Invalid nonce."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1055
+#: pro/fields/class-acf-field-repeater.php:1057
msgid "Invalid field key or name."
msgstr ""
-#: pro/fields/class-acf-field-repeater.php:1064
+#: pro/fields/class-acf-field-repeater.php:1066
msgid "There was an error retrieving the field."
msgstr ""
diff --git a/pro/acf-pro.php b/pro/acf-pro.php
index 379b924..08b3ed2 100644
--- a/pro/acf-pro.php
+++ b/pro/acf-pro.php
@@ -20,6 +20,9 @@ if ( ! class_exists( 'acf_pro' ) ) :
acf_update_setting( 'pro', true );
acf_update_setting( 'name', __( 'Advanced Custom Fields PRO', 'acf' ) );
+ // Initialize autoloaded classes.
+ acf_new_instance( 'ACF\Pro\Meta\Option' );
+
// includes
acf_include( 'pro/blocks.php' );
acf_include( 'pro/options-page.php' );
@@ -33,6 +36,7 @@ if ( ! class_exists( 'acf_pro' ) ) :
// actions
add_action( 'init', array( $this, 'register_assets' ) );
+ add_action( 'woocommerce_init', array( $this, 'init_hpos_integration' ), 99 );
add_action( 'acf/init_internal_post_types', array( $this, 'register_ui_options_pages' ) );
add_action( 'acf/include_fields', array( $this, 'include_options_pages' ) );
add_action( 'acf/include_field_types', array( $this, 'include_field_types' ), 5 );
@@ -49,6 +53,18 @@ if ( ! class_exists( 'acf_pro' ) ) :
add_filter( 'acf/internal_post_type_list/admin_body_classes', array( $this, 'admin_body_classes' ) );
}
+ /**
+ * Initializes the ACF WooCommerce HPOS integration.
+ *
+ * @since 6.4
+ *
+ * @return void
+ */
+ public function init_hpos_integration() {
+ acf_new_instance( 'ACF\Pro\Meta\WooOrder' );
+ acf_new_instance( 'ACF\Pro\Forms\WC_Order' );
+ }
+
/**
* Registers the `acf-ui-options-page` post type and initializes the UI.
*
diff --git a/pro/fields/class-acf-field-flexible-content.php b/pro/fields/class-acf-field-flexible-content.php
index 1a93bd6..0090b21 100644
--- a/pro/fields/class-acf-field-flexible-content.php
+++ b/pro/fields/class-acf-field-flexible-content.php
@@ -1007,7 +1007,7 @@ if ( ! class_exists( 'acf_field_flexible_content' ) ) :
public function delete_row( $i, $field, $post_id ) {
// vars
- $value = acf_get_metadata( $post_id, $field['name'] );
+ $value = acf_get_metadata_by_field( $post_id, $field );
// bail early if no value
if ( ! is_array( $value ) || ! isset( $value[ $i ] ) ) {
@@ -1104,7 +1104,7 @@ if ( ! class_exists( 'acf_field_flexible_content' ) ) :
// vars
$new_value = array();
- $old_value = acf_get_metadata( $post_id, $field['name'] );
+ $old_value = acf_get_metadata_by_field( $post_id, $field );
$old_value = is_array( $old_value ) ? $old_value : array();
// update
@@ -1174,7 +1174,7 @@ if ( ! class_exists( 'acf_field_flexible_content' ) ) :
public function delete_value( $post_id, $key, $field ) {
// vars
- $old_value = acf_get_metadata( $post_id, $field['name'] );
+ $old_value = acf_get_metadata_by_field( $post_id, $field['name'] );
$old_value = is_array( $old_value ) ? $old_value : array();
// bail early if no rows or no sub fields
diff --git a/pro/fields/class-acf-field-repeater.php b/pro/fields/class-acf-field-repeater.php
index b39bb6e..581797f 100644
--- a/pro/fields/class-acf-field-repeater.php
+++ b/pro/fields/class-acf-field-repeater.php
@@ -135,8 +135,10 @@ if ( ! class_exists( 'acf_field_repeater' ) ) :
* @param array $field An array holding all the field's data.
*/
public function render_field( $field ) {
+ $_field = $field;
$field['orig_name'] = $this->get_field_name_from_input_name( $field['name'] );
- $field['total_rows'] = (int) acf_get_metadata( $this->post_id, $field['orig_name'] );
+ $_field['name'] = $field['orig_name'];
+ $field['total_rows'] = (int) acf_get_metadata_by_field( $this->post_id, $_field );
$table = new ACF_Repeater_Table( $field );
$table->render();
}
@@ -603,7 +605,7 @@ if ( ! class_exists( 'acf_field_repeater' ) ) :
}
$new_value = 0;
- $old_value = (int) acf_get_metadata( $post_id, $field['name'] );
+ $old_value = (int) acf_get_metadata_by_field( $post_id, $field );
if ( ! empty( $field['pagination'] ) && did_action( 'acf/save_post' ) && ! isset( $_POST['_acf_form'] ) ) { // phpcs:ignore WordPress.Security.NonceVerification.Missing -- Value not used.
$old_rows = acf_get_value( $post_id, $field );
@@ -771,7 +773,7 @@ if ( ! class_exists( 'acf_field_repeater' ) ) :
*/
function delete_value( $post_id, $key, $field ) {
// Get the old value from the database.
- $old_value = (int) acf_get_metadata( $post_id, $field['name'] );
+ $old_value = (int) acf_get_metadata_by_field( $post_id, $field );
// Bail early if no rows or no subfields.
if ( ! $old_value || empty( $field['sub_fields'] ) ) {
@@ -1089,7 +1091,7 @@ if ( ! class_exists( 'acf_field_repeater' ) ) :
$response['rows'] = $repeater_table->rows( true );
if ( $args['refresh'] ) {
- $response['total_rows'] = (int) acf_get_metadata( $post_id, $args['field_name'] );
+ $response['total_rows'] = (int) acf_get_metadata_by_field( $post_id, $field );
}
wp_send_json_success( $response );
diff --git a/readme.txt b/readme.txt
index e37539c..7ed667a 100644
--- a/readme.txt
+++ b/readme.txt
@@ -1,9 +1,10 @@
=== Advanced Custom Fields (ACF®) PRO ===
-Contributors: elliotcondon
+Contributors: deliciousbrains, wpengine, elliotcondon, mattshaw, lgladdy, antpb, johnstonphilip, dalewilliams, polevaultweb
Tags: acf, fields, custom fields, meta, repeater
Requires at least: 6.0
-Tested up to: 6.7
+Tested up to: 6.7.2
Requires PHP: 7.4
+Stable tag: 6.3.12
License: GPLv2 or later
License URI: https://www.gnu.org/licenses/gpl-2.0.html
@@ -93,6 +94,15 @@ From your WordPress dashboard
== Changelog ==
+= 6.4.0-RC1 =
+*Release Date 10th March 2025*
+
+* New - In ACF PRO, fields can now be added to WooCommerce orders when using HPOS
+* Enhancement - The “Escaped HTML” warning notice is now disabled by default
+* Enhancement - ACF now uses Composer to autoload some classes
+* i18n - Various British English translation strings no longer have a quoting issue breaking links
+* i18n - Added Dutch (formal) translations (props @toineenzo)
+
= 6.3.12 =
*Release Date 21st January 2025*
diff --git a/includes/Blocks/Bindings.php b/src/Blocks/Bindings.php
similarity index 97%
rename from includes/Blocks/Bindings.php
rename to src/Blocks/Bindings.php
index 9ba3b46..054f75c 100644
--- a/includes/Blocks/Bindings.php
+++ b/src/Blocks/Bindings.php
@@ -8,6 +8,9 @@
namespace ACF\Blocks;
+// Exit if accessed directly.
+defined( 'ABSPATH' ) || exit;
+
/**
* The core ACF Blocks binding class.
*/
diff --git a/includes/Blocks/index.php b/src/Blocks/index.php
similarity index 100%
rename from includes/Blocks/index.php
rename to src/Blocks/index.php
diff --git a/src/Meta/Comment.php b/src/Meta/Comment.php
new file mode 100644
index 0000000..2aa29d8
--- /dev/null
+++ b/src/Meta/Comment.php
@@ -0,0 +1,23 @@
+register();
+ }
+
+ /**
+ * Registers the meta location with ACF, so it can be used by
+ * various CRUD helper functions.
+ *
+ * @since 6.4
+ *
+ * @return void
+ */
+ public function register() {
+ if ( empty( $this->location_type ) ) {
+ return;
+ }
+
+ $store = acf_get_store( 'acf-meta-locations' );
+
+ if ( ! $store ) {
+ $store = acf_register_store( 'acf-meta-locations' );
+ }
+
+ $store->set( $this->location_type, get_class( $this ) );
+ }
+
+ /**
+ * Retrieves all ACF meta for the provided object ID.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object to get meta from.
+ * @return array
+ */
+ public function get_meta( $object_id = 0 ): array {
+ $meta = array();
+ $all_meta = get_metadata( $this->location_type, $object_id );
+
+ if ( $all_meta ) {
+ foreach ( $all_meta as $key => $value ) {
+ // If a reference exists for this value, add it to the meta array.
+ if ( isset( $all_meta[ $this->reference_prefix . $key ] ) ) {
+ $meta[ $key ] = $value[0];
+ $meta[ $this->reference_prefix . $key ] = $all_meta[ $this->reference_prefix . $key ][0];
+ }
+ }
+ }
+
+ // Unserialize results and return.
+ return array_map( 'acf_maybe_unserialize', $meta );
+ }
+
+ /**
+ * Retrieves a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return mixed
+ */
+ public function get_value( $object_id = 0, array $field = array() ) {
+ $meta = get_metadata( $this->location_type, $object_id, $field['name'] );
+ return $meta[0] ?? null;
+ }
+
+ /**
+ * Gets a reference key for the provided field name.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object to get the reference key from.
+ * @param string $field_name The name of the field to get the reference for.
+ * @return string|null
+ */
+ public function get_reference( $object_id = 0, string $field_name = '' ) {
+ $reference = get_metadata( $this->location_type, $object_id, $this->reference_prefix . $field_name );
+ return $reference[0] ?? null;
+ }
+
+ /**
+ * Updates an object ID with the provided meta array.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $meta The metadata to save to the object.
+ * @return void
+ */
+ public function update_meta( $object_id = 0, array $meta = array() ) {
+ // Slash data. WP expects all data to be slashed and will unslash it (fixes '\' character issues).
+ $meta = wp_slash( $meta );
+
+ foreach ( $meta as $name => $value ) {
+ update_metadata( $this->location_type, $object_id, $name, $value );
+ }
+ }
+
+ /**
+ * Updates a field value in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @param mixed $value The metadata value.
+ * @return integer|boolean
+ */
+ public function update_value( $object_id = 0, array $field = array(), $value = '' ) {
+ return update_metadata( $this->location_type, $object_id, $field['name'], $value );
+ }
+
+ /**
+ * Updates a reference key in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to update the reference for.
+ * @param string $value The value of the reference key.
+ * @return integer|boolean
+ */
+ public function update_reference( $object_id = 0, string $field_name = '', string $value = '' ) {
+ return update_metadata( $this->location_type, $object_id, $this->reference_prefix . $field_name, $value );
+ }
+
+ /**
+ * Deletes a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return boolean
+ */
+ public function delete_value( $object_id = 0, array $field = array() ): bool {
+ return delete_metadata( $this->location_type, $object_id, $field['name'] );
+ }
+
+ /**
+ * Deletes a reference key from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to delete the reference from.
+ * @return boolean
+ */
+ public function delete_reference( $object_id = 0, string $field_name = '' ): bool {
+ return delete_metadata( $this->location_type, $object_id, $this->reference_prefix . $field_name );
+ }
+}
diff --git a/src/Meta/Post.php b/src/Meta/Post.php
new file mode 100644
index 0000000..82411a6
--- /dev/null
+++ b/src/Meta/Post.php
@@ -0,0 +1,23 @@
+ true ) );
+ add_action( 'add_meta_boxes', array( $this, 'add_meta_boxes' ), 10, 2 );
+ }
+
+ /**
+ * Adds ACF metaboxes to the WooCommerce Order pages.
+ *
+ * @since 6.4
+ *
+ * @param string $post_type The current post type.
+ * @param \WP_Post $post The WP_Post object or the WC_Order object.
+ * @return void
+ */
+ public function add_meta_boxes( $post_type, $post ) {
+ // Storage for localized postboxes.
+ $postboxes = array();
+
+ $order = ( $post instanceof \WP_Post ) ? wc_get_order( $post->ID ) : $post;
+ $screen = class_exists( '\Automattic\WooCommerce\Internal\DataStores\Orders\CustomOrdersTableController' ) && wc_get_container()->get( CustomOrdersTableController::class )->custom_orders_table_usage_is_enabled()
+ ? wc_get_page_screen_id( 'shop-order' )
+ : 'shop_order';
+
+ // Get field groups for this screen.
+ $field_groups = acf_get_field_groups(
+ array(
+ 'post_id' => $order->get_id(),
+ 'post_type' => 'shop_order',
+ )
+ );
+
+ // Loop over field groups.
+ if ( $field_groups ) {
+ foreach ( $field_groups as $field_group ) {
+ $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';
+ }
+
+ // Allow field groups assigned to after title to still be rendered.
+ if ( 'acf_after_title' === $context ) {
+ $context = 'normal';
+ }
+
+ /**
+ * Filters the metabox priority.
+ *
+ * @since 6.4
+ *
+ * @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,
+ acf_esc_html( $title ),
+ array( $this, 'render_meta_box' ),
+ $screen,
+ $context,
+ $priority,
+ array( 'field_group' => $field_group )
+ );
+ }
+
+ // Localize postboxes.
+ acf_localize_data(
+ array(
+ 'postboxes' => $postboxes,
+ )
+ );
+ }
+
+ // Removes the WordPress core "Custom Fields" meta box.
+ if ( acf_get_setting( 'remove_wp_meta_box' ) ) {
+ remove_meta_box( 'order_custom', $screen, 'normal' );
+ }
+
+ // Add hidden input fields.
+ add_action( 'order_edit_form_top', array( $this, 'order_edit_form_top' ) );
+
+ /**
+ * 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 );
+ }
+
+ /**
+ * Renders hidden fields.
+ *
+ * @since 6.4
+ *
+ * @param \WC_Order $order The WooCommerce order object.
+ * @return void
+ */
+ public function order_edit_form_top( $order ) {
+ // Render post data.
+ acf_form_data(
+ array(
+ 'screen' => 'post',
+ 'post_id' => 'woo_order_' . $order->get_id(),
+ )
+ );
+ }
+
+ /**
+ * Renders the ACF metabox HTML.
+ *
+ * @since 6.4
+ *
+ * @param \WP_Post|\WC_Order $post_or_order Can be a standard \WP_Post object or the \WC_Order object.
+ * @param array $metabox The add_meta_box() args.
+ * @return void
+ */
+ public function render_meta_box( $post_or_order, $metabox ) {
+ $order = ( $post_or_order instanceof \WP_Post ) ? wc_get_order( $post_or_order->ID ) : $post_or_order;
+ $field_group = $metabox['args']['field_group'];
+
+ // Render fields.
+ $fields = acf_get_fields( $field_group );
+ acf_render_fields( $fields, 'woo_order_' . $order->get_id(), 'div', $field_group['instruction_placement'] );
+ }
+
+ /**
+ * Saves ACF fields to the current order.
+ *
+ * @since 6.4
+ *
+ * @param integer $order_id The order ID.
+ * @return void
+ */
+ public function save_order( int $order_id ) {
+ // Remove the action to prevent an infinite loop via $order->save().
+ remove_action( 'woocommerce_update_order', array( $this, 'save_order' ), 10 );
+ acf_save_post( 'woo_order_' . $order_id );
+ }
+}
diff --git a/src/Pro/Meta/Option.php b/src/Pro/Meta/Option.php
new file mode 100644
index 0000000..9d57dbc
--- /dev/null
+++ b/src/Pro/Meta/Option.php
@@ -0,0 +1,151 @@
+ $value ) {
+ // If a reference exists for this value, add it to the meta array.
+ if ( isset( $all_meta[ $this->reference_prefix . $key ] ) ) {
+ $meta[ $key ] = $value[0];
+ $meta[ $this->reference_prefix . $key ] = $all_meta[ $this->reference_prefix . $key ][0];
+ }
+ }
+
+ // Return results.
+ return $meta;
+ }
+
+ /**
+ * Retrieves a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return mixed
+ */
+ public function get_value( $object_id = 0, array $field = array() ) {
+ return get_option( $object_id . '_' . $field['name'], null );
+ }
+
+ /**
+ * Gets a reference key for the provided field name.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object to get the reference key from.
+ * @param string $field_name The name of the field to get the reference for.
+ * @return string|boolean
+ */
+ public function get_reference( $object_id = '', string $field_name = '' ) {
+ return get_option( $this->reference_prefix . $object_id . '_' . $field_name, null );
+ }
+
+ /**
+ * Updates an object ID with the provided meta array.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $meta The metadata to save to the object.
+ * @return void
+ */
+ public function update_meta( $object_id = 0, array $meta = array() ) {
+ $autoload = (bool) acf_get_setting( 'autoload' );
+
+ foreach ( $meta as $name => $value ) {
+ $value = wp_unslash( $value );
+ update_option( $object_id . '_' . $name, $value, $autoload );
+ }
+ }
+
+ /**
+ * Updates a field value in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @param mixed $value The metadata value.
+ * @return integer|boolean
+ */
+ public function update_value( $object_id = 0, array $field = array(), $value = '' ) {
+ $value = wp_unslash( $value );
+ $autoload = (bool) acf_get_setting( 'autoload' );
+
+ return update_option( $object_id . '_' . $field['name'], $value, $autoload );
+ }
+
+ /**
+ * Updates a reference key in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to update the reference for.
+ * @param string $value The value of the reference key.
+ * @return integer|boolean
+ */
+ public function update_reference( $object_id = 0, string $field_name = '', string $value = '' ) {
+ $autoload = (bool) acf_get_setting( 'autoload' );
+ return update_option( $this->reference_prefix . $object_id . '_' . $field_name, $value, $autoload );
+ }
+
+ /**
+ * Deletes a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return boolean
+ */
+ public function delete_value( $object_id = 0, array $field = array() ): bool {
+ return delete_option( $object_id . '_' . $field['name'] );
+ }
+
+ /**
+ * Deletes a reference key from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to delete the reference from.
+ * @return boolean
+ */
+ public function delete_reference( $object_id = 0, string $field_name = '' ): bool {
+ return delete_option( $this->reference_prefix . $object_id . '_' . $field_name );
+ }
+}
diff --git a/src/Pro/Meta/WooOrder.php b/src/Pro/Meta/WooOrder.php
new file mode 100644
index 0000000..164a27a
--- /dev/null
+++ b/src/Pro/Meta/WooOrder.php
@@ -0,0 +1,234 @@
+get_meta_data();
+ $field_names = wp_list_pluck( $all_meta, 'key' );
+ $field_values = wp_list_pluck( $all_meta, 'value' );
+
+ foreach ( $field_names as $key => $field_name ) {
+ $reference = $this->reference_prefix . $field_name;
+ $reference_key = array_search( $reference, $field_names, true );
+
+ if ( false !== $reference_key ) {
+ $meta[ $field_name ] = $field_values[ $key ];
+ $meta[ $reference ] = $field_values[ $reference_key ];
+ }
+ }
+
+ // Unserialize results and return.
+ return array_map( 'acf_maybe_unserialize', $meta );
+ }
+
+ /**
+ * Retrieves a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return mixed
+ */
+ public function get_value( $object_id = 0, array $field = array() ) {
+ $order = wc_get_order( $object_id );
+
+ if ( ! $order || ! $order->meta_exists( $field['name'] ) ) {
+ return null;
+ }
+
+ return $order->get_meta( $field['name'], true, 'edit' );
+ }
+
+ /**
+ * Gets a reference key for the provided field name.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object to get the reference key from.
+ * @param string $field_name The name of the field to get the reference for.
+ * @return string|null
+ */
+ public function get_reference( $object_id = 0, string $field_name = '' ) {
+ $order = wc_get_order( $object_id );
+ $key = $this->reference_prefix . $field_name;
+
+ if ( ! $order || ! $order->meta_exists( $key ) ) {
+ return null;
+ }
+
+ return $order->get_meta( $key, true, 'edit' );
+ }
+
+ /**
+ * Updates an object ID with the provided meta array.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $meta The metadata to save to the object.
+ * @return void
+ */
+ public function update_meta( $object_id = 0, array $meta = array() ) {
+ $order = wc_get_order( $object_id );
+
+ if ( ! $order ) {
+ return;
+ }
+
+ foreach ( $meta as $name => $value ) {
+ $order->update_meta_data( $name, $value );
+ }
+
+ $order->save();
+ }
+
+ /**
+ * Updates a field value in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @param mixed $value The metadata value.
+ * @return integer|boolean
+ */
+ public function update_value( $object_id = 0, array $field = array(), $value = '' ) {
+ $order = wc_get_order( $object_id );
+
+ if ( ! $order ) {
+ return false;
+ }
+
+ $order->update_meta_data( $this->reference_prefix . $field['name'], $field['key'] );
+ $order->update_meta_data( $field['name'], $value );
+
+ return $order->save();
+ }
+
+ /**
+ * Updates a reference key in the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to update the reference for.
+ * @param string $value The value of the reference key.
+ * @return integer|boolean
+ */
+ public function update_reference( $object_id = 0, string $field_name = '', string $value = '' ) {
+ // Updated in update_value().
+ return true;
+ }
+
+ /**
+ * Deletes a field value from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param array $field The field array.
+ * @return boolean
+ */
+ public function delete_value( $object_id = 0, array $field = array() ): bool {
+ $order = wc_get_order( $object_id );
+
+ if ( ! $order ) {
+ return false;
+ }
+
+ $order->delete_meta_data( $this->reference_prefix . $field['name'] );
+ $order->delete_meta_data( $field['name'] );
+
+ return $order->save();
+ }
+
+ /**
+ * Deletes a reference key from the database.
+ *
+ * @since 6.4
+ *
+ * @param integer|string $object_id The ID of the object the metadata is for.
+ * @param string $field_name The name of the field to delete the reference from.
+ * @return boolean
+ */
+ public function delete_reference( $object_id = 0, string $field_name = '' ): bool {
+ // Deleted in delete_value().
+ return true;
+ }
+}
diff --git a/src/Site_Health/Site_Health.php b/src/Site_Health/Site_Health.php
new file mode 100644
index 0000000..5b1b037
--- /dev/null
+++ b/src/Site_Health/Site_Health.php
@@ -0,0 +1,773 @@
+option_name, '' );
+
+ if ( is_string( $site_health ) ) {
+ $site_health = json_decode( $site_health, true );
+ }
+
+ return is_array( $site_health ) ? $site_health : array();
+ }
+
+ /**
+ * Updates the site health information.
+ *
+ * @since 6.3
+ *
+ * @param array $data An array of site health information to update.
+ * @return boolean
+ */
+ public function update_site_health( array $data = array() ): bool {
+ return update_option( $this->option_name, wp_json_encode( $data ), false );
+ }
+
+ /**
+ * Stores debug data in the ACF site health option.
+ *
+ * @since 6.3
+ *
+ * @param array $data Data to update with (optional).
+ * @return boolean
+ */
+ public function update_site_health_data( array $data = array() ): bool {
+ if ( wp_doing_cron() ) {
+ // Bootstrap wp-admin, as WP_Cron doesn't do this for us.
+ require_once trailingslashit( ABSPATH ) . 'wp-admin/includes/admin.php';
+ }
+
+ $site_health = $this->get_site_health();
+ $values = ! empty( $data ) ? $data : $this->get_site_health_values();
+ $updated = array();
+
+ if ( ! empty( $values ) ) {
+ foreach ( $values as $key => $value ) {
+ $updated[ $key ] = $value['debug'] ?? $value['value'];
+ }
+ }
+
+ foreach ( $site_health as $key => $value ) {
+ if ( 'event_' === substr( $key, 0, 6 ) ) {
+ $updated[ $key ] = $value;
+ }
+ }
+
+ $updated['last_updated'] = time();
+
+ return $this->update_site_health( $updated );
+ }
+
+ /**
+ * Pushes an event to the ACF site health option.
+ *
+ * @since 6.3
+ *
+ * @param string $event_name The name of the event to push.
+ * @return boolean
+ */
+ public function add_site_health_event( string $event_name = '' ): bool {
+ $site_health = $this->get_site_health();
+
+ // Allow using action/filter hooks to set events.
+ if ( empty( $event_name ) ) {
+ $current_filter = current_filter();
+
+ if ( strpos( $current_filter, 'acf/' ) !== false ) {
+ $event_name = str_replace( 'acf/', '', $current_filter );
+ }
+ }
+
+ // Bail if this event was already stored.
+ if ( empty( $event_name ) || ! empty( $site_health[ 'event_' . $event_name ] ) ) {
+ return false;
+ }
+
+ $time = time();
+
+ $site_health[ 'event_' . $event_name ] = $time;
+ $site_health['last_updated'] = $time;
+
+ return $this->update_site_health( $site_health );
+ }
+
+ /**
+ * Logs activation events for free/pro.
+ *
+ * @since 6.3
+ *
+ * @return boolean
+ */
+ public function add_activation_event() {
+ $event_name = 'first_activated';
+
+ if ( acf_is_pro() ) {
+ $event_name = 'first_activated_pro';
+
+ if ( 'acf/first_activated' !== current_filter() ) {
+ $site_health = $this->get_site_health();
+
+ /**
+ * We already have an event for when pro was first activated,
+ * so we don't need to log an additional event here.
+ */
+ if ( ! empty( $site_health[ 'event_' . $event_name ] ) ) {
+ return false;
+ }
+
+ $event_name = 'activated_pro';
+ }
+ }
+
+ return $this->add_site_health_event( $event_name );
+ }
+
+ /**
+ * Adds events when ACF internal post types are created.
+ *
+ * @since 6.3
+ *
+ * @param array $post The post about to be updated.
+ * @return array
+ */
+ public function pre_update_acf_internal_cpt( array $post = array() ): array {
+ if ( empty( $post['key'] ) ) {
+ return $post;
+ }
+
+ $post_type = acf_determine_internal_post_type( $post['key'] );
+
+ if ( $post_type ) {
+ $posts = acf_get_internal_post_type_posts( $post_type );
+
+ if ( empty( $posts ) ) {
+ $post_type = str_replace(
+ array(
+ 'acf-',
+ '-',
+ ),
+ array(
+ '',
+ '_',
+ ),
+ $post_type
+ );
+ $this->add_site_health_event( 'first_created_' . $post_type );
+ }
+ }
+
+ return $post;
+ }
+
+ /**
+ * Appends the ACF section to the "Info" tab of the WordPress Site Health screen.
+ *
+ * @since 6.3
+ *
+ * @param array $debug_info The current debug info for site health.
+ * @return array The debug info appended with the ACF section.
+ */
+ public function render_tab_content( array $debug_info ): array {
+ $data = $this->get_site_health_values();
+
+ $this->update_site_health_data( $data );
+
+ // Unset values we don't want to display yet.
+ $fields_to_unset = array(
+ 'wp_version',
+ 'mysql_version',
+ 'is_multisite',
+ 'active_theme',
+ 'parent_theme',
+ 'active_plugins',
+ 'number_of_fields_by_type',
+ 'number_of_third_party_fields_by_type',
+ 'field_groups_with_single_block_rule',
+ 'field_groups_with_multiple_block_rules',
+ 'field_groups_with_blocks_and_other_rules',
+ );
+
+ foreach ( $fields_to_unset as $field ) {
+ if ( isset( $data[ $field ] ) ) {
+ unset( $data[ $field ] );
+ }
+ }
+
+ foreach ( $data as $key => $value ) {
+ if ( 'event_' === substr( $key, 0, 6 ) ) {
+ unset( $data[ $key ] );
+ }
+ }
+
+ $debug_info['acf'] = array(
+ 'label' => __( 'ACF', 'acf' ),
+ 'description' => __( 'This section contains debug information about your ACF configuration which can be useful to provide to support.', 'acf' ),
+ 'fields' => $data,
+ );
+
+ return $debug_info;
+ }
+
+ /**
+ * Gets the values for all data in the ACF site health section.
+ *
+ * @since 6.3
+ *
+ * @return array
+ */
+ public function get_site_health_values(): array {
+ global $wpdb;
+
+ $fields = array();
+ $is_pro = acf_is_pro();
+ $license = $is_pro ? acf_pro_get_license() : array();
+ $license_status = $is_pro ? acf_pro_get_license_status() : array();
+ $field_groups = acf_get_field_groups();
+ $post_types = acf_get_post_types();
+ $taxonomies = acf_get_taxonomies();
+
+ $yes = __( 'Yes', 'acf' );
+ $no = __( 'No', 'acf' );
+
+ $fields['version'] = array(
+ 'label' => __( 'Plugin Version', 'acf' ),
+ 'value' => defined( 'ACF_VERSION' ) ? ACF_VERSION : '',
+ );
+
+ $fields['plugin_type'] = array(
+ 'label' => __( 'Plugin Type', 'acf' ),
+ 'value' => $is_pro ? __( 'PRO', 'acf' ) : __( 'Free', 'acf' ),
+ 'debug' => $is_pro ? 'PRO' : 'Free',
+ );
+
+ if ( $is_pro ) {
+ $fields['activated'] = array(
+ 'label' => __( 'License Activated', 'acf' ),
+ 'value' => ! empty( $license ) ? $yes : $no,
+ 'debug' => ! empty( $license ),
+ );
+
+ $fields['activated_url'] = array(
+ 'label' => __( 'Licensed URL', 'acf' ),
+ 'value' => ! empty( $license['url'] ) ? $license['url'] : '',
+ );
+
+ $fields['license_type'] = array(
+ 'label' => __( 'License Type', 'acf' ),
+ 'value' => $license_status['name'],
+ );
+
+ $fields['license_status'] = array(
+ 'label' => __( 'License Status', 'acf' ),
+ 'value' => $license_status['status'],
+ );
+
+ $expiry = ! empty( $license_status['expiry'] ) ? $license_status['expiry'] : '';
+ $format = get_option( 'date_format', 'F j, Y' );
+
+ $fields['subscription_expires'] = array(
+ 'label' => __( 'Subscription Expiry Date', 'acf' ),
+ 'value' => is_numeric( $expiry ) ? date_i18n( $format, $expiry ) : '',
+ 'debug' => $expiry,
+ );
+ }
+
+ $fields['wp_version'] = array(
+ 'label' => __( 'WordPress Version', 'acf' ),
+ 'value' => get_bloginfo( 'version' ),
+ );
+
+ $fields['mysql_version'] = array(
+ 'label' => __( 'MySQL Version', 'acf' ),
+ 'value' => $wpdb->db_server_info(),
+ );
+
+ $fields['is_multisite'] = array(
+ 'label' => __( 'Is Multisite', 'acf' ),
+ 'value' => is_multisite() ? __( 'Yes', 'acf' ) : __( 'No', 'acf' ),
+ 'debug' => is_multisite(),
+ );
+
+ $active_theme = wp_get_theme();
+ $parent_theme = $active_theme->parent();
+
+ $fields['active_theme'] = array(
+ 'label' => __( 'Active Theme', 'acf' ),
+ 'value' => array(
+ 'name' => $active_theme->get( 'Name' ),
+ 'version' => $active_theme->get( 'Version' ),
+ 'theme_uri' => $active_theme->get( 'ThemeURI' ),
+ 'stylesheet' => $active_theme->get( 'Stylesheet' ),
+ ),
+ );
+
+ if ( $parent_theme ) {
+ $fields['parent_theme'] = array(
+ 'label' => __( 'Parent Theme', 'acf' ),
+ 'value' => array(
+ 'name' => $parent_theme->get( 'Name' ),
+ 'version' => $parent_theme->get( 'Version' ),
+ 'theme_uri' => $parent_theme->get( 'ThemeURI' ),
+ 'stylesheet' => $parent_theme->get( 'Stylesheet' ),
+ ),
+ );
+ }
+
+ $active_plugins = array();
+ $plugins = get_plugins();
+
+ foreach ( $plugins as $plugin_path => $plugin ) {
+ if ( ! is_plugin_active( $plugin_path ) ) {
+ continue;
+ }
+
+ $active_plugins[ $plugin_path ] = array(
+ 'name' => $plugin['Name'],
+ 'version' => $plugin['Version'],
+ 'plugin_uri' => empty( $plugin['PluginURI'] ) ? '' : $plugin['PluginURI'],
+ );
+ }
+
+ $fields['active_plugins'] = array(
+ 'label' => __( 'Active Plugins', 'acf' ),
+ 'value' => $active_plugins,
+ );
+
+ $ui_field_groups = array_filter(
+ $field_groups,
+ function ( $field_group ) {
+ return empty( $field_group['local'] );
+ }
+ );
+
+ $fields['ui_field_groups'] = array(
+ 'label' => __( 'Registered Field Groups (UI)', 'acf' ),
+ 'value' => number_format_i18n( count( $ui_field_groups ) ),
+ );
+
+ $php_field_groups = array_filter(
+ $field_groups,
+ function ( $field_group ) {
+ return ! empty( $field_group['local'] ) && 'PHP' === $field_group['local'];
+ }
+ );
+
+ $fields['php_field_groups'] = array(
+ 'label' => __( 'Registered Field Groups (PHP)', 'acf' ),
+ 'value' => number_format_i18n( count( $php_field_groups ) ),
+ );
+
+ $json_field_groups = array_filter(
+ $field_groups,
+ function ( $field_group ) {
+ return ! empty( $field_group['local'] ) && 'json' === $field_group['local'];
+ }
+ );
+
+ $fields['json_field_groups'] = array(
+ 'label' => __( 'Registered Field Groups (JSON)', 'acf' ),
+ 'value' => number_format_i18n( count( $json_field_groups ) ),
+ );
+
+ $rest_field_groups = array_filter(
+ $field_groups,
+ function ( $field_group ) {
+ return ! empty( $field_group['show_in_rest'] );
+ }
+ );
+
+ $fields['rest_field_groups'] = array(
+ 'label' => __( 'Field Groups Enabled for REST API', 'acf' ),
+ 'value' => number_format_i18n( count( $rest_field_groups ) ),
+ );
+
+ $graphql_field_groups = array_filter(
+ $field_groups,
+ function ( $field_group ) {
+ return ! empty( $field_group['show_in_graphql'] );
+ }
+ );
+
+ if ( is_plugin_active( 'wpgraphql-acf/wpgraphql-acf.php' ) ) {
+ $fields['graphql_field_groups'] = array(
+ 'label' => __( 'Field Groups Enabled for GraphQL', 'acf' ),
+ 'value' => number_format_i18n( count( $graphql_field_groups ) ),
+ );
+ }
+
+ $all_fields = array();
+ $object_types = array();
+ foreach ( $field_groups as $field_group ) {
+ $all_fields = array_merge( $all_fields, acf_get_fields( $field_group ) );
+
+ if ( ! $is_pro ) {
+ continue;
+ }
+
+ foreach ( $field_group['location'] as $rules ) {
+ foreach ( $rules as $rule ) {
+ $location = acf_get_location_type( $rule['param'] );
+ if ( ! $location ) {
+ continue;
+ }
+
+ $location_type = $location->get_object_type( $rule );
+ $object_types[ $field_group['key'] ][] = $location_type;
+ }
+ }
+ }
+
+ if ( $is_pro ) {
+ $field_groups_with_single_block_rule = 0;
+ $field_groups_with_multiple_block_rules = 0;
+ $field_groups_with_blocks_and_other_rules = 0;
+
+ foreach ( $object_types as $types ) {
+ $num_types = array_count_values( $types );
+
+ // Bail if no block location rules.
+ if ( empty( $num_types['block'] ) ) {
+ continue;
+ }
+
+ if ( count( $num_types ) === 1 ) {
+ // Field group is only assigned to blocks.
+ if ( $num_types['block'] === 1 ) {
+ ++$field_groups_with_single_block_rule;
+ } else {
+ ++$field_groups_with_multiple_block_rules;
+ }
+ } else {
+ // Field group is assigned to blocks & other stuff.
+ ++$field_groups_with_blocks_and_other_rules;
+ }
+ }
+
+ $fields['field_groups_with_single_block_rule'] = array(
+ 'label' => __( 'Number of Field Groups with a Single Block Location', 'acf' ),
+ 'value' => number_format_i18n( $field_groups_with_single_block_rule ),
+ );
+
+ $fields['field_groups_with_multiple_block_rules'] = array(
+ 'label' => __( 'Number of Field Groups with Multiple Block Locations', 'acf' ),
+ 'value' => number_format_i18n( $field_groups_with_multiple_block_rules ),
+ );
+
+ $fields['field_groups_with_blocks_and_other_rules'] = array(
+ 'label' => __( 'Number of Field Groups with Blocks and Other Locations', 'acf' ),
+ 'value' => number_format_i18n( $field_groups_with_blocks_and_other_rules ),
+ );
+ }
+
+ $fields_by_type = array();
+ $third_party_fields_by_type = array();
+ $core_field_types = array_keys( acf_get_field_types() );
+
+ foreach ( $all_fields as $field ) {
+ if ( in_array( $field['type'], $core_field_types, true ) ) {
+ if ( ! isset( $fields_by_type[ $field['type'] ] ) ) {
+ $fields_by_type[ $field['type'] ] = 0;
+ }
+
+ ++$fields_by_type[ $field['type'] ];
+
+ continue;
+ }
+
+ if ( ! isset( $third_party_fields_by_type[ $field['type'] ] ) ) {
+ $third_party_fields_by_type[ $field['type'] ] = 0;
+ }
+
+ ++$third_party_fields_by_type[ $field['type'] ];
+ }
+
+ $fields['number_of_fields_by_type'] = array(
+ 'label' => __( 'Number of Fields by Field Type', 'acf' ),
+ 'value' => $fields_by_type,
+ );
+
+ $fields['number_of_third_party_fields_by_type'] = array(
+ 'label' => __( 'Number of Third Party Fields by Field Type', 'acf' ),
+ 'value' => $third_party_fields_by_type,
+ );
+
+ $enable_post_types = acf_get_setting( 'enable_post_types' );
+
+ $fields['post_types_enabled'] = array(
+ 'label' => __( 'Post Types and Taxonomies Enabled', 'acf' ),
+ 'value' => $enable_post_types ? $yes : $no,
+ 'debug' => $enable_post_types,
+ );
+
+ $ui_post_types = array_filter(
+ $post_types,
+ function ( $post_type ) {
+ return empty( $post_type['local'] );
+ }
+ );
+
+ $fields['ui_post_types'] = array(
+ 'label' => __( 'Registered Post Types (UI)', 'acf' ),
+ 'value' => number_format_i18n( count( $ui_post_types ) ),
+ );
+
+ $json_post_types = array_filter(
+ $post_types,
+ function ( $post_type ) {
+ return ! empty( $post_type['local'] ) && 'json' === $post_type['local'];
+ }
+ );
+
+ $fields['json_post_types'] = array(
+ 'label' => __( 'Registered Post Types (JSON)', 'acf' ),
+ 'value' => number_format_i18n( count( $json_post_types ) ),
+ );
+
+ $ui_taxonomies = array_filter(
+ $taxonomies,
+ function ( $taxonomy ) {
+ return empty( $taxonomy['local'] );
+ }
+ );
+
+ $fields['ui_taxonomies'] = array(
+ 'label' => __( 'Registered Taxonomies (UI)', 'acf' ),
+ 'value' => number_format_i18n( count( $ui_taxonomies ) ),
+ );
+
+ $json_taxonomies = array_filter(
+ $taxonomies,
+ function ( $taxonomy ) {
+ return ! empty( $taxonomy['local'] ) && 'json' === $taxonomy['local'];
+ }
+ );
+
+ $fields['json_taxonomies'] = array(
+ 'label' => __( 'Registered Taxonomies (JSON)', 'acf' ),
+ 'value' => number_format_i18n( count( $json_taxonomies ) ),
+ );
+
+ if ( $is_pro ) {
+ $enable_options_pages_ui = acf_get_setting( 'enable_options_pages_ui' );
+
+ $fields['ui_options_pages_enabled'] = array(
+ 'label' => __( 'Options Pages UI Enabled', 'acf' ),
+ 'value' => $enable_options_pages_ui ? $yes : $no,
+ 'debug' => $enable_options_pages_ui,
+ );
+
+ $options_pages = acf_get_options_pages();
+ $ui_options_pages = array();
+
+ if ( empty( $options_pages ) || ! is_array( $options_pages ) ) {
+ $options_pages = array();
+ }
+
+ if ( $enable_options_pages_ui ) {
+ $ui_options_pages = acf_get_ui_options_pages();
+
+ $ui_options_pages_in_ui = array_filter(
+ $ui_options_pages,
+ function ( $ui_options_page ) {
+ return empty( $ui_options_page['local'] );
+ }
+ );
+
+ $json_options_pages = array_filter(
+ $ui_options_pages,
+ function ( $ui_options_page ) {
+ return ! empty( $ui_options_page['local'] );
+ }
+ );
+
+ $fields['ui_options_pages'] = array(
+ 'label' => __( 'Registered Options Pages (UI)', 'acf' ),
+ 'value' => number_format_i18n( count( $ui_options_pages_in_ui ) ),
+ );
+
+ $fields['json_options_pages'] = array(
+ 'label' => __( 'Registered Options Pages (JSON)', 'acf' ),
+ 'value' => number_format_i18n( count( $json_options_pages ) ),
+ );
+ }
+
+ $ui_options_page_slugs = array_column( $ui_options_pages, 'menu_slug' );
+ $php_options_pages = array_filter(
+ $options_pages,
+ function ( $options_page ) use ( $ui_options_page_slugs ) {
+ return ! in_array( $options_page['menu_slug'], $ui_options_page_slugs, true );
+ }
+ );
+
+ $fields['php_options_pages'] = array(
+ 'label' => __( 'Registered Options Pages (PHP)', 'acf' ),
+ 'value' => number_format_i18n( count( $php_options_pages ) ),
+ );
+ }
+
+ $rest_api_format = acf_get_setting( 'rest_api_format' );
+
+ $fields['rest_api_format'] = array(
+ 'label' => __( 'REST API Format', 'acf' ),
+ 'value' => 'standard' === $rest_api_format ? __( 'Standard', 'acf' ) : __( 'Light', 'acf' ),
+ 'debug' => $rest_api_format,
+ );
+
+ if ( $is_pro ) {
+ $fields['registered_acf_blocks'] = array(
+ 'label' => __( 'Registered ACF Blocks', 'acf' ),
+ 'value' => number_format_i18n( acf_pro_get_registered_block_count() ),
+ );
+
+ $blocks = acf_get_block_types();
+ $block_api_versions = array();
+ $acf_block_versions = array();
+ $blocks_using_post_meta = 0;
+
+ foreach ( $blocks as $block ) {
+ if ( ! isset( $block_api_versions[ 'v' . $block['api_version'] ] ) ) {
+ $block_api_versions[ 'v' . $block['api_version'] ] = 0;
+ }
+
+ if ( ! isset( $acf_block_versions[ 'v' . $block['acf_block_version'] ] ) ) {
+ $acf_block_versions[ 'v' . $block['acf_block_version'] ] = 0;
+ }
+
+ if ( ! empty( $block['use_post_meta'] ) ) {
+ ++$blocks_using_post_meta;
+ }
+
+ ++$block_api_versions[ 'v' . $block['api_version'] ];
+ ++$acf_block_versions[ 'v' . $block['acf_block_version'] ];
+ }
+
+ $fields['blocks_per_api_version'] = array(
+ 'label' => __( 'Blocks Per API Version', 'acf' ),
+ 'value' => $block_api_versions,
+ );
+
+ $fields['blocks_per_acf_block_version'] = array(
+ 'label' => __( 'Blocks Per ACF Block Version', 'acf' ),
+ 'value' => $acf_block_versions,
+ );
+
+ $fields['blocks_using_post_meta'] = array(
+ 'label' => __( 'Blocks Using Post Meta', 'acf' ),
+ 'value' => number_format_i18n( $blocks_using_post_meta ),
+ );
+
+ $preload_blocks = acf_get_setting( 'preload_blocks' );
+
+ $fields['preload_blocks'] = array(
+ 'label' => __( 'Block Preloading Enabled', 'acf' ),
+ 'value' => ! empty( $preload_blocks ) ? $yes : $no,
+ 'debug' => $preload_blocks,
+ );
+ }
+
+ $show_admin = acf_get_setting( 'show_admin' );
+
+ $fields['admin_ui_enabled'] = array(
+ 'label' => __( 'Admin UI Enabled', 'acf' ),
+ 'value' => $show_admin ? $yes : $no,
+ 'debug' => $show_admin,
+ );
+
+ $field_type_modal_enabled = apply_filters( 'acf/field_group/enable_field_browser', true );
+
+ $fields['field_type-modal_enabled'] = array(
+ 'label' => __( 'Field Type Modal Enabled', 'acf' ),
+ 'value' => ! empty( $field_type_modal_enabled ) ? $yes : $no,
+ 'debug' => $field_type_modal_enabled,
+ );
+
+ $field_settings_tabs_enabled = apply_filters( 'acf/field_group/disable_field_settings_tabs', false );
+
+ $fields['field_settings_tabs_enabled'] = array(
+ 'label' => __( 'Field Settings Tabs Enabled', 'acf' ),
+ 'value' => empty( $field_settings_tabs_enabled ) ? $yes : $no,
+ 'debug' => $field_settings_tabs_enabled,
+ );
+
+ $shortcode_enabled = acf_get_setting( 'enable_shortcode' );
+
+ $fields['shortcode_enabled'] = array(
+ 'label' => __( 'Shortcode Enabled', 'acf' ),
+ 'value' => ! empty( $shortcode_enabled ) ? $yes : $no,
+ 'debug' => $shortcode_enabled,
+ );
+
+ $fields['registered_acf_forms'] = array(
+ 'label' => __( 'Registered ACF Forms', 'acf' ),
+ 'value' => number_format_i18n( count( acf_get_forms() ) ),
+ );
+
+ $local_json = acf_get_instance( 'ACF_Local_JSON' );
+ $save_paths = $local_json->get_save_paths();
+ $load_paths = $local_json->get_load_paths();
+
+ $fields['json_save_paths'] = array(
+ 'label' => __( 'JSON Save Paths', 'acf' ),
+ 'value' => number_format_i18n( count( $save_paths ) ),
+ 'debug' => count( $save_paths ),
+ );
+
+ $fields['json_load_paths'] = array(
+ 'label' => __( 'JSON Load Paths', 'acf' ),
+ 'value' => number_format_i18n( count( $load_paths ) ),
+ 'debug' => count( $load_paths ),
+ );
+
+ return $fields;
+ }
+}
diff --git a/vendor/autoload.php b/vendor/autoload.php
new file mode 100644
index 0000000..b5432da
--- /dev/null
+++ b/vendor/autoload.php
@@ -0,0 +1,12 @@
+
+ * Jordi Boggiano
+ *
+ * For the full copyright and license information, please view the LICENSE
+ * file that was distributed with this source code.
+ */
+
+namespace Composer\Autoload;
+
+/**
+ * ClassLoader implements a PSR-0, PSR-4 and classmap class loader.
+ *
+ * $loader = new \Composer\Autoload\ClassLoader();
+ *
+ * // register classes with namespaces
+ * $loader->add('Symfony\Component', __DIR__.'/component');
+ * $loader->add('Symfony', __DIR__.'/framework');
+ *
+ * // activate the autoloader
+ * $loader->register();
+ *
+ * // to enable searching the include path (eg. for PEAR packages)
+ * $loader->setUseIncludePath(true);
+ *
+ * In this example, if you try to use a class in the Symfony\Component
+ * namespace or one of its children (Symfony\Component\Console for instance),
+ * the autoloader will first look for the class under the component/
+ * directory, and it will then fallback to the framework/ directory if not
+ * found before giving up.
+ *
+ * This class is loosely based on the Symfony UniversalClassLoader.
+ *
+ * @author Fabien Potencier
+ * @author Jordi Boggiano
+ * @see https://www.php-fig.org/psr/psr-0/
+ * @see https://www.php-fig.org/psr/psr-4/
+ */
+class ClassLoader
+{
+ /** @var ?string */
+ private $vendorDir;
+
+ // PSR-4
+ /**
+ * @var array[]
+ * @psalm-var array>
+ */
+ private $prefixLengthsPsr4 = array();
+ /**
+ * @var array[]
+ * @psalm-var array>
+ */
+ private $prefixDirsPsr4 = array();
+ /**
+ * @var array[]
+ * @psalm-var array
+ */
+ private $fallbackDirsPsr4 = array();
+
+ // PSR-0
+ /**
+ * @var array[]
+ * @psalm-var array>
+ */
+ private $prefixesPsr0 = array();
+ /**
+ * @var array[]
+ * @psalm-var array
+ */
+ private $fallbackDirsPsr0 = array();
+
+ /** @var bool */
+ private $useIncludePath = false;
+
+ /**
+ * @var string[]
+ * @psalm-var array
+ */
+ private $classMap = array();
+
+ /** @var bool */
+ private $classMapAuthoritative = false;
+
+ /**
+ * @var bool[]
+ * @psalm-var array
+ */
+ private $missingClasses = array();
+
+ /** @var ?string */
+ private $apcuPrefix;
+
+ /**
+ * @var self[]
+ */
+ private static $registeredLoaders = array();
+
+ /**
+ * @param ?string $vendorDir
+ */
+ public function __construct($vendorDir = null)
+ {
+ $this->vendorDir = $vendorDir;
+ }
+
+ /**
+ * @return string[]
+ */
+ public function getPrefixes()
+ {
+ if (!empty($this->prefixesPsr0)) {
+ return call_user_func_array('array_merge', array_values($this->prefixesPsr0));
+ }
+
+ return array();
+ }
+
+ /**
+ * @return array[]
+ * @psalm-return array>
+ */
+ public function getPrefixesPsr4()
+ {
+ return $this->prefixDirsPsr4;
+ }
+
+ /**
+ * @return array[]
+ * @psalm-return array
+ */
+ public function getFallbackDirs()
+ {
+ return $this->fallbackDirsPsr0;
+ }
+
+ /**
+ * @return array[]
+ * @psalm-return array
+ */
+ public function getFallbackDirsPsr4()
+ {
+ return $this->fallbackDirsPsr4;
+ }
+
+ /**
+ * @return string[] Array of classname => path
+ * @psalm-return array
+ */
+ public function getClassMap()
+ {
+ return $this->classMap;
+ }
+
+ /**
+ * @param string[] $classMap Class to filename map
+ * @psalm-param array $classMap
+ *
+ * @return void
+ */
+ public function addClassMap(array $classMap)
+ {
+ if ($this->classMap) {
+ $this->classMap = array_merge($this->classMap, $classMap);
+ } else {
+ $this->classMap = $classMap;
+ }
+ }
+
+ /**
+ * Registers a set of PSR-0 directories for a given prefix, either
+ * appending or prepending to the ones previously set for this prefix.
+ *
+ * @param string $prefix The prefix
+ * @param string[]|string $paths The PSR-0 root directories
+ * @param bool $prepend Whether to prepend the directories
+ *
+ * @return void
+ */
+ public function add($prefix, $paths, $prepend = false)
+ {
+ if (!$prefix) {
+ if ($prepend) {
+ $this->fallbackDirsPsr0 = array_merge(
+ (array) $paths,
+ $this->fallbackDirsPsr0
+ );
+ } else {
+ $this->fallbackDirsPsr0 = array_merge(
+ $this->fallbackDirsPsr0,
+ (array) $paths
+ );
+ }
+
+ return;
+ }
+
+ $first = $prefix[0];
+ if (!isset($this->prefixesPsr0[$first][$prefix])) {
+ $this->prefixesPsr0[$first][$prefix] = (array) $paths;
+
+ return;
+ }
+ if ($prepend) {
+ $this->prefixesPsr0[$first][$prefix] = array_merge(
+ (array) $paths,
+ $this->prefixesPsr0[$first][$prefix]
+ );
+ } else {
+ $this->prefixesPsr0[$first][$prefix] = array_merge(
+ $this->prefixesPsr0[$first][$prefix],
+ (array) $paths
+ );
+ }
+ }
+
+ /**
+ * Registers a set of PSR-4 directories for a given namespace, either
+ * appending or prepending to the ones previously set for this namespace.
+ *
+ * @param string $prefix The prefix/namespace, with trailing '\\'
+ * @param string[]|string $paths The PSR-4 base directories
+ * @param bool $prepend Whether to prepend the directories
+ *
+ * @throws \InvalidArgumentException
+ *
+ * @return void
+ */
+ public function addPsr4($prefix, $paths, $prepend = false)
+ {
+ if (!$prefix) {
+ // Register directories for the root namespace.
+ if ($prepend) {
+ $this->fallbackDirsPsr4 = array_merge(
+ (array) $paths,
+ $this->fallbackDirsPsr4
+ );
+ } else {
+ $this->fallbackDirsPsr4 = array_merge(
+ $this->fallbackDirsPsr4,
+ (array) $paths
+ );
+ }
+ } elseif (!isset($this->prefixDirsPsr4[$prefix])) {
+ // Register directories for a new namespace.
+ $length = strlen($prefix);
+ if ('\\' !== $prefix[$length - 1]) {
+ throw new \InvalidArgumentException("A non-empty PSR-4 prefix must end with a namespace separator.");
+ }
+ $this->prefixLengthsPsr4[$prefix[0]][$prefix] = $length;
+ $this->prefixDirsPsr4[$prefix] = (array) $paths;
+ } elseif ($prepend) {
+ // Prepend directories for an already registered namespace.
+ $this->prefixDirsPsr4[$prefix] = array_merge(
+ (array) $paths,
+ $this->prefixDirsPsr4[$prefix]
+ );
+ } else {
+ // Append directories for an already registered namespace.
+ $this->prefixDirsPsr4[$prefix] = array_merge(
+ $this->prefixDirsPsr4[$prefix],
+ (array) $paths
+ );
+ }
+ }
+
+ /**
+ * Registers a set of PSR-0 directories for a given prefix,
+ * replacing any others previously set for this prefix.
+ *
+ * @param string $prefix The prefix
+ * @param string[]|string $paths The PSR-0 base directories
+ *
+ * @return void
+ */
+ public function set($prefix, $paths)
+ {
+ if (!$prefix) {
+ $this->fallbackDirsPsr0 = (array) $paths;
+ } else {
+ $this->prefixesPsr0[$prefix[0]][$prefix] = (array) $paths;
+ }
+ }
+
+ /**
+ * Registers a set of PSR-4 directories for a given namespace,
+ * replacing any others previously set for this namespace.
+ *
+ * @param string $prefix The prefix/namespace, with trailing '\\'
+ * @param string[]|string $paths The PSR-4 base directories
+ *
+ * @throws \InvalidArgumentException
+ *
+ * @return void
+ */
+ public function setPsr4($prefix, $paths)
+ {
+ if (!$prefix) {
+ $this->fallbackDirsPsr4 = (array) $paths;
+ } else {
+ $length = strlen($prefix);
+ if ('\\' !== $prefix[$length - 1]) {
+ throw new \InvalidArgumentException("A non-empty PSR-4 prefix must end with a namespace separator.");
+ }
+ $this->prefixLengthsPsr4[$prefix[0]][$prefix] = $length;
+ $this->prefixDirsPsr4[$prefix] = (array) $paths;
+ }
+ }
+
+ /**
+ * Turns on searching the include path for class files.
+ *
+ * @param bool $useIncludePath
+ *
+ * @return void
+ */
+ public function setUseIncludePath($useIncludePath)
+ {
+ $this->useIncludePath = $useIncludePath;
+ }
+
+ /**
+ * Can be used to check if the autoloader uses the include path to check
+ * for classes.
+ *
+ * @return bool
+ */
+ public function getUseIncludePath()
+ {
+ return $this->useIncludePath;
+ }
+
+ /**
+ * Turns off searching the prefix and fallback directories for classes
+ * that have not been registered with the class map.
+ *
+ * @param bool $classMapAuthoritative
+ *
+ * @return void
+ */
+ public function setClassMapAuthoritative($classMapAuthoritative)
+ {
+ $this->classMapAuthoritative = $classMapAuthoritative;
+ }
+
+ /**
+ * Should class lookup fail if not found in the current class map?
+ *
+ * @return bool
+ */
+ public function isClassMapAuthoritative()
+ {
+ return $this->classMapAuthoritative;
+ }
+
+ /**
+ * APCu prefix to use to cache found/not-found classes, if the extension is enabled.
+ *
+ * @param string|null $apcuPrefix
+ *
+ * @return void
+ */
+ public function setApcuPrefix($apcuPrefix)
+ {
+ $this->apcuPrefix = function_exists('apcu_fetch') && filter_var(ini_get('apc.enabled'), FILTER_VALIDATE_BOOLEAN) ? $apcuPrefix : null;
+ }
+
+ /**
+ * The APCu prefix in use, or null if APCu caching is not enabled.
+ *
+ * @return string|null
+ */
+ public function getApcuPrefix()
+ {
+ return $this->apcuPrefix;
+ }
+
+ /**
+ * Registers this instance as an autoloader.
+ *
+ * @param bool $prepend Whether to prepend the autoloader or not
+ *
+ * @return void
+ */
+ public function register($prepend = false)
+ {
+ spl_autoload_register(array($this, 'loadClass'), true, $prepend);
+
+ if (null === $this->vendorDir) {
+ return;
+ }
+
+ if ($prepend) {
+ self::$registeredLoaders = array($this->vendorDir => $this) + self::$registeredLoaders;
+ } else {
+ unset(self::$registeredLoaders[$this->vendorDir]);
+ self::$registeredLoaders[$this->vendorDir] = $this;
+ }
+ }
+
+ /**
+ * Unregisters this instance as an autoloader.
+ *
+ * @return void
+ */
+ public function unregister()
+ {
+ spl_autoload_unregister(array($this, 'loadClass'));
+
+ if (null !== $this->vendorDir) {
+ unset(self::$registeredLoaders[$this->vendorDir]);
+ }
+ }
+
+ /**
+ * Loads the given class or interface.
+ *
+ * @param string $class The name of the class
+ * @return true|null True if loaded, null otherwise
+ */
+ public function loadClass($class)
+ {
+ if ($file = $this->findFile($class)) {
+ includeFile($file);
+
+ return true;
+ }
+
+ return null;
+ }
+
+ /**
+ * Finds the path to the file where the class is defined.
+ *
+ * @param string $class The name of the class
+ *
+ * @return string|false The path if found, false otherwise
+ */
+ public function findFile($class)
+ {
+ // class map lookup
+ if (isset($this->classMap[$class])) {
+ return $this->classMap[$class];
+ }
+ if ($this->classMapAuthoritative || isset($this->missingClasses[$class])) {
+ return false;
+ }
+ if (null !== $this->apcuPrefix) {
+ $file = apcu_fetch($this->apcuPrefix.$class, $hit);
+ if ($hit) {
+ return $file;
+ }
+ }
+
+ $file = $this->findFileWithExtension($class, '.php');
+
+ // Search for Hack files if we are running on HHVM
+ if (false === $file && defined('HHVM_VERSION')) {
+ $file = $this->findFileWithExtension($class, '.hh');
+ }
+
+ if (null !== $this->apcuPrefix) {
+ apcu_add($this->apcuPrefix.$class, $file);
+ }
+
+ if (false === $file) {
+ // Remember that this class does not exist.
+ $this->missingClasses[$class] = true;
+ }
+
+ return $file;
+ }
+
+ /**
+ * Returns the currently registered loaders indexed by their corresponding vendor directories.
+ *
+ * @return self[]
+ */
+ public static function getRegisteredLoaders()
+ {
+ return self::$registeredLoaders;
+ }
+
+ /**
+ * @param string $class
+ * @param string $ext
+ * @return string|false
+ */
+ private function findFileWithExtension($class, $ext)
+ {
+ // PSR-4 lookup
+ $logicalPathPsr4 = strtr($class, '\\', DIRECTORY_SEPARATOR) . $ext;
+
+ $first = $class[0];
+ if (isset($this->prefixLengthsPsr4[$first])) {
+ $subPath = $class;
+ while (false !== $lastPos = strrpos($subPath, '\\')) {
+ $subPath = substr($subPath, 0, $lastPos);
+ $search = $subPath . '\\';
+ if (isset($this->prefixDirsPsr4[$search])) {
+ $pathEnd = DIRECTORY_SEPARATOR . substr($logicalPathPsr4, $lastPos + 1);
+ foreach ($this->prefixDirsPsr4[$search] as $dir) {
+ if (file_exists($file = $dir . $pathEnd)) {
+ return $file;
+ }
+ }
+ }
+ }
+ }
+
+ // PSR-4 fallback dirs
+ foreach ($this->fallbackDirsPsr4 as $dir) {
+ if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr4)) {
+ return $file;
+ }
+ }
+
+ // PSR-0 lookup
+ if (false !== $pos = strrpos($class, '\\')) {
+ // namespaced class name
+ $logicalPathPsr0 = substr($logicalPathPsr4, 0, $pos + 1)
+ . strtr(substr($logicalPathPsr4, $pos + 1), '_', DIRECTORY_SEPARATOR);
+ } else {
+ // PEAR-like class name
+ $logicalPathPsr0 = strtr($class, '_', DIRECTORY_SEPARATOR) . $ext;
+ }
+
+ if (isset($this->prefixesPsr0[$first])) {
+ foreach ($this->prefixesPsr0[$first] as $prefix => $dirs) {
+ if (0 === strpos($class, $prefix)) {
+ foreach ($dirs as $dir) {
+ if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
+ return $file;
+ }
+ }
+ }
+ }
+ }
+
+ // PSR-0 fallback dirs
+ foreach ($this->fallbackDirsPsr0 as $dir) {
+ if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
+ return $file;
+ }
+ }
+
+ // PSR-0 include paths.
+ if ($this->useIncludePath && $file = stream_resolve_include_path($logicalPathPsr0)) {
+ return $file;
+ }
+
+ return false;
+ }
+}
+
+/**
+ * Scope isolated include.
+ *
+ * Prevents access to $this/self from included files.
+ *
+ * @param string $file
+ * @return void
+ * @private
+ */
+function includeFile($file)
+{
+ include $file;
+}
diff --git a/vendor/composer/LICENSE b/vendor/composer/LICENSE
new file mode 100644
index 0000000..f27399a
--- /dev/null
+++ b/vendor/composer/LICENSE
@@ -0,0 +1,21 @@
+
+Copyright (c) Nils Adermann, Jordi Boggiano
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is furnished
+to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+THE SOFTWARE.
+
diff --git a/vendor/composer/autoload_classmap.php b/vendor/composer/autoload_classmap.php
new file mode 100644
index 0000000..cd894be
--- /dev/null
+++ b/vendor/composer/autoload_classmap.php
@@ -0,0 +1,20 @@
+ $baseDir . '/src/Blocks/Bindings.php',
+ 'ACF\\Meta\\Comment' => $baseDir . '/src/Meta/Comment.php',
+ 'ACF\\Meta\\MetaLocation' => $baseDir . '/src/Meta/MetaLocation.php',
+ 'ACF\\Meta\\Post' => $baseDir . '/src/Meta/Post.php',
+ 'ACF\\Meta\\Term' => $baseDir . '/src/Meta/Term.php',
+ 'ACF\\Meta\\User' => $baseDir . '/src/Meta/User.php',
+ 'ACF\\Pro\\Forms\\WC_Order' => $baseDir . '/src/Pro/Forms/WC_Order.php',
+ 'ACF\\Pro\\Meta\\Option' => $baseDir . '/src/Pro/Meta/Option.php',
+ 'ACF\\Pro\\Meta\\WooOrder' => $baseDir . '/src/Pro/Meta/WooOrder.php',
+ 'ACF\\Site_Health\\Site_Health' => $baseDir . '/src/Site_Health/Site_Health.php',
+ 'Composer\\InstalledVersions' => $vendorDir . '/composer/InstalledVersions.php',
+);
diff --git a/vendor/composer/autoload_namespaces.php b/vendor/composer/autoload_namespaces.php
new file mode 100644
index 0000000..15a2ff3
--- /dev/null
+++ b/vendor/composer/autoload_namespaces.php
@@ -0,0 +1,9 @@
+ array($baseDir . '/src'),
+);
diff --git a/vendor/composer/autoload_real.php b/vendor/composer/autoload_real.php
new file mode 100644
index 0000000..72dfc04
--- /dev/null
+++ b/vendor/composer/autoload_real.php
@@ -0,0 +1,36 @@
+register(true);
+
+ return $loader;
+ }
+}
diff --git a/vendor/composer/autoload_static.php b/vendor/composer/autoload_static.php
new file mode 100644
index 0000000..7af5a76
--- /dev/null
+++ b/vendor/composer/autoload_static.php
@@ -0,0 +1,46 @@
+
+ array (
+ 'ACF\\' => 4,
+ ),
+ );
+
+ public static $prefixDirsPsr4 = array (
+ 'ACF\\' =>
+ array (
+ 0 => __DIR__ . '/../..' . '/src',
+ ),
+ );
+
+ public static $classMap = array (
+ 'ACF\\Blocks\\Bindings' => __DIR__ . '/../..' . '/src/Blocks/Bindings.php',
+ 'ACF\\Meta\\Comment' => __DIR__ . '/../..' . '/src/Meta/Comment.php',
+ 'ACF\\Meta\\MetaLocation' => __DIR__ . '/../..' . '/src/Meta/MetaLocation.php',
+ 'ACF\\Meta\\Post' => __DIR__ . '/../..' . '/src/Meta/Post.php',
+ 'ACF\\Meta\\Term' => __DIR__ . '/../..' . '/src/Meta/Term.php',
+ 'ACF\\Meta\\User' => __DIR__ . '/../..' . '/src/Meta/User.php',
+ 'ACF\\Pro\\Forms\\WC_Order' => __DIR__ . '/../..' . '/src/Pro/Forms/WC_Order.php',
+ 'ACF\\Pro\\Meta\\Option' => __DIR__ . '/../..' . '/src/Pro/Meta/Option.php',
+ 'ACF\\Pro\\Meta\\WooOrder' => __DIR__ . '/../..' . '/src/Pro/Meta/WooOrder.php',
+ 'ACF\\Site_Health\\Site_Health' => __DIR__ . '/../..' . '/src/Site_Health/Site_Health.php',
+ 'Composer\\InstalledVersions' => __DIR__ . '/..' . '/composer/InstalledVersions.php',
+ );
+
+ public static function getInitializer(ClassLoader $loader)
+ {
+ return \Closure::bind(function () use ($loader) {
+ $loader->prefixLengthsPsr4 = ComposerStaticInit94e23cbc47a4750e27ee21b7644f1866::$prefixLengthsPsr4;
+ $loader->prefixDirsPsr4 = ComposerStaticInit94e23cbc47a4750e27ee21b7644f1866::$prefixDirsPsr4;
+ $loader->classMap = ComposerStaticInit94e23cbc47a4750e27ee21b7644f1866::$classMap;
+
+ }, null, ClassLoader::class);
+ }
+}